@stina/extension-api 0.28.1 → 0.29.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1 +1 @@
1
- {"version":3,"sources":["../../src/schemas/manifest.schema.ts","../../src/schemas/permissions.schema.ts","../../src/schemas/contributions.schema.ts","../../src/schemas/components.schema.ts"],"sourcesContent":["/**\n * Manifest Schema\n *\n * Zod schema for extension manifest files (manifest.json).\n * This is the main schema that combines all sub-schemas.\n */\n\nimport { z } from 'zod'\nimport { PermissionSchema } from './permissions.schema.js'\nimport { ExtensionContributionsSchema } from './contributions.schema.js'\n\n/**\n * Platform schema\n */\nexport const PlatformSchema = z\n .enum(['web', 'electron', 'tui'])\n .describe('Supported platform')\n\n/**\n * Author schema\n */\nexport const AuthorSchema = z\n .object({\n name: z.string().min(1).describe('Author name'),\n url: z.string().url().optional().describe('Author URL'),\n })\n .describe('Author information')\n\n/**\n * Engines schema\n */\nexport const EnginesSchema = z\n .object({\n stina: z.string().describe('Minimum Stina version required'),\n })\n .describe('Engine requirements')\n\n/**\n * Extension manifest schema\n */\nexport const ExtensionManifestSchema = z\n .object({\n id: z\n .string()\n .regex(/^[a-z0-9-]+$/, 'ID must be lowercase alphanumeric with hyphens')\n .describe('Unique identifier (e.g., \"ollama-provider\")'),\n name: z.string().min(1).describe('Human-readable name'),\n version: z\n .string()\n .regex(/^\\d+\\.\\d+\\.\\d+/, 'Must be semver format (e.g., \"1.0.0\")')\n .describe('Version string (semver)'),\n description: z.string().min(1).describe('Short description'),\n author: AuthorSchema.describe('Author information'),\n repository: z.string().url().optional().describe('Repository URL'),\n license: z.string().optional().describe('License identifier'),\n engines: EnginesSchema.optional().describe('Minimum Stina version required'),\n platforms: z.array(PlatformSchema).optional().describe('Supported platforms'),\n main: z.string().describe('Entry point file (relative to extension root)'),\n permissions: z.array(PermissionSchema).describe('Required permissions'),\n contributes: ExtensionContributionsSchema.optional().describe('What the extension contributes'),\n })\n .describe('Extension manifest format')\n\n// =============================================================================\n// Type Exports\n// =============================================================================\n\nexport type Platform = z.infer<typeof PlatformSchema>\nexport type Author = z.infer<typeof AuthorSchema>\nexport type Engines = z.infer<typeof EnginesSchema>\nexport type ExtensionManifest = z.infer<typeof ExtensionManifestSchema>\n","/**\n * Permission Schema\n *\n * Zod schema for extension permission strings.\n * Generates both TypeScript types and JSON Schema.\n */\n\nimport { z } from 'zod'\n\n/**\n * Valid exact permission values\n */\nexport const VALID_PERMISSIONS = [\n 'network:*',\n 'network:localhost',\n 'storage.collections',\n 'secrets.manage',\n 'user.profile.read',\n 'user.location.read',\n 'chat.history.read',\n 'chat.current.read',\n 'chat.message.write',\n 'provider.register',\n 'tools.register',\n 'actions.register',\n 'settings.register',\n 'commands.register',\n 'panels.register',\n 'events.emit',\n 'scheduler.register',\n 'background.workers',\n 'files.read',\n 'files.write',\n 'clipboard.read',\n 'clipboard.write',\n] as const\n\n/**\n * Permission patterns for dynamic permissions (network with host/port)\n */\nexport const PERMISSION_PATTERNS = [\n /^network:localhost:\\d+$/, // network:localhost:11434\n /^network:[a-zA-Z0-9.-]+$/, // network:api.example.com\n /^network:[a-zA-Z0-9.-]+:\\d+$/, // network:api.example.com:8080\n]\n\n/**\n * Network permission schema - matches exact values and patterns\n */\nconst NetworkPermissionSchema = z\n .string()\n .refine(\n (val) => {\n // Check exact matches first\n if (val === 'network:*' || val === 'network:localhost') {\n return true\n }\n // Check dynamic patterns\n return PERMISSION_PATTERNS.some((pattern) => pattern.test(val))\n },\n { message: 'Invalid network permission format' }\n )\n .describe('Network access permission (e.g., \"network:*\", \"network:localhost:11434\")')\n\n/**\n * Storage permission schema\n */\nconst StoragePermissionSchema = z.enum(['storage.collections', 'secrets.manage']).describe('Storage permission')\n\n/**\n * User data permission schema\n */\nconst UserDataPermissionSchema = z\n .enum(['user.profile.read', 'user.location.read', 'chat.history.read', 'chat.current.read'])\n .describe('User data access permission')\n\n/**\n * Capability permission schema\n */\nconst CapabilityPermissionSchema = z\n .enum([\n 'provider.register',\n 'tools.register',\n 'actions.register',\n 'settings.register',\n 'commands.register',\n 'panels.register',\n 'events.emit',\n 'scheduler.register',\n 'chat.message.write',\n 'background.workers',\n ])\n .describe('Capability permission')\n\n/**\n * System permission schema\n */\nconst SystemPermissionSchema = z\n .enum(['files.read', 'files.write', 'clipboard.read', 'clipboard.write'])\n .describe('System permission')\n\n/**\n * Regex pattern for dynamic network permissions (host with optional port)\n * Matches: network:api.example.com, network:localhost:11434, network:api.example.com:8080\n */\nconst NETWORK_PERMISSION_REGEX = /^network:[a-zA-Z0-9.-]+(:\\d+)?$/\n\n/**\n * Combined permission schema - validates against all permission types\n * Uses z.union with z.enum and z.string().regex() for better JSON Schema generation\n */\nexport const PermissionSchema = z\n .union([\n z.enum(VALID_PERMISSIONS),\n z.string().regex(NETWORK_PERMISSION_REGEX, 'Invalid network permission format'),\n ])\n .describe('Extension permission')\n\n/**\n * Check if a permission string is valid\n */\nexport function isValidPermission(permission: string): boolean {\n return PermissionSchema.safeParse(permission).success\n}\n\n// Re-export individual schemas for more specific validation if needed\nexport {\n NetworkPermissionSchema,\n StoragePermissionSchema,\n UserDataPermissionSchema,\n CapabilityPermissionSchema,\n SystemPermissionSchema,\n}\n\n// Type exports\nexport type Permission = z.infer<typeof PermissionSchema>\nexport type NetworkPermission = 'network:*' | `network:localhost` | `network:localhost:${number}` | `network:${string}`\nexport type StoragePermission = z.infer<typeof StoragePermissionSchema>\nexport type UserDataPermission = z.infer<typeof UserDataPermissionSchema>\nexport type CapabilityPermission = z.infer<typeof CapabilityPermissionSchema>\nexport type SystemPermission = z.infer<typeof SystemPermissionSchema>\n","/**\n * Contributions Schema\n *\n * Zod schemas for extension contributions: settings, panels, providers, tools, commands, prompts.\n */\n\nimport { z } from 'zod'\nimport { ExtensionComponentDataSchema } from './components.schema.js'\n\n// =============================================================================\n// Localization\n// =============================================================================\n\n/**\n * Localized string - either a simple string or a map of language codes to strings\n */\nexport const LocalizedStringSchema = z\n .union([z.string(), z.record(z.string())])\n .describe('String or localized string map')\n\n// =============================================================================\n// Settings\n// =============================================================================\n\n/**\n * Options mapping for select field options from tool response\n */\nexport const SettingOptionsMappingSchema = z\n .object({\n itemsKey: z.string().describe('Key for items array in tool result data'),\n valueKey: z.string().describe('Key for option value'),\n labelKey: z.string().describe('Key for option label'),\n descriptionKey: z.string().optional().describe('Optional key for description'),\n })\n .describe('Mapping for select field options')\n\n/**\n * Create mapping for create tool response\n */\nexport const SettingCreateMappingSchema = z\n .object({\n resultKey: z.string().optional().describe('Key for result data object'),\n valueKey: z.string().describe('Key for option value (defaults to \"id\")'),\n })\n .describe('Mapping for create tool response')\n\n/**\n * Validation rules for settings\n */\nexport const SettingValidationSchema = z\n .object({\n required: z.boolean().optional().describe('Whether the field is required'),\n min: z.number().optional().describe('Minimum value (number) or length (string)'),\n max: z.number().optional().describe('Maximum value (number) or length (string)'),\n pattern: z.string().optional().describe('Regex pattern for validation'),\n })\n .describe('Validation rules')\n\n/**\n * Setting definition type interface for recursive typing\n */\nexport interface SettingDefinitionType {\n id: string\n title: string\n description?: string\n type: 'string' | 'number' | 'boolean' | 'select'\n default?: unknown\n options?: { value: string; label: string }[]\n optionsToolId?: string\n optionsParams?: Record<string, unknown>\n optionsMapping?: z.infer<typeof SettingOptionsMappingSchema>\n createToolId?: string\n createLabel?: string\n createFields?: SettingDefinitionType[]\n createParams?: Record<string, unknown>\n createMapping?: z.infer<typeof SettingCreateMappingSchema>\n validation?: z.infer<typeof SettingValidationSchema>\n}\n\nexport const SettingDefinitionSchema: z.ZodType<SettingDefinitionType> = z.lazy(() =>\n z\n .object({\n id: z.string().describe('Setting ID (namespaced automatically)'),\n title: z.string().describe('Display title'),\n description: z.string().optional().describe('Help text'),\n type: z.enum(['string', 'number', 'boolean', 'select']).describe('Setting type'),\n default: z.unknown().optional().describe('Default value'),\n options: z\n .array(z.object({ value: z.string(), label: z.string() }))\n .optional()\n .describe('For select type: available options'),\n optionsToolId: z.string().optional().describe('For select type: load options from tool'),\n optionsParams: z.record(z.unknown()).optional().describe('Params for options tool'),\n optionsMapping: SettingOptionsMappingSchema.optional().describe('Mapping for options tool response'),\n createToolId: z.string().optional().describe('Tool ID for creating a new option'),\n createLabel: z.string().optional().describe('Label for create action'),\n createFields: z.array(SettingDefinitionSchema).optional().describe('Fields for create form'),\n createParams: z.record(z.unknown()).optional().describe('Static params for create tool'),\n createMapping: SettingCreateMappingSchema.optional().describe('Mapping for create tool response'),\n validation: SettingValidationSchema.optional().describe('Validation rules'),\n })\n .superRefine((data, ctx) => {\n // Validate that create* fields are only used with type: 'select'\n const hasCreateFields =\n data.createToolId !== undefined ||\n data.createLabel !== undefined ||\n data.createFields !== undefined ||\n data.createParams !== undefined ||\n data.createMapping !== undefined\n\n if (hasCreateFields && data.type !== 'select') {\n ctx.addIssue({\n code: z.ZodIssueCode.custom,\n message: 'create* fields (createToolId, createLabel, createFields, createParams, createMapping) are only valid for type \"select\"',\n path: ['type'],\n })\n }\n\n // Validate that select type has options or optionsToolId\n if (data.type === 'select') {\n const hasOptions = data.options && data.options.length > 0\n const hasOptionsToolId = data.optionsToolId !== undefined\n\n if (!hasOptions && !hasOptionsToolId) {\n ctx.addIssue({\n code: z.ZodIssueCode.custom,\n message: 'Setting of type \"select\" must have \"options\" or \"optionsToolId\"',\n path: ['type'],\n })\n }\n }\n })\n .describe('Setting definition')\n)\n\n// =============================================================================\n// Tool Settings Views\n// =============================================================================\n\n/**\n * Tool settings list mapping\n */\nexport const ToolSettingsListMappingSchema = z\n .object({\n itemsKey: z.string().describe('Key for items array in tool result data'),\n countKey: z.string().optional().describe('Key for total count'),\n idKey: z.string().describe('Key for item ID'),\n labelKey: z.string().describe('Key for item label'),\n descriptionKey: z.string().optional().describe('Key for item description'),\n secondaryKey: z.string().optional().describe('Key for secondary label'),\n })\n .describe('Mapping from tool list data to UI fields')\n\n/**\n * Action-based data source for tool settings\n */\nexport const ToolSettingsActionDataSourceSchema = z\n .object({\n action: z.string().describe('Action ID to call for fetching data'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass to the action'),\n refreshOn: z.array(z.string()).optional().describe('Event names that trigger refresh'),\n })\n .describe('Action-based data source')\n\n/**\n * List view backed by tools\n */\nexport const ToolSettingsListViewSchema = z\n .object({\n kind: z.literal('list').describe('View kind'),\n listToolId: z.string().describe('Tool ID for listing items'),\n getToolId: z.string().optional().describe('Tool ID for fetching details'),\n upsertToolId: z.string().optional().describe('Tool ID for creating/updating items'),\n deleteToolId: z.string().optional().describe('Tool ID for deleting items'),\n mapping: ToolSettingsListMappingSchema.describe('Mapping from tool data to UI'),\n searchParam: z.string().optional().describe('Param name for search query'),\n limitParam: z.string().optional().describe('Param name for limit'),\n idParam: z.string().optional().describe('Param name for get/delete ID'),\n listParams: z.record(z.unknown()).optional().describe('Static params for list tool'),\n })\n .describe('List view backed by tools')\n\n/**\n * Component-based tool settings view\n */\nexport const ToolSettingsComponentViewSchema = z\n .object({\n kind: z.literal('component').describe('View kind'),\n data: z.record(ToolSettingsActionDataSourceSchema).optional().describe('Data sources'),\n content: ExtensionComponentDataSchema.describe('Root component to render'),\n })\n .describe('Component-based tool settings view')\n\n/**\n * Tool settings view types\n */\nexport const ToolSettingsViewSchema = z\n .union([ToolSettingsListViewSchema, ToolSettingsComponentViewSchema])\n .describe('Tool settings view')\n\n/**\n * Tool settings view definition\n */\nexport const ToolSettingsViewDefinitionSchema = z\n .object({\n id: z.string().describe('Unique view ID within the extension'),\n title: z.string().describe('Display title'),\n description: z.string().optional().describe('Help text'),\n view: ToolSettingsViewSchema.describe('View configuration'),\n fields: z.array(SettingDefinitionSchema).optional().describe('Fields for create/edit forms'),\n })\n .describe('Tool settings view definition')\n\n// =============================================================================\n// Panels\n// =============================================================================\n\n/**\n * Action-based data source for panels\n */\nexport const PanelActionDataSourceSchema = z\n .object({\n action: z.string().describe('Action ID to call for fetching data'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass to the action'),\n refreshOn: z.array(z.string()).optional().describe('Event names that trigger refresh'),\n })\n .describe('Panel data source')\n\n/**\n * Component-based panel view\n */\nexport const PanelComponentViewSchema = z\n .object({\n kind: z.literal('component').describe('View kind'),\n data: z.record(PanelActionDataSourceSchema).optional().describe('Data sources'),\n content: ExtensionComponentDataSchema.describe('Root component to render'),\n })\n .describe('Component-based panel view')\n\n/**\n * Unknown panel view (for extensibility)\n */\nexport const PanelUnknownViewSchema = z\n .object({\n kind: z.string().describe('View kind'),\n })\n .passthrough()\n .describe('Unknown panel view')\n\n/**\n * Panel view schema\n */\nexport const PanelViewSchema = z\n .union([PanelComponentViewSchema, PanelUnknownViewSchema])\n .describe('Panel view')\n\n/**\n * Panel definition\n */\nexport const PanelDefinitionSchema = z\n .object({\n id: z.string().describe('Unique panel ID within the extension'),\n title: z.string().describe('Display title'),\n icon: z.string().optional().describe('Icon name (from huge-icons)'),\n view: PanelViewSchema.describe('Panel view schema'),\n })\n .describe('Panel definition')\n\n// =============================================================================\n// Providers\n// =============================================================================\n\n/**\n * Provider config property type\n */\nexport const ProviderConfigPropertyTypeSchema = z\n .enum(['string', 'number', 'boolean', 'select', 'password', 'url'])\n .describe('Property type')\n\n/**\n * Provider config select option\n */\nexport const ProviderConfigSelectOptionSchema = z\n .object({\n value: z.string().describe('Value stored in settings'),\n label: z.string().describe('Display label'),\n })\n .describe('Select option')\n\n/**\n * Provider config validation\n */\nexport const ProviderConfigValidationSchema = z\n .object({\n pattern: z.string().optional().describe('Regex pattern the value must match'),\n minLength: z.number().optional().describe('Minimum string length'),\n maxLength: z.number().optional().describe('Maximum string length'),\n min: z.number().optional().describe('Minimum number value'),\n max: z.number().optional().describe('Maximum number value'),\n })\n .describe('Validation rules')\n\n/**\n * Provider config property\n */\nexport const ProviderConfigPropertySchema = z\n .object({\n type: ProviderConfigPropertyTypeSchema.describe('Property type'),\n title: z.string().describe('Display label'),\n description: z.string().optional().describe('Help text'),\n default: z.unknown().optional().describe('Default value'),\n required: z.boolean().optional().describe('Whether the field is required'),\n placeholder: z.string().optional().describe('Placeholder text'),\n options: z.array(ProviderConfigSelectOptionSchema).optional().describe('For select type'),\n validation: ProviderConfigValidationSchema.optional().describe('Validation rules'),\n })\n .describe('Provider config property')\n\n/**\n * Provider config schema\n */\nexport const ProviderConfigSchemaSchema = z\n .object({\n properties: z.record(ProviderConfigPropertySchema).describe('Property definitions'),\n order: z.array(z.string()).optional().describe('Display order of properties'),\n })\n .describe('Provider configuration schema')\n\n/**\n * Provider definition\n */\nexport const ProviderDefinitionSchema = z\n .object({\n id: z.string().describe('Provider ID'),\n name: z.string().describe('Display name'),\n description: z.string().optional().describe('Description'),\n suggestedDefaultModel: z.string().optional().describe('Suggested default model'),\n defaultSettings: z.record(z.unknown()).optional().describe('Default settings'),\n configSchema: ProviderConfigSchemaSchema.optional().describe('Configuration UI schema'),\n })\n .describe('Provider definition')\n\n// =============================================================================\n// Tools\n// =============================================================================\n\n/**\n * Tool definition\n */\nexport const ToolDefinitionSchema = z\n .object({\n id: z.string().describe('Tool ID'),\n name: LocalizedStringSchema.describe('Display name'),\n description: LocalizedStringSchema.describe('Description for Stina'),\n parameters: z.record(z.unknown()).optional().describe('Parameter schema (JSON Schema)'),\n })\n .describe('Tool definition')\n\n// =============================================================================\n// Commands\n// =============================================================================\n\n/**\n * Command definition\n */\nexport const CommandDefinitionSchema = z\n .object({\n id: z.string().describe('Command ID (e.g., \"weather\" for /weather)'),\n name: z.string().describe('Display name'),\n description: z.string().describe('Description'),\n })\n .describe('Command definition')\n\n// =============================================================================\n// Prompts\n// =============================================================================\n\n/**\n * Prompt section\n */\nexport const PromptSectionSchema = z\n .enum(['system', 'behavior', 'tools'])\n .describe('Prompt section placement')\n\n/**\n * Prompt contribution\n */\nexport const PromptContributionSchema = z\n .object({\n id: z.string().describe('Unique ID within the extension'),\n title: z.string().optional().describe('Optional title for the prompt chunk'),\n section: PromptSectionSchema.optional().describe('Prompt section placement'),\n text: z.string().optional().describe('Plain text prompt content'),\n i18n: z.record(z.string()).optional().describe('Localized prompt content'),\n order: z.number().optional().describe('Ordering hint (lower comes first)'),\n })\n .describe('Prompt contribution')\n\n// =============================================================================\n// Storage\n// =============================================================================\n\n/**\n * Storage collection config schema\n */\nexport const StorageCollectionConfigSchema = z\n .object({\n indexes: z.array(z.string()).optional().describe('Fields to index for fast queries'),\n })\n .describe('Collection configuration')\n\n/**\n * Storage contributions schema\n */\nexport const StorageContributionsSchema = z\n .object({\n collections: z.record(StorageCollectionConfigSchema).describe('Collection definitions'),\n })\n .describe('Storage contributions')\n\n// =============================================================================\n// Extension Contributions\n// =============================================================================\n\n/**\n * Extension contributions\n */\nexport const ExtensionContributionsSchema = z\n .object({\n settings: z.array(SettingDefinitionSchema).optional().describe('User-configurable settings'),\n toolSettings: z.array(ToolSettingsViewDefinitionSchema).optional().describe('Tool settings views'),\n panels: z.array(PanelDefinitionSchema).optional().describe('Right panel contributions'),\n providers: z.array(ProviderDefinitionSchema).optional().describe('AI providers'),\n tools: z.array(ToolDefinitionSchema).optional().describe('Tools for Stina to use'),\n commands: z.array(CommandDefinitionSchema).optional().describe('Slash commands'),\n prompts: z.array(PromptContributionSchema).optional().describe('Prompt contributions'),\n storage: StorageContributionsSchema.optional().describe('Storage collection declarations'),\n })\n .describe('What an extension can contribute to Stina')\n\n// =============================================================================\n// Type Exports\n// =============================================================================\n\nexport type LocalizedString = z.infer<typeof LocalizedStringSchema>\nexport type SettingOptionsMapping = z.infer<typeof SettingOptionsMappingSchema>\nexport type SettingCreateMapping = z.infer<typeof SettingCreateMappingSchema>\nexport type SettingValidation = z.infer<typeof SettingValidationSchema>\nexport type SettingDefinition = z.infer<typeof SettingDefinitionSchema>\nexport type ToolSettingsListMapping = z.infer<typeof ToolSettingsListMappingSchema>\nexport type ToolSettingsActionDataSource = z.infer<typeof ToolSettingsActionDataSourceSchema>\nexport type ToolSettingsListView = z.infer<typeof ToolSettingsListViewSchema>\nexport type ToolSettingsComponentView = z.infer<typeof ToolSettingsComponentViewSchema>\nexport type ToolSettingsView = z.infer<typeof ToolSettingsViewSchema>\nexport type ToolSettingsViewDefinition = z.infer<typeof ToolSettingsViewDefinitionSchema>\nexport type PanelActionDataSource = z.infer<typeof PanelActionDataSourceSchema>\nexport type PanelComponentView = z.infer<typeof PanelComponentViewSchema>\nexport type PanelUnknownView = z.infer<typeof PanelUnknownViewSchema>\nexport type PanelView = z.infer<typeof PanelViewSchema>\nexport type PanelDefinition = z.infer<typeof PanelDefinitionSchema>\nexport type ProviderConfigPropertyType = z.infer<typeof ProviderConfigPropertyTypeSchema>\nexport type ProviderConfigSelectOption = z.infer<typeof ProviderConfigSelectOptionSchema>\nexport type ProviderConfigValidation = z.infer<typeof ProviderConfigValidationSchema>\nexport type ProviderConfigProperty = z.infer<typeof ProviderConfigPropertySchema>\nexport type ProviderConfigSchema = z.infer<typeof ProviderConfigSchemaSchema>\nexport type ProviderDefinition = z.infer<typeof ProviderDefinitionSchema>\nexport type ToolDefinition = z.infer<typeof ToolDefinitionSchema>\nexport type CommandDefinition = z.infer<typeof CommandDefinitionSchema>\nexport type PromptSection = z.infer<typeof PromptSectionSchema>\nexport type PromptContribution = z.infer<typeof PromptContributionSchema>\nexport type StorageCollectionConfig = z.infer<typeof StorageCollectionConfigSchema>\nexport type StorageContributions = z.infer<typeof StorageContributionsSchema>\nexport type ExtensionContributions = z.infer<typeof ExtensionContributionsSchema>\n","/**\n * Component Schema\n *\n * Zod schemas for extension UI components.\n */\n\nimport { z } from 'zod'\n\n// =============================================================================\n// CSS Properties\n// =============================================================================\n\n/**\n * Allowed CSS property names for extension component styling.\n */\nexport const AllowedCSSPropertySchema = z.enum([\n // Colors\n 'color',\n 'background-color',\n 'background',\n 'border-color',\n // Borders\n 'border',\n 'border-width',\n 'border-style',\n 'border-radius',\n 'border-top',\n 'border-right',\n 'border-bottom',\n 'border-left',\n 'border-top-left-radius',\n 'border-top-right-radius',\n 'border-bottom-left-radius',\n 'border-bottom-right-radius',\n // Spacing\n 'padding',\n 'padding-top',\n 'padding-right',\n 'padding-bottom',\n 'padding-left',\n 'margin',\n 'margin-top',\n 'margin-right',\n 'margin-bottom',\n 'margin-left',\n 'gap',\n 'row-gap',\n 'column-gap',\n // Typography\n 'font-size',\n 'font-weight',\n 'font-style',\n 'text-align',\n 'text-decoration',\n 'line-height',\n 'letter-spacing',\n 'white-space',\n 'word-break',\n 'overflow-wrap',\n // Layout (safe properties)\n 'width',\n 'height',\n 'min-width',\n 'min-height',\n 'max-width',\n 'max-height',\n 'flex',\n 'flex-grow',\n 'flex-shrink',\n 'flex-basis',\n 'flex-wrap',\n 'align-self',\n 'justify-self',\n 'align-items',\n 'justify-content',\n // Visual\n 'opacity',\n 'visibility',\n 'overflow',\n 'overflow-x',\n 'overflow-y',\n 'box-shadow',\n 'outline',\n 'cursor',\n 'border-collapse',\n 'border-spacing',\n])\n\n/**\n * Style object for extension components.\n */\nexport const ExtensionComponentStyleSchema = z\n .record(AllowedCSSPropertySchema, z.string())\n .describe('Safe CSS styles for the component')\n\n// =============================================================================\n// Base Component\n// =============================================================================\n\n/**\n * Base component data schema - allows additional properties\n */\nexport const ExtensionComponentDataSchema: z.ZodType<{\n component: string\n style?: Record<string, string>\n [key: string]: unknown\n}> = z.lazy(() =>\n z\n .object({\n component: z.string().describe('Component type name'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Extension component definition')\n)\n\n// =============================================================================\n// Action References\n// =============================================================================\n\n/**\n * Action call with parameters\n */\nexport const ExtensionActionCallSchema = z\n .object({\n action: z.string().describe('Name of the registered action'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass'),\n })\n .describe('Action call with parameters')\n\n/**\n * Action reference - can be a simple string or full action call\n */\nexport const ExtensionActionRefSchema = z\n .union([z.string(), ExtensionActionCallSchema])\n .describe('Action reference')\n\n// =============================================================================\n// Iterator & Children\n// =============================================================================\n\n/**\n * Iterator for rendering a list of components from data\n */\nexport const ExtensionComponentIteratorSchema = z\n .object({\n each: z.union([z.string(), z.array(z.unknown())]).describe('Data source to iterate over'),\n as: z.string().describe('Variable name for current item in scope'),\n items: z.array(ExtensionComponentDataSchema).describe('Components to render for each item'),\n })\n .describe('Iterator for rendering lists')\n\n/**\n * Children can be either a static array of components or an iterator\n */\nexport const ExtensionComponentChildrenSchema = z\n .union([z.array(ExtensionComponentDataSchema), ExtensionComponentIteratorSchema])\n .describe('Child components or iterator')\n\n// =============================================================================\n// Data Source\n// =============================================================================\n\n/**\n * Data source definition for fetching data via an action\n */\nexport const ExtensionDataSourceSchema = z\n .object({\n action: z.string().describe('Action to call for fetching data'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass to the action'),\n refreshOn: z.array(z.string()).optional().describe('Event names that trigger a refresh'),\n })\n .describe('Data source definition')\n\n// =============================================================================\n// Component Props Schemas\n// =============================================================================\n\nexport const HeaderPropsSchema = z\n .object({\n component: z.literal('Header'),\n level: z.number().min(1).max(6).describe('Heading level (1-6)'),\n title: z.string().describe('Header title'),\n description: z.union([z.string(), z.array(z.string())]).optional().describe('Description text'),\n icon: z.string().optional().describe('Icon name'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Header component')\n\nexport const LabelPropsSchema = z\n .object({\n component: z.literal('Label'),\n text: z.string().describe('Label text'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Label component')\n\nexport const ParagraphPropsSchema = z\n .object({\n component: z.literal('Paragraph'),\n text: z.string().describe('Paragraph text'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Paragraph component')\n\nexport const ButtonPropsSchema = z\n .object({\n component: z.literal('Button'),\n text: z.string().describe('Button text'),\n onClickAction: ExtensionActionRefSchema.describe('Action to call on click'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Button component')\n\nexport const TextInputPropsSchema = z\n .object({\n component: z.literal('TextInput'),\n label: z.string().describe('Input label'),\n placeholder: z.string().optional().describe('Placeholder text'),\n value: z.string().optional().describe('Current value'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('TextInput component')\n\nexport const DateTimeInputPropsSchema = z\n .object({\n component: z.literal('DateTimeInput'),\n label: z.string().describe('Input label'),\n value: z.string().optional().describe('Current value'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('DateTimeInput component')\n\nexport const SelectPropsSchema = z\n .object({\n component: z.literal('Select'),\n label: z.string().describe('Select label'),\n options: z.array(z.object({ label: z.string(), value: z.string() })).describe('Available options'),\n selectedValue: z.string().optional().describe('Currently selected value'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Select component')\n\nexport const IconPickerPropsSchema = z\n .object({\n component: z.literal('IconPicker'),\n label: z.string().optional().describe('Picker label'),\n value: z.string().optional().describe('Currently selected icon name'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('IconPicker component')\n\nexport const VerticalStackPropsSchema = z\n .object({\n component: z.literal('VerticalStack'),\n gap: z.number().optional().describe('Gap between children'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('VerticalStack layout component')\n\nexport const HorizontalStackPropsSchema = z\n .object({\n component: z.literal('HorizontalStack'),\n gap: z.number().optional().describe('Gap between children'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('HorizontalStack layout component')\n\nexport const GridPropsSchema = z\n .object({\n component: z.literal('Grid'),\n columns: z.number().describe('Number of columns'),\n gap: z.number().optional().describe('Gap between items'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Grid layout component')\n\nexport const DividerPropsSchema = z\n .object({\n component: z.literal('Divider'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Divider component')\n\nexport const IconPropsSchema = z\n .object({\n component: z.literal('Icon'),\n name: z.string().describe('Icon name'),\n title: z.string().optional().describe('Icon title'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Icon component')\n\nexport const IconButtonTypeSchema = z\n .enum(['normal', 'primary', 'danger', 'accent'])\n .describe('Button type')\n\nexport const IconButtonPropsSchema = z\n .object({\n component: z.literal('IconButton'),\n icon: z.string().describe('Icon name'),\n tooltip: z.string().describe('Tooltip text'),\n active: z.boolean().optional().describe('Whether the button is active'),\n disabled: z.boolean().optional().describe('Whether the button is disabled'),\n type: IconButtonTypeSchema.optional().describe('Button style type'),\n onClickAction: ExtensionActionRefSchema.describe('Action to call on click'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('IconButton component')\n\nexport const PanelActionSchema = z\n .object({\n icon: z.string().describe('Icon name'),\n tooltip: z.string().describe('Tooltip text'),\n action: ExtensionActionRefSchema.describe('Action to call'),\n type: IconButtonTypeSchema.optional().describe('Button style type'),\n })\n .describe('Panel action button')\n\nexport const PanelPropsSchema = z\n .object({\n component: z.literal('Panel'),\n title: z.string().describe('Panel title'),\n description: z.union([z.string(), z.array(z.string())]).optional().describe('Description text'),\n icon: z.string().optional().describe('Icon name'),\n actions: z.array(PanelActionSchema).optional().describe('Action buttons'),\n content: ExtensionComponentDataSchema.optional().describe('Panel content'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Panel component')\n\nexport const TogglePropsSchema = z\n .object({\n component: z.literal('Toggle'),\n label: z.string().optional().describe('Toggle label'),\n description: z.string().optional().describe('Description text'),\n checked: z.boolean().optional().describe('Whether the toggle is checked'),\n disabled: z.boolean().optional().describe('Whether the toggle is disabled'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Toggle component')\n\nexport const CollapsiblePropsSchema = z\n .object({\n component: z.literal('Collapsible'),\n title: z.string().describe('Title displayed in the header'),\n description: z.union([z.string(), z.array(z.string())]).optional().describe('Description text'),\n icon: z.string().optional().describe('Icon name'),\n defaultExpanded: z.boolean().optional().describe('Whether expanded by default'),\n content: ExtensionComponentDataSchema.optional().describe('Content when expanded'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Collapsible component')\n\nexport const PillVariantSchema = z\n .enum(['default', 'primary', 'success', 'warning', 'danger', 'accent'])\n .describe('Pill color variant')\n\nexport const PillPropsSchema = z\n .object({\n component: z.literal('Pill'),\n text: z.string().describe('Pill text'),\n icon: z.string().optional().describe('Icon name'),\n variant: PillVariantSchema.optional().describe('Color variant'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Pill component')\n\nexport const CheckboxPropsSchema = z\n .object({\n component: z.literal('Checkbox'),\n label: z.string().describe('Checkbox label'),\n checked: z.boolean().optional().describe('Whether the checkbox is checked'),\n disabled: z.boolean().optional().describe('Whether the checkbox is disabled'),\n strikethrough: z.boolean().optional().describe('Strike through label when checked'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Checkbox component')\n\nexport const MarkdownPropsSchema = z\n .object({\n component: z.literal('Markdown'),\n content: z.string().describe('Markdown content'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Markdown component')\n\nexport const ModalPropsSchema = z\n .object({\n component: z.literal('Modal'),\n title: z.string().describe('Modal title'),\n open: z.boolean().optional().describe('Whether the modal is open'),\n maxWidth: z.string().optional().describe('Max width of the modal'),\n body: ExtensionComponentDataSchema.optional().describe('Modal body content'),\n footer: ExtensionComponentDataSchema.optional().describe('Modal footer content'),\n onCloseAction: ExtensionActionRefSchema.optional().describe('Action to call on close'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Modal component')\n\nexport const ConditionalGroupPropsSchema = z\n .object({\n component: z.literal('ConditionalGroup'),\n condition: z.string().describe('Condition expression to evaluate'),\n children: ExtensionComponentChildrenSchema.describe('Children to render when condition is true'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('ConditionalGroup component')\n\n// =============================================================================\n// Type Exports\n// =============================================================================\n\nexport type AllowedCSSProperty = z.infer<typeof AllowedCSSPropertySchema>\nexport type ExtensionComponentStyle = z.infer<typeof ExtensionComponentStyleSchema>\nexport type ExtensionComponentData = z.infer<typeof ExtensionComponentDataSchema>\nexport type ExtensionActionCall = z.infer<typeof ExtensionActionCallSchema>\nexport type ExtensionActionRef = z.infer<typeof ExtensionActionRefSchema>\nexport type ExtensionComponentIterator = z.infer<typeof ExtensionComponentIteratorSchema>\nexport type ExtensionComponentChildren = z.infer<typeof ExtensionComponentChildrenSchema>\nexport type ExtensionDataSource = z.infer<typeof ExtensionDataSourceSchema>\nexport type IconButtonType = z.infer<typeof IconButtonTypeSchema>\nexport type PillVariant = z.infer<typeof PillVariantSchema>\nexport type PanelAction = z.infer<typeof PanelActionSchema>\nexport type HeaderProps = z.infer<typeof HeaderPropsSchema>\nexport type LabelProps = z.infer<typeof LabelPropsSchema>\nexport type ParagraphProps = z.infer<typeof ParagraphPropsSchema>\nexport type ButtonProps = z.infer<typeof ButtonPropsSchema>\nexport type TextInputProps = z.infer<typeof TextInputPropsSchema>\nexport type DateTimeInputProps = z.infer<typeof DateTimeInputPropsSchema>\nexport type SelectProps = z.infer<typeof SelectPropsSchema>\nexport type IconPickerProps = z.infer<typeof IconPickerPropsSchema>\nexport type VerticalStackProps = z.infer<typeof VerticalStackPropsSchema>\nexport type HorizontalStackProps = z.infer<typeof HorizontalStackPropsSchema>\nexport type GridProps = z.infer<typeof GridPropsSchema>\nexport type DividerProps = z.infer<typeof DividerPropsSchema>\nexport type IconProps = z.infer<typeof IconPropsSchema>\nexport type IconButtonProps = z.infer<typeof IconButtonPropsSchema>\nexport type PanelProps = z.infer<typeof PanelPropsSchema>\nexport type ToggleProps = z.infer<typeof TogglePropsSchema>\nexport type CollapsibleProps = z.infer<typeof CollapsiblePropsSchema>\nexport type PillProps = z.infer<typeof PillPropsSchema>\nexport type CheckboxProps = z.infer<typeof CheckboxPropsSchema>\nexport type MarkdownProps = z.infer<typeof MarkdownPropsSchema>\nexport type ModalProps = z.infer<typeof ModalPropsSchema>\nexport type ConditionalGroupProps = z.infer<typeof ConditionalGroupPropsSchema>\n"],"mappings":";;;AAOA,SAAS,KAAAA,UAAS;;;ACAlB,SAAS,SAAS;AAKX,IAAM,oBAAoB;AAAA,EAC/B;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AAKO,IAAM,sBAAsB;AAAA,EACjC;AAAA;AAAA,EACA;AAAA;AAAA,EACA;AAAA;AACF;AAKA,IAAM,0BAA0B,EAC7B,OAAO,EACP;AAAA,EACC,CAAC,QAAQ;AAEP,QAAI,QAAQ,eAAe,QAAQ,qBAAqB;AACtD,aAAO;AAAA,IACT;AAEA,WAAO,oBAAoB,KAAK,CAAC,YAAY,QAAQ,KAAK,GAAG,CAAC;AAAA,EAChE;AAAA,EACA,EAAE,SAAS,oCAAoC;AACjD,EACC,SAAS,0EAA0E;AAKtF,IAAM,0BAA0B,EAAE,KAAK,CAAC,uBAAuB,gBAAgB,CAAC,EAAE,SAAS,oBAAoB;AAK/G,IAAM,2BAA2B,EAC9B,KAAK,CAAC,qBAAqB,sBAAsB,qBAAqB,mBAAmB,CAAC,EAC1F,SAAS,6BAA6B;AAKzC,IAAM,6BAA6B,EAChC,KAAK;AAAA,EACJ;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF,CAAC,EACA,SAAS,uBAAuB;AAKnC,IAAM,yBAAyB,EAC5B,KAAK,CAAC,cAAc,eAAe,kBAAkB,iBAAiB,CAAC,EACvE,SAAS,mBAAmB;AAM/B,IAAM,2BAA2B;AAM1B,IAAM,mBAAmB,EAC7B,MAAM;AAAA,EACL,EAAE,KAAK,iBAAiB;AAAA,EACxB,EAAE,OAAO,EAAE,MAAM,0BAA0B,mCAAmC;AAChF,CAAC,EACA,SAAS,sBAAsB;AAK3B,SAAS,kBAAkB,YAA6B;AAC7D,SAAO,iBAAiB,UAAU,UAAU,EAAE;AAChD;;;ACrHA,SAAS,KAAAC,UAAS;;;ACAlB,SAAS,KAAAC,UAAS;AASX,IAAM,2BAA2BA,GAAE,KAAK;AAAA;AAAA,EAE7C;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF,CAAC;AAKM,IAAM,gCAAgCA,GAC1C,OAAO,0BAA0BA,GAAE,OAAO,CAAC,EAC3C,SAAS,mCAAmC;AASxC,IAAM,+BAIRA,GAAE;AAAA,EAAK,MACVA,GACG,OAAO;AAAA,IACN,WAAWA,GAAE,OAAO,EAAE,SAAS,qBAAqB;AAAA,IACpD,OAAO,8BAA8B,SAAS;AAAA,EAChD,CAAC,EACA,YAAY,EACZ,SAAS,gCAAgC;AAC9C;AASO,IAAM,4BAA4BA,GACtC,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,+BAA+B;AAAA,EAC3D,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,oBAAoB;AACxE,CAAC,EACA,SAAS,6BAA6B;AAKlC,IAAM,2BAA2BA,GACrC,MAAM,CAACA,GAAE,OAAO,GAAG,yBAAyB,CAAC,EAC7C,SAAS,kBAAkB;AASvB,IAAM,mCAAmCA,GAC7C,OAAO;AAAA,EACN,MAAMA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,QAAQ,CAAC,CAAC,CAAC,EAAE,SAAS,6BAA6B;AAAA,EACxF,IAAIA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AAAA,EACjE,OAAOA,GAAE,MAAM,4BAA4B,EAAE,SAAS,oCAAoC;AAC5F,CAAC,EACA,SAAS,8BAA8B;AAKnC,IAAM,mCAAmCA,GAC7C,MAAM,CAACA,GAAE,MAAM,4BAA4B,GAAG,gCAAgC,CAAC,EAC/E,SAAS,8BAA8B;AASnC,IAAM,4BAA4BA,GACtC,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,kCAAkC;AAAA,EAC9D,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EACpF,WAAWA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,oCAAoC;AACzF,CAAC,EACA,SAAS,wBAAwB;AAM7B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,OAAOA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,IAAI,CAAC,EAAE,SAAS,qBAAqB;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACzC,aAAaA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,OAAO,CAAC,CAAC,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9F,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,MAAMA,GAAE,OAAO,EAAE,SAAS,YAAY;AAAA,EACtC,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,iBAAiB;AAEtB,IAAM,uBAAuBA,GACjC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,WAAW;AAAA,EAChC,MAAMA,GAAE,OAAO,EAAE,SAAS,gBAAgB;AAAA,EAC1C,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,qBAAqB;AAE1B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,MAAMA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACvC,eAAe,yBAAyB,SAAS,yBAAyB;AAAA,EAC1E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,uBAAuBA,GACjC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,WAAW;AAAA,EAChC,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,EACrD,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,qBAAqB;AAE1B,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,eAAe;AAAA,EACpC,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,EACrD,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,yBAAyB;AAE9B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,OAAOA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACzC,SAASA,GAAE,MAAMA,GAAE,OAAO,EAAE,OAAOA,GAAE,OAAO,GAAG,OAAOA,GAAE,OAAO,EAAE,CAAC,CAAC,EAAE,SAAS,mBAAmB;AAAA,EACjG,eAAeA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,0BAA0B;AAAA,EACxE,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,wBAAwBA,GAClC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,YAAY;AAAA,EACjC,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EACpD,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACpE,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,sBAAsB;AAE3B,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,eAAe;AAAA,EACpC,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC1D,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gCAAgC;AAErC,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,iBAAiB;AAAA,EACtC,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC1D,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kCAAkC;AAEvC,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,SAASA,GAAE,OAAO,EAAE,SAAS,mBAAmB;AAAA,EAChD,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,mBAAmB;AAAA,EACvD,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,uBAAuB;AAE5B,IAAM,qBAAqBA,GAC/B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,SAAS;AAAA,EAC9B,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,mBAAmB;AAExB,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,YAAY;AAAA,EAClD,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gBAAgB;AAErB,IAAM,uBAAuBA,GACjC,KAAK,CAAC,UAAU,WAAW,UAAU,QAAQ,CAAC,EAC9C,SAAS,aAAa;AAElB,IAAM,wBAAwBA,GAClC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,YAAY;AAAA,EACjC,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,SAASA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EAC3C,QAAQA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACtE,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC1E,MAAM,qBAAqB,SAAS,EAAE,SAAS,mBAAmB;AAAA,EAClE,eAAe,yBAAyB,SAAS,yBAAyB;AAAA,EAC1E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,sBAAsB;AAE3B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,SAASA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EAC3C,QAAQ,yBAAyB,SAAS,gBAAgB;AAAA,EAC1D,MAAM,qBAAqB,SAAS,EAAE,SAAS,mBAAmB;AACpE,CAAC,EACA,SAAS,qBAAqB;AAE1B,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,aAAaA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,OAAO,CAAC,CAAC,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9F,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,SAASA,GAAE,MAAM,iBAAiB,EAAE,SAAS,EAAE,SAAS,gBAAgB;AAAA,EACxE,SAAS,6BAA6B,SAAS,EAAE,SAAS,eAAe;AAAA,EACzE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,iBAAiB;AAEtB,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EACpD,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9D,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,EACxE,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC1E,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,yBAAyBA,GACnC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,aAAa;AAAA,EAClC,OAAOA,GAAE,OAAO,EAAE,SAAS,+BAA+B;AAAA,EAC1D,aAAaA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,OAAO,CAAC,CAAC,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9F,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,iBAAiBA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EAC9E,SAAS,6BAA6B,SAAS,EAAE,SAAS,uBAAuB;AAAA,EACjF,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,uBAAuB;AAE5B,IAAM,oBAAoBA,GAC9B,KAAK,CAAC,WAAW,WAAW,WAAW,WAAW,UAAU,QAAQ,CAAC,EACrE,SAAS,oBAAoB;AAEzB,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,SAAS,kBAAkB,SAAS,EAAE,SAAS,eAAe;AAAA,EAC9D,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gBAAgB;AAErB,IAAM,sBAAsBA,GAChC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,UAAU;AAAA,EAC/B,OAAOA,GAAE,OAAO,EAAE,SAAS,gBAAgB;AAAA,EAC3C,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,iCAAiC;AAAA,EAC1E,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EAC5E,eAAeA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,mCAAmC;AAAA,EAClF,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,oBAAoB;AAEzB,IAAM,sBAAsBA,GAChC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,UAAU;AAAA,EAC/B,SAASA,GAAE,OAAO,EAAE,SAAS,kBAAkB;AAAA,EAC/C,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,oBAAoB;AAEzB,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,MAAMA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,2BAA2B;AAAA,EACjE,UAAUA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,wBAAwB;AAAA,EACjE,MAAM,6BAA6B,SAAS,EAAE,SAAS,oBAAoB;AAAA,EAC3E,QAAQ,6BAA6B,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC/E,eAAe,yBAAyB,SAAS,EAAE,SAAS,yBAAyB;AAAA,EACrF,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,iBAAiB;AAEtB,IAAM,8BAA8BA,GACxC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,kBAAkB;AAAA,EACvC,WAAWA,GAAE,OAAO,EAAE,SAAS,kCAAkC;AAAA,EACjE,UAAU,iCAAiC,SAAS,2CAA2C;AAAA,EAC/F,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,4BAA4B;;;ADtajC,IAAM,wBAAwBC,GAClC,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,OAAOA,GAAE,OAAO,CAAC,CAAC,CAAC,EACxC,SAAS,gCAAgC;AASrC,IAAM,8BAA8BA,GACxC,OAAO;AAAA,EACN,UAAUA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AAAA,EACvE,UAAUA,GAAE,OAAO,EAAE,SAAS,sBAAsB;AAAA,EACpD,UAAUA,GAAE,OAAO,EAAE,SAAS,sBAAsB;AAAA,EACpD,gBAAgBA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAC/E,CAAC,EACA,SAAS,kCAAkC;AAKvC,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,4BAA4B;AAAA,EACtE,UAAUA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AACzE,CAAC,EACA,SAAS,kCAAkC;AAKvC,IAAM,0BAA0BA,GACpC,OAAO;AAAA,EACN,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,EACzE,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,2CAA2C;AAAA,EAC/E,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,2CAA2C;AAAA,EAC/E,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AACxE,CAAC,EACA,SAAS,kBAAkB;AAuBvB,IAAM,0BAA4DA,GAAE;AAAA,EAAK,MAC9EA,GACG,OAAO;AAAA,IACN,IAAIA,GAAE,OAAO,EAAE,SAAS,uCAAuC;AAAA,IAC/D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,IAC1C,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,IACvD,MAAMA,GAAE,KAAK,CAAC,UAAU,UAAU,WAAW,QAAQ,CAAC,EAAE,SAAS,cAAc;AAAA,IAC/E,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,IACxD,SAASA,GACN,MAAMA,GAAE,OAAO,EAAE,OAAOA,GAAE,OAAO,GAAG,OAAOA,GAAE,OAAO,EAAE,CAAC,CAAC,EACxD,SAAS,EACT,SAAS,oCAAoC;AAAA,IAChD,eAAeA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yCAAyC;AAAA,IACvF,eAAeA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,yBAAyB;AAAA,IAClF,gBAAgB,4BAA4B,SAAS,EAAE,SAAS,mCAAmC;AAAA,IACnG,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,mCAAmC;AAAA,IAChF,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yBAAyB;AAAA,IACrE,cAAcA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,wBAAwB;AAAA,IAC3F,cAAcA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,IACvF,eAAe,2BAA2B,SAAS,EAAE,SAAS,kCAAkC;AAAA,IAChG,YAAY,wBAAwB,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC5E,CAAC,EACA,YAAY,CAAC,MAAM,QAAQ;AAE1B,UAAM,kBACJ,KAAK,iBAAiB,UACtB,KAAK,gBAAgB,UACrB,KAAK,iBAAiB,UACtB,KAAK,iBAAiB,UACtB,KAAK,kBAAkB;AAEzB,QAAI,mBAAmB,KAAK,SAAS,UAAU;AAC7C,UAAI,SAAS;AAAA,QACX,MAAMA,GAAE,aAAa;AAAA,QACrB,SAAS;AAAA,QACT,MAAM,CAAC,MAAM;AAAA,MACf,CAAC;AAAA,IACH;AAGA,QAAI,KAAK,SAAS,UAAU;AAC1B,YAAM,aAAa,KAAK,WAAW,KAAK,QAAQ,SAAS;AACzD,YAAM,mBAAmB,KAAK,kBAAkB;AAEhD,UAAI,CAAC,cAAc,CAAC,kBAAkB;AACpC,YAAI,SAAS;AAAA,UACX,MAAMA,GAAE,aAAa;AAAA,UACrB,SAAS;AAAA,UACT,MAAM,CAAC,MAAM;AAAA,QACf,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF,CAAC,EACA,SAAS,oBAAoB;AAClC;AASO,IAAM,gCAAgCA,GAC1C,OAAO;AAAA,EACN,UAAUA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AAAA,EACvE,UAAUA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,qBAAqB;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,iBAAiB;AAAA,EAC5C,UAAUA,GAAE,OAAO,EAAE,SAAS,oBAAoB;AAAA,EAClD,gBAAgBA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,0BAA0B;AAAA,EACzE,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yBAAyB;AACxE,CAAC,EACA,SAAS,0CAA0C;AAK/C,IAAM,qCAAqCA,GAC/C,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,qCAAqC;AAAA,EACjE,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EACpF,WAAWA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AACvF,CAAC,EACA,SAAS,0BAA0B;AAK/B,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,MAAMA,GAAE,QAAQ,MAAM,EAAE,SAAS,WAAW;AAAA,EAC5C,YAAYA,GAAE,OAAO,EAAE,SAAS,2BAA2B;AAAA,EAC3D,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACxE,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,qCAAqC;AAAA,EAClF,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,4BAA4B;AAAA,EACzE,SAAS,8BAA8B,SAAS,8BAA8B;AAAA,EAC9E,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EACzE,YAAYA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EACjE,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACtE,YAAYA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,6BAA6B;AACrF,CAAC,EACA,SAAS,2BAA2B;AAKhC,IAAM,kCAAkCA,GAC5C,OAAO;AAAA,EACN,MAAMA,GAAE,QAAQ,WAAW,EAAE,SAAS,WAAW;AAAA,EACjD,MAAMA,GAAE,OAAO,kCAAkC,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EACrF,SAAS,6BAA6B,SAAS,0BAA0B;AAC3E,CAAC,EACA,SAAS,oCAAoC;AAKzC,IAAM,yBAAyBA,GACnC,MAAM,CAAC,4BAA4B,+BAA+B,CAAC,EACnE,SAAS,oBAAoB;AAKzB,IAAM,mCAAmCA,GAC7C,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,qCAAqC;AAAA,EAC7D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,EAC1C,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EACvD,MAAM,uBAAuB,SAAS,oBAAoB;AAAA,EAC1D,QAAQA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAC7F,CAAC,EACA,SAAS,+BAA+B;AASpC,IAAM,8BAA8BA,GACxC,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,qCAAqC;AAAA,EACjE,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EACpF,WAAWA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AACvF,CAAC,EACA,SAAS,mBAAmB;AAKxB,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,MAAMA,GAAE,QAAQ,WAAW,EAAE,SAAS,WAAW;AAAA,EACjD,MAAMA,GAAE,OAAO,2BAA2B,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EAC9E,SAAS,6BAA6B,SAAS,0BAA0B;AAC3E,CAAC,EACA,SAAS,4BAA4B;AAKjC,IAAM,yBAAyBA,GACnC,OAAO;AAAA,EACN,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AACvC,CAAC,EACA,YAAY,EACZ,SAAS,oBAAoB;AAKzB,IAAM,kBAAkBA,GAC5B,MAAM,CAAC,0BAA0B,sBAAsB,CAAC,EACxD,SAAS,YAAY;AAKjB,IAAM,wBAAwBA,GAClC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,sCAAsC;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,EAC1C,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EAClE,MAAM,gBAAgB,SAAS,mBAAmB;AACpD,CAAC,EACA,SAAS,kBAAkB;AASvB,IAAM,mCAAmCA,GAC7C,KAAK,CAAC,UAAU,UAAU,WAAW,UAAU,YAAY,KAAK,CAAC,EACjE,SAAS,eAAe;AAKpB,IAAM,mCAAmCA,GAC7C,OAAO;AAAA,EACN,OAAOA,GAAE,OAAO,EAAE,SAAS,0BAA0B;AAAA,EACrD,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAC5C,CAAC,EACA,SAAS,eAAe;AAKpB,IAAM,iCAAiCA,GAC3C,OAAO;AAAA,EACN,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,oCAAoC;AAAA,EAC5E,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,uBAAuB;AAAA,EACjE,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,uBAAuB;AAAA,EACjE,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC1D,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAC5D,CAAC,EACA,SAAS,kBAAkB;AAKvB,IAAM,+BAA+BA,GACzC,OAAO;AAAA,EACN,MAAM,iCAAiC,SAAS,eAAe;AAAA,EAC/D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,EAC1C,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EACvD,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,EACxD,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,EACzE,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9D,SAASA,GAAE,MAAM,gCAAgC,EAAE,SAAS,EAAE,SAAS,iBAAiB;AAAA,EACxF,YAAY,+BAA+B,SAAS,EAAE,SAAS,kBAAkB;AACnF,CAAC,EACA,SAAS,0BAA0B;AAK/B,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,YAAYA,GAAE,OAAO,4BAA4B,EAAE,SAAS,sBAAsB;AAAA,EAClF,OAAOA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAC9E,CAAC,EACA,SAAS,+BAA+B;AAKpC,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACrC,MAAMA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACxC,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,aAAa;AAAA,EACzD,uBAAuBA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yBAAyB;AAAA,EAC/E,iBAAiBA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC7E,cAAc,2BAA2B,SAAS,EAAE,SAAS,yBAAyB;AACxF,CAAC,EACA,SAAS,qBAAqB;AAS1B,IAAM,uBAAuBA,GACjC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,SAAS;AAAA,EACjC,MAAM,sBAAsB,SAAS,cAAc;AAAA,EACnD,aAAa,sBAAsB,SAAS,uBAAuB;AAAA,EACnE,YAAYA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,gCAAgC;AACxF,CAAC,EACA,SAAS,iBAAiB;AAStB,IAAM,0BAA0BA,GACpC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,2CAA2C;AAAA,EACnE,MAAMA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACxC,aAAaA,GAAE,OAAO,EAAE,SAAS,aAAa;AAChD,CAAC,EACA,SAAS,oBAAoB;AASzB,IAAM,sBAAsBA,GAChC,KAAK,CAAC,UAAU,YAAY,OAAO,CAAC,EACpC,SAAS,0BAA0B;AAK/B,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,gCAAgC;AAAA,EACxD,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,qCAAqC;AAAA,EAC3E,SAAS,oBAAoB,SAAS,EAAE,SAAS,0BAA0B;AAAA,EAC3E,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,2BAA2B;AAAA,EAChE,MAAMA,GAAE,OAAOA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,0BAA0B;AAAA,EACzE,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,mCAAmC;AAC3E,CAAC,EACA,SAAS,qBAAqB;AAS1B,IAAM,gCAAgCA,GAC1C,OAAO;AAAA,EACN,SAASA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AACrF,CAAC,EACA,SAAS,0BAA0B;AAK/B,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,aAAaA,GAAE,OAAO,6BAA6B,EAAE,SAAS,wBAAwB;AACxF,CAAC,EACA,SAAS,uBAAuB;AAS5B,IAAM,+BAA+BA,GACzC,OAAO;AAAA,EACN,UAAUA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,4BAA4B;AAAA,EAC3F,cAAcA,GAAE,MAAM,gCAAgC,EAAE,SAAS,EAAE,SAAS,qBAAqB;AAAA,EACjG,QAAQA,GAAE,MAAM,qBAAqB,EAAE,SAAS,EAAE,SAAS,2BAA2B;AAAA,EACtF,WAAWA,GAAE,MAAM,wBAAwB,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EAC/E,OAAOA,GAAE,MAAM,oBAAoB,EAAE,SAAS,EAAE,SAAS,wBAAwB;AAAA,EACjF,UAAUA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,gBAAgB;AAAA,EAC/E,SAASA,GAAE,MAAM,wBAAwB,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EACrF,SAAS,2BAA2B,SAAS,EAAE,SAAS,iCAAiC;AAC3F,CAAC,EACA,SAAS,2CAA2C;;;AFxahD,IAAM,iBAAiBC,GAC3B,KAAK,CAAC,OAAO,YAAY,KAAK,CAAC,EAC/B,SAAS,oBAAoB;AAKzB,IAAM,eAAeA,GACzB,OAAO;AAAA,EACN,MAAMA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,SAAS,aAAa;AAAA,EAC9C,KAAKA,GAAE,OAAO,EAAE,IAAI,EAAE,SAAS,EAAE,SAAS,YAAY;AACxD,CAAC,EACA,SAAS,oBAAoB;AAKzB,IAAM,gBAAgBA,GAC1B,OAAO;AAAA,EACN,OAAOA,GAAE,OAAO,EAAE,SAAS,gCAAgC;AAC7D,CAAC,EACA,SAAS,qBAAqB;AAK1B,IAAM,0BAA0BA,GACpC,OAAO;AAAA,EACN,IAAIA,GACD,OAAO,EACP,MAAM,gBAAgB,gDAAgD,EACtE,SAAS,6CAA6C;AAAA,EACzD,MAAMA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,SAAS,qBAAqB;AAAA,EACtD,SAASA,GACN,OAAO,EACP,MAAM,kBAAkB,uCAAuC,EAC/D,SAAS,yBAAyB;AAAA,EACrC,aAAaA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,SAAS,mBAAmB;AAAA,EAC3D,QAAQ,aAAa,SAAS,oBAAoB;AAAA,EAClD,YAAYA,GAAE,OAAO,EAAE,IAAI,EAAE,SAAS,EAAE,SAAS,gBAAgB;AAAA,EACjE,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,oBAAoB;AAAA,EAC5D,SAAS,cAAc,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC3E,WAAWA,GAAE,MAAM,cAAc,EAAE,SAAS,EAAE,SAAS,qBAAqB;AAAA,EAC5E,MAAMA,GAAE,OAAO,EAAE,SAAS,+CAA+C;AAAA,EACzE,aAAaA,GAAE,MAAM,gBAAgB,EAAE,SAAS,sBAAsB;AAAA,EACtE,aAAa,6BAA6B,SAAS,EAAE,SAAS,gCAAgC;AAChG,CAAC,EACA,SAAS,2BAA2B;","names":["z","z","z","z","z"]}
1
+ {"version":3,"sources":["../../src/schemas/manifest.schema.ts","../../src/schemas/permissions.schema.ts","../../src/schemas/contributions.schema.ts","../../src/schemas/components.schema.ts"],"sourcesContent":["/**\n * Manifest Schema\n *\n * Zod schema for extension manifest files (manifest.json).\n * This is the main schema that combines all sub-schemas.\n */\n\nimport { z } from 'zod'\nimport { PermissionSchema } from './permissions.schema.js'\nimport { ExtensionContributionsSchema } from './contributions.schema.js'\n\n/**\n * Platform schema\n */\nexport const PlatformSchema = z\n .enum(['web', 'electron', 'tui'])\n .describe('Supported platform')\n\n/**\n * Author schema\n */\nexport const AuthorSchema = z\n .object({\n name: z.string().min(1).describe('Author name'),\n url: z.string().url().optional().describe('Author URL'),\n })\n .describe('Author information')\n\n/**\n * Engines schema\n */\nexport const EnginesSchema = z\n .object({\n stina: z.string().describe('Minimum Stina version required'),\n })\n .describe('Engine requirements')\n\n/**\n * Extension manifest schema\n */\nexport const ExtensionManifestSchema = z\n .object({\n id: z\n .string()\n .regex(/^[a-z0-9-]+$/, 'ID must be lowercase alphanumeric with hyphens')\n .describe('Unique identifier (e.g., \"ollama-provider\")'),\n name: z.string().min(1).describe('Human-readable name'),\n version: z\n .string()\n .regex(/^\\d+\\.\\d+\\.\\d+/, 'Must be semver format (e.g., \"1.0.0\")')\n .describe('Version string (semver)'),\n description: z.string().min(1).describe('Short description'),\n author: AuthorSchema.describe('Author information'),\n repository: z.string().url().optional().describe('Repository URL'),\n license: z.string().optional().describe('License identifier'),\n engines: EnginesSchema.optional().describe('Minimum Stina version required'),\n platforms: z.array(PlatformSchema).optional().describe('Supported platforms'),\n main: z.string().describe('Entry point file (relative to extension root)'),\n permissions: z.array(PermissionSchema).describe('Required permissions'),\n contributes: ExtensionContributionsSchema.optional().describe('What the extension contributes'),\n })\n .describe('Extension manifest format')\n\n// =============================================================================\n// Type Exports\n// =============================================================================\n\nexport type Platform = z.infer<typeof PlatformSchema>\nexport type Author = z.infer<typeof AuthorSchema>\nexport type Engines = z.infer<typeof EnginesSchema>\nexport type ExtensionManifest = z.infer<typeof ExtensionManifestSchema>\n","/**\n * Permission Schema\n *\n * Zod schema for extension permission strings.\n * Generates both TypeScript types and JSON Schema.\n */\n\nimport { z } from 'zod'\n\n/**\n * Valid exact permission values\n */\nexport const VALID_PERMISSIONS = [\n 'network:*',\n 'network:localhost',\n 'storage.collections',\n 'secrets.manage',\n 'user.profile.read',\n 'user.location.read',\n 'chat.history.read',\n 'chat.current.read',\n 'chat.message.write',\n 'provider.register',\n 'tools.register',\n 'actions.register',\n 'settings.register',\n 'commands.register',\n 'panels.register',\n 'events.emit',\n 'scheduler.register',\n 'background.workers',\n 'files.read',\n 'files.write',\n 'clipboard.read',\n 'clipboard.write',\n] as const\n\n/**\n * Permission patterns for dynamic permissions (network with host/port)\n */\nexport const PERMISSION_PATTERNS = [\n /^network:localhost:\\d+$/, // network:localhost:11434\n /^network:[a-zA-Z0-9.-]+$/, // network:api.example.com\n /^network:[a-zA-Z0-9.-]+:\\d+$/, // network:api.example.com:8080\n]\n\n/**\n * Network permission schema - matches exact values and patterns\n */\nconst NetworkPermissionSchema = z\n .string()\n .refine(\n (val) => {\n // Check exact matches first\n if (val === 'network:*' || val === 'network:localhost') {\n return true\n }\n // Check dynamic patterns\n return PERMISSION_PATTERNS.some((pattern) => pattern.test(val))\n },\n { message: 'Invalid network permission format' }\n )\n .describe('Network access permission (e.g., \"network:*\", \"network:localhost:11434\")')\n\n/**\n * Storage permission schema\n */\nconst StoragePermissionSchema = z.enum(['storage.collections', 'secrets.manage']).describe('Storage permission')\n\n/**\n * User data permission schema\n */\nconst UserDataPermissionSchema = z\n .enum(['user.profile.read', 'user.location.read', 'chat.history.read', 'chat.current.read'])\n .describe('User data access permission')\n\n/**\n * Capability permission schema\n */\nconst CapabilityPermissionSchema = z\n .enum([\n 'provider.register',\n 'tools.register',\n 'actions.register',\n 'settings.register',\n 'commands.register',\n 'panels.register',\n 'events.emit',\n 'scheduler.register',\n 'chat.message.write',\n 'background.workers',\n ])\n .describe('Capability permission')\n\n/**\n * System permission schema\n */\nconst SystemPermissionSchema = z\n .enum(['files.read', 'files.write', 'clipboard.read', 'clipboard.write'])\n .describe('System permission')\n\n/**\n * Regex pattern for dynamic network permissions (host with optional port)\n * Matches: network:api.example.com, network:localhost:11434, network:api.example.com:8080\n */\nconst NETWORK_PERMISSION_REGEX = /^network:[a-zA-Z0-9.-]+(:\\d+)?$/\n\n/**\n * Combined permission schema - validates against all permission types\n * Uses z.union with z.enum and z.string().regex() for better JSON Schema generation\n */\nexport const PermissionSchema = z\n .union([\n z.enum(VALID_PERMISSIONS),\n z.string().regex(NETWORK_PERMISSION_REGEX, 'Invalid network permission format'),\n ])\n .describe('Extension permission')\n\n/**\n * Check if a permission string is valid\n */\nexport function isValidPermission(permission: string): boolean {\n return PermissionSchema.safeParse(permission).success\n}\n\n// Re-export individual schemas for more specific validation if needed\nexport {\n NetworkPermissionSchema,\n StoragePermissionSchema,\n UserDataPermissionSchema,\n CapabilityPermissionSchema,\n SystemPermissionSchema,\n}\n\n// Type exports\nexport type Permission = z.infer<typeof PermissionSchema>\nexport type NetworkPermission = 'network:*' | `network:localhost` | `network:localhost:${number}` | `network:${string}`\nexport type StoragePermission = z.infer<typeof StoragePermissionSchema>\nexport type UserDataPermission = z.infer<typeof UserDataPermissionSchema>\nexport type CapabilityPermission = z.infer<typeof CapabilityPermissionSchema>\nexport type SystemPermission = z.infer<typeof SystemPermissionSchema>\n","/**\n * Contributions Schema\n *\n * Zod schemas for extension contributions: settings, panels, providers, tools, commands, prompts.\n */\n\nimport { z } from 'zod'\nimport { ExtensionComponentDataSchema } from './components.schema.js'\n\n// =============================================================================\n// Localization\n// =============================================================================\n\n/**\n * Localized string - either a simple string or a map of language codes to strings\n */\nexport const LocalizedStringSchema = z\n .union([z.string(), z.record(z.string())])\n .describe('String or localized string map')\n\n// =============================================================================\n// Settings\n// =============================================================================\n\n/**\n * Options mapping for select field options from tool response\n */\nexport const SettingOptionsMappingSchema = z\n .object({\n itemsKey: z.string().describe('Key for items array in tool result data'),\n valueKey: z.string().describe('Key for option value'),\n labelKey: z.string().describe('Key for option label'),\n descriptionKey: z.string().optional().describe('Optional key for description'),\n })\n .describe('Mapping for select field options')\n\n/**\n * Create mapping for create tool response\n */\nexport const SettingCreateMappingSchema = z\n .object({\n resultKey: z.string().optional().describe('Key for result data object'),\n valueKey: z.string().describe('Key for option value (defaults to \"id\")'),\n })\n .describe('Mapping for create tool response')\n\n/**\n * Validation rules for settings\n */\nexport const SettingValidationSchema = z\n .object({\n required: z.boolean().optional().describe('Whether the field is required'),\n min: z.number().optional().describe('Minimum value (number) or length (string)'),\n max: z.number().optional().describe('Maximum value (number) or length (string)'),\n pattern: z.string().optional().describe('Regex pattern for validation'),\n })\n .describe('Validation rules')\n\n/**\n * Setting definition type interface for recursive typing\n */\nexport interface SettingDefinitionType {\n id: string\n title: string\n description?: string\n type: 'string' | 'number' | 'boolean' | 'select'\n default?: unknown\n options?: { value: string; label: string }[]\n optionsToolId?: string\n optionsParams?: Record<string, unknown>\n optionsMapping?: z.infer<typeof SettingOptionsMappingSchema>\n createToolId?: string\n createLabel?: string\n createFields?: SettingDefinitionType[]\n createParams?: Record<string, unknown>\n createMapping?: z.infer<typeof SettingCreateMappingSchema>\n validation?: z.infer<typeof SettingValidationSchema>\n}\n\nexport const SettingDefinitionSchema: z.ZodType<SettingDefinitionType> = z.lazy(() =>\n z\n .object({\n id: z.string().describe('Setting ID (namespaced automatically)'),\n title: z.string().describe('Display title'),\n description: z.string().optional().describe('Help text'),\n type: z.enum(['string', 'number', 'boolean', 'select']).describe('Setting type'),\n default: z.unknown().optional().describe('Default value'),\n options: z\n .array(z.object({ value: z.string(), label: z.string() }))\n .optional()\n .describe('For select type: available options'),\n optionsToolId: z.string().optional().describe('For select type: load options from tool'),\n optionsParams: z.record(z.unknown()).optional().describe('Params for options tool'),\n optionsMapping: SettingOptionsMappingSchema.optional().describe('Mapping for options tool response'),\n createToolId: z.string().optional().describe('Tool ID for creating a new option'),\n createLabel: z.string().optional().describe('Label for create action'),\n createFields: z.array(SettingDefinitionSchema).optional().describe('Fields for create form'),\n createParams: z.record(z.unknown()).optional().describe('Static params for create tool'),\n createMapping: SettingCreateMappingSchema.optional().describe('Mapping for create tool response'),\n validation: SettingValidationSchema.optional().describe('Validation rules'),\n })\n .superRefine((data, ctx) => {\n // Validate that create* fields are only used with type: 'select'\n const hasCreateFields =\n data.createToolId !== undefined ||\n data.createLabel !== undefined ||\n data.createFields !== undefined ||\n data.createParams !== undefined ||\n data.createMapping !== undefined\n\n if (hasCreateFields && data.type !== 'select') {\n ctx.addIssue({\n code: z.ZodIssueCode.custom,\n message: 'create* fields (createToolId, createLabel, createFields, createParams, createMapping) are only valid for type \"select\"',\n path: ['type'],\n })\n }\n\n // Validate that select type has options or optionsToolId\n if (data.type === 'select') {\n const hasOptions = data.options && data.options.length > 0\n const hasOptionsToolId = data.optionsToolId !== undefined\n\n if (!hasOptions && !hasOptionsToolId) {\n ctx.addIssue({\n code: z.ZodIssueCode.custom,\n message: 'Setting of type \"select\" must have \"options\" or \"optionsToolId\"',\n path: ['type'],\n })\n }\n }\n })\n .describe('Setting definition')\n)\n\n// =============================================================================\n// Tool Settings Views\n// =============================================================================\n\n/**\n * Tool settings list mapping\n */\nexport const ToolSettingsListMappingSchema = z\n .object({\n itemsKey: z.string().describe('Key for items array in tool result data'),\n countKey: z.string().optional().describe('Key for total count'),\n idKey: z.string().describe('Key for item ID'),\n labelKey: z.string().describe('Key for item label'),\n descriptionKey: z.string().optional().describe('Key for item description'),\n secondaryKey: z.string().optional().describe('Key for secondary label'),\n })\n .describe('Mapping from tool list data to UI fields')\n\n/**\n * Action-based data source for tool settings\n */\nexport const ToolSettingsActionDataSourceSchema = z\n .object({\n action: z.string().describe('Action ID to call for fetching data'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass to the action'),\n refreshOn: z.array(z.string()).optional().describe('Event names that trigger refresh'),\n })\n .describe('Action-based data source')\n\n/**\n * List view backed by tools\n */\nexport const ToolSettingsListViewSchema = z\n .object({\n kind: z.literal('list').describe('View kind'),\n listToolId: z.string().describe('Tool ID for listing items'),\n getToolId: z.string().optional().describe('Tool ID for fetching details'),\n upsertToolId: z.string().optional().describe('Tool ID for creating/updating items'),\n deleteToolId: z.string().optional().describe('Tool ID for deleting items'),\n mapping: ToolSettingsListMappingSchema.describe('Mapping from tool data to UI'),\n searchParam: z.string().optional().describe('Param name for search query'),\n limitParam: z.string().optional().describe('Param name for limit'),\n idParam: z.string().optional().describe('Param name for get/delete ID'),\n listParams: z.record(z.unknown()).optional().describe('Static params for list tool'),\n })\n .describe('List view backed by tools')\n\n/**\n * Component-based tool settings view\n */\nexport const ToolSettingsComponentViewSchema = z\n .object({\n kind: z.literal('component').describe('View kind'),\n data: z.record(ToolSettingsActionDataSourceSchema).optional().describe('Data sources'),\n content: ExtensionComponentDataSchema.describe('Root component to render'),\n })\n .describe('Component-based tool settings view')\n\n/**\n * Tool settings view types\n */\nexport const ToolSettingsViewSchema = z\n .union([ToolSettingsListViewSchema, ToolSettingsComponentViewSchema])\n .describe('Tool settings view')\n\n/**\n * Tool settings view definition\n */\nexport const ToolSettingsViewDefinitionSchema = z\n .object({\n id: z.string().describe('Unique view ID within the extension'),\n title: z.string().describe('Display title'),\n description: z.string().optional().describe('Help text'),\n view: ToolSettingsViewSchema.describe('View configuration'),\n fields: z.array(SettingDefinitionSchema).optional().describe('Fields for create/edit forms'),\n })\n .describe('Tool settings view definition')\n\n// =============================================================================\n// Panels\n// =============================================================================\n\n/**\n * Action-based data source for panels\n */\nexport const PanelActionDataSourceSchema = z\n .object({\n action: z.string().describe('Action ID to call for fetching data'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass to the action'),\n refreshOn: z.array(z.string()).optional().describe('Event names that trigger refresh'),\n })\n .describe('Panel data source')\n\n/**\n * Component-based panel view\n */\nexport const PanelComponentViewSchema = z\n .object({\n kind: z.literal('component').describe('View kind'),\n data: z.record(PanelActionDataSourceSchema).optional().describe('Data sources'),\n content: ExtensionComponentDataSchema.describe('Root component to render'),\n })\n .describe('Component-based panel view')\n\n/**\n * Unknown panel view (for extensibility)\n */\nexport const PanelUnknownViewSchema = z\n .object({\n kind: z.string().describe('View kind'),\n })\n .passthrough()\n .describe('Unknown panel view')\n\n/**\n * Panel view schema\n */\nexport const PanelViewSchema = z\n .union([PanelComponentViewSchema, PanelUnknownViewSchema])\n .describe('Panel view')\n\n/**\n * Panel definition\n */\nexport const PanelDefinitionSchema = z\n .object({\n id: z.string().describe('Unique panel ID within the extension'),\n title: z.string().describe('Display title'),\n icon: z.string().optional().describe('Icon name (from huge-icons)'),\n view: PanelViewSchema.describe('Panel view schema'),\n })\n .describe('Panel definition')\n\n// =============================================================================\n// Providers\n// =============================================================================\n\n/**\n * Provider config property type\n */\nexport const ProviderConfigPropertyTypeSchema = z\n .enum(['string', 'number', 'boolean', 'select', 'password', 'url'])\n .describe('Property type')\n\n/**\n * Provider config select option\n */\nexport const ProviderConfigSelectOptionSchema = z\n .object({\n value: z.string().describe('Value stored in settings'),\n label: z.string().describe('Display label'),\n })\n .describe('Select option')\n\n/**\n * Provider config validation\n */\nexport const ProviderConfigValidationSchema = z\n .object({\n pattern: z.string().optional().describe('Regex pattern the value must match'),\n minLength: z.number().optional().describe('Minimum string length'),\n maxLength: z.number().optional().describe('Maximum string length'),\n min: z.number().optional().describe('Minimum number value'),\n max: z.number().optional().describe('Maximum number value'),\n })\n .describe('Validation rules')\n\n/**\n * Provider config property\n */\nexport const ProviderConfigPropertySchema = z\n .object({\n type: ProviderConfigPropertyTypeSchema.describe('Property type'),\n title: z.string().describe('Display label'),\n description: z.string().optional().describe('Help text'),\n default: z.unknown().optional().describe('Default value'),\n required: z.boolean().optional().describe('Whether the field is required'),\n placeholder: z.string().optional().describe('Placeholder text'),\n options: z.array(ProviderConfigSelectOptionSchema).optional().describe('For select type'),\n validation: ProviderConfigValidationSchema.optional().describe('Validation rules'),\n })\n .describe('Provider config property')\n\n/**\n * Provider config schema\n */\nexport const ProviderConfigSchemaSchema = z\n .object({\n properties: z.record(ProviderConfigPropertySchema).describe('Property definitions'),\n order: z.array(z.string()).optional().describe('Display order of properties'),\n })\n .describe('Provider configuration schema')\n\n/**\n * Provider definition\n */\nexport const ProviderDefinitionSchema = z\n .object({\n id: z.string().describe('Provider ID'),\n name: z.string().describe('Display name'),\n description: z.string().optional().describe('Description'),\n suggestedDefaultModel: z.string().optional().describe('Suggested default model'),\n defaultSettings: z.record(z.unknown()).optional().describe('Default settings'),\n configSchema: ProviderConfigSchemaSchema.optional().describe('Configuration UI schema'),\n })\n .describe('Provider definition')\n\n// =============================================================================\n// Tools\n// =============================================================================\n\n/**\n * Tool definition\n */\nexport const ToolDefinitionSchema = z\n .object({\n id: z.string().describe('Tool ID'),\n name: LocalizedStringSchema.describe('Display name'),\n description: LocalizedStringSchema.describe('Description for Stina'),\n parameters: z.record(z.unknown()).optional().describe('Parameter schema (JSON Schema)'),\n })\n .describe('Tool definition')\n\n// =============================================================================\n// Commands\n// =============================================================================\n\n/**\n * Command definition\n */\nexport const CommandDefinitionSchema = z\n .object({\n id: z.string().describe('Command ID (e.g., \"weather\" for /weather)'),\n name: z.string().describe('Display name'),\n description: z.string().describe('Description'),\n })\n .describe('Command definition')\n\n// =============================================================================\n// Prompts\n// =============================================================================\n\n/**\n * Prompt section\n */\nexport const PromptSectionSchema = z\n .enum(['system', 'behavior', 'tools'])\n .describe('Prompt section placement')\n\n/**\n * Prompt contribution\n */\nexport const PromptContributionSchema = z\n .object({\n id: z.string().describe('Unique ID within the extension'),\n title: z.string().optional().describe('Optional title for the prompt chunk'),\n section: PromptSectionSchema.optional().describe('Prompt section placement'),\n text: z.string().optional().describe('Plain text prompt content'),\n i18n: z.record(z.string()).optional().describe('Localized prompt content'),\n order: z.number().optional().describe('Ordering hint (lower comes first)'),\n })\n .describe('Prompt contribution')\n\n// =============================================================================\n// Storage\n// =============================================================================\n\n/**\n * Storage collection config schema\n */\nexport const StorageCollectionConfigSchema = z\n .object({\n indexes: z.array(z.string()).optional().describe('Fields to index for fast queries'),\n })\n .describe('Collection configuration')\n\n/**\n * Storage contributions schema\n */\nexport const StorageContributionsSchema = z\n .object({\n collections: z.record(StorageCollectionConfigSchema).describe('Collection definitions'),\n })\n .describe('Storage contributions')\n\n// =============================================================================\n// Extension Contributions\n// =============================================================================\n\n/**\n * Extension contributions\n */\nexport const ExtensionContributionsSchema = z\n .object({\n settings: z.array(SettingDefinitionSchema).optional().describe('User-configurable settings'),\n toolSettings: z.array(ToolSettingsViewDefinitionSchema).optional().describe('Tool settings views'),\n panels: z.array(PanelDefinitionSchema).optional().describe('Right panel contributions'),\n providers: z.array(ProviderDefinitionSchema).optional().describe('AI providers'),\n tools: z.array(ToolDefinitionSchema).optional().describe('Tools for Stina to use'),\n commands: z.array(CommandDefinitionSchema).optional().describe('Slash commands'),\n prompts: z.array(PromptContributionSchema).optional().describe('Prompt contributions'),\n storage: StorageContributionsSchema.optional().describe('Storage collection declarations'),\n })\n .describe('What an extension can contribute to Stina')\n\n// =============================================================================\n// Type Exports\n// =============================================================================\n\nexport type LocalizedString = z.infer<typeof LocalizedStringSchema>\nexport type SettingOptionsMapping = z.infer<typeof SettingOptionsMappingSchema>\nexport type SettingCreateMapping = z.infer<typeof SettingCreateMappingSchema>\nexport type SettingValidation = z.infer<typeof SettingValidationSchema>\nexport type SettingDefinition = z.infer<typeof SettingDefinitionSchema>\nexport type ToolSettingsListMapping = z.infer<typeof ToolSettingsListMappingSchema>\nexport type ToolSettingsActionDataSource = z.infer<typeof ToolSettingsActionDataSourceSchema>\nexport type ToolSettingsListView = z.infer<typeof ToolSettingsListViewSchema>\nexport type ToolSettingsComponentView = z.infer<typeof ToolSettingsComponentViewSchema>\nexport type ToolSettingsView = z.infer<typeof ToolSettingsViewSchema>\nexport type ToolSettingsViewDefinition = z.infer<typeof ToolSettingsViewDefinitionSchema>\nexport type PanelActionDataSource = z.infer<typeof PanelActionDataSourceSchema>\nexport type PanelComponentView = z.infer<typeof PanelComponentViewSchema>\nexport type PanelUnknownView = z.infer<typeof PanelUnknownViewSchema>\nexport type PanelView = z.infer<typeof PanelViewSchema>\nexport type PanelDefinition = z.infer<typeof PanelDefinitionSchema>\nexport type ProviderConfigPropertyType = z.infer<typeof ProviderConfigPropertyTypeSchema>\nexport type ProviderConfigSelectOption = z.infer<typeof ProviderConfigSelectOptionSchema>\nexport type ProviderConfigValidation = z.infer<typeof ProviderConfigValidationSchema>\nexport type ProviderConfigProperty = z.infer<typeof ProviderConfigPropertySchema>\nexport type ProviderConfigSchema = z.infer<typeof ProviderConfigSchemaSchema>\nexport type ProviderDefinition = z.infer<typeof ProviderDefinitionSchema>\nexport type ToolDefinition = z.infer<typeof ToolDefinitionSchema>\nexport type CommandDefinition = z.infer<typeof CommandDefinitionSchema>\nexport type PromptSection = z.infer<typeof PromptSectionSchema>\nexport type PromptContribution = z.infer<typeof PromptContributionSchema>\nexport type StorageCollectionConfig = z.infer<typeof StorageCollectionConfigSchema>\nexport type StorageContributions = z.infer<typeof StorageContributionsSchema>\nexport type ExtensionContributions = z.infer<typeof ExtensionContributionsSchema>\n","/**\n * Component Schema\n *\n * Zod schemas for extension UI components.\n */\n\nimport { z } from 'zod'\n\n// =============================================================================\n// CSS Properties\n// =============================================================================\n\n/**\n * Allowed CSS property names for extension component styling.\n */\nexport const AllowedCSSPropertySchema = z.enum([\n // Colors\n 'color',\n 'background-color',\n 'background',\n 'border-color',\n // Borders\n 'border',\n 'border-width',\n 'border-style',\n 'border-radius',\n 'border-top',\n 'border-right',\n 'border-bottom',\n 'border-left',\n 'border-top-left-radius',\n 'border-top-right-radius',\n 'border-bottom-left-radius',\n 'border-bottom-right-radius',\n // Spacing\n 'padding',\n 'padding-top',\n 'padding-right',\n 'padding-bottom',\n 'padding-left',\n 'margin',\n 'margin-top',\n 'margin-right',\n 'margin-bottom',\n 'margin-left',\n 'gap',\n 'row-gap',\n 'column-gap',\n // Typography\n 'font-size',\n 'font-weight',\n 'font-style',\n 'text-align',\n 'text-decoration',\n 'line-height',\n 'letter-spacing',\n 'white-space',\n 'word-break',\n 'overflow-wrap',\n // Layout (safe properties)\n 'width',\n 'height',\n 'min-width',\n 'min-height',\n 'max-width',\n 'max-height',\n 'flex',\n 'flex-grow',\n 'flex-shrink',\n 'flex-basis',\n 'flex-wrap',\n 'align-self',\n 'justify-self',\n 'align-items',\n 'justify-content',\n // Visual\n 'opacity',\n 'visibility',\n 'overflow',\n 'overflow-x',\n 'overflow-y',\n 'box-shadow',\n 'outline',\n 'cursor',\n 'border-collapse',\n 'border-spacing',\n])\n\n/**\n * Style object for extension components.\n */\nexport const ExtensionComponentStyleSchema = z\n .record(AllowedCSSPropertySchema, z.string())\n .describe('Safe CSS styles for the component')\n\n// =============================================================================\n// Base Component\n// =============================================================================\n\n/**\n * Base component data schema - allows additional properties\n */\nexport const ExtensionComponentDataSchema: z.ZodType<{\n component: string\n style?: Record<string, string>\n [key: string]: unknown\n}> = z.lazy(() =>\n z\n .object({\n component: z.string().describe('Component type name'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Extension component definition')\n)\n\n// =============================================================================\n// Action References\n// =============================================================================\n\n/**\n * Action call with parameters\n */\nexport const ExtensionActionCallSchema = z\n .object({\n action: z.string().describe('Name of the registered action'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass'),\n })\n .describe('Action call with parameters')\n\n/**\n * Action reference - can be a simple string or full action call\n */\nexport const ExtensionActionRefSchema = z\n .union([z.string(), ExtensionActionCallSchema])\n .describe('Action reference')\n\n// =============================================================================\n// Iterator & Children\n// =============================================================================\n\n/**\n * Iterator for rendering a list of components from data\n */\nexport const ExtensionComponentIteratorSchema = z\n .object({\n each: z.union([z.string(), z.array(z.unknown())]).describe('Data source to iterate over'),\n as: z.string().describe('Variable name for current item in scope'),\n items: z.array(ExtensionComponentDataSchema).describe('Components to render for each item'),\n })\n .describe('Iterator for rendering lists')\n\n/**\n * Children can be either a static array of components or an iterator\n */\nexport const ExtensionComponentChildrenSchema = z\n .union([z.array(ExtensionComponentDataSchema), ExtensionComponentIteratorSchema])\n .describe('Child components or iterator')\n\n// =============================================================================\n// Data Source\n// =============================================================================\n\n/**\n * Data source definition for fetching data via an action\n */\nexport const ExtensionDataSourceSchema = z\n .object({\n action: z.string().describe('Action to call for fetching data'),\n params: z.record(z.unknown()).optional().describe('Parameters to pass to the action'),\n refreshOn: z.array(z.string()).optional().describe('Event names that trigger a refresh'),\n })\n .describe('Data source definition')\n\n// =============================================================================\n// Component Props Schemas\n// =============================================================================\n\nexport const HeaderPropsSchema = z\n .object({\n component: z.literal('Header'),\n level: z.number().min(1).max(6).describe('Heading level (1-6)'),\n title: z.string().describe('Header title'),\n description: z.union([z.string(), z.array(z.string())]).optional().describe('Description text'),\n icon: z.string().optional().describe('Icon name'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Header component')\n\nexport const LabelPropsSchema = z\n .object({\n component: z.literal('Label'),\n text: z.string().describe('Label text'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Label component')\n\nexport const ParagraphPropsSchema = z\n .object({\n component: z.literal('Paragraph'),\n text: z.string().describe('Paragraph text'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Paragraph component')\n\nexport const ButtonPropsSchema = z\n .object({\n component: z.literal('Button'),\n text: z.string().describe('Button text'),\n onClickAction: ExtensionActionRefSchema.describe('Action to call on click'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Button component')\n\nexport const TextInputPropsSchema = z\n .object({\n component: z.literal('TextInput'),\n label: z.string().describe('Input label'),\n placeholder: z.string().optional().describe('Placeholder text'),\n value: z.string().optional().describe('Current value'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('TextInput component')\n\nexport const DateTimeInputPropsSchema = z\n .object({\n component: z.literal('DateTimeInput'),\n label: z.string().describe('Input label'),\n value: z.string().optional().describe('Current value'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('DateTimeInput component')\n\nexport const SelectPropsSchema = z\n .object({\n component: z.literal('Select'),\n label: z.string().describe('Select label'),\n options: z.array(z.object({ label: z.string(), value: z.string() })).describe('Available options'),\n selectedValue: z.string().optional().describe('Currently selected value'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Select component')\n\nexport const IconPickerPropsSchema = z\n .object({\n component: z.literal('IconPicker'),\n label: z.string().optional().describe('Picker label'),\n value: z.string().optional().describe('Currently selected icon name'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('IconPicker component')\n\nexport const VerticalStackPropsSchema = z\n .object({\n component: z.literal('VerticalStack'),\n gap: z.number().optional().describe('Gap between children'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('VerticalStack layout component')\n\nexport const HorizontalStackPropsSchema = z\n .object({\n component: z.literal('HorizontalStack'),\n gap: z.number().optional().describe('Gap between children'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('HorizontalStack layout component')\n\nexport const GridPropsSchema = z\n .object({\n component: z.literal('Grid'),\n columns: z.number().describe('Number of columns'),\n gap: z.number().optional().describe('Gap between items'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Grid layout component')\n\nexport const DividerPropsSchema = z\n .object({\n component: z.literal('Divider'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Divider component')\n\nexport const IconPropsSchema = z\n .object({\n component: z.literal('Icon'),\n name: z.string().describe('Icon name'),\n title: z.string().optional().describe('Icon title'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Icon component')\n\nexport const IconButtonTypeSchema = z\n .enum(['normal', 'primary', 'danger', 'accent'])\n .describe('Button type')\n\nexport const IconButtonPropsSchema = z\n .object({\n component: z.literal('IconButton'),\n icon: z.string().describe('Icon name'),\n tooltip: z.string().describe('Tooltip text'),\n active: z.boolean().optional().describe('Whether the button is active'),\n disabled: z.boolean().optional().describe('Whether the button is disabled'),\n type: IconButtonTypeSchema.optional().describe('Button style type'),\n onClickAction: ExtensionActionRefSchema.describe('Action to call on click'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('IconButton component')\n\nexport const PanelActionSchema = z\n .object({\n icon: z.string().describe('Icon name'),\n tooltip: z.string().describe('Tooltip text'),\n action: ExtensionActionRefSchema.describe('Action to call'),\n type: IconButtonTypeSchema.optional().describe('Button style type'),\n })\n .describe('Panel action button')\n\nexport const PanelPropsSchema = z\n .object({\n component: z.literal('Panel'),\n title: z.string().describe('Panel title'),\n description: z.union([z.string(), z.array(z.string())]).optional().describe('Description text'),\n icon: z.string().optional().describe('Icon name'),\n actions: z.array(PanelActionSchema).optional().describe('Action buttons'),\n content: ExtensionComponentDataSchema.optional().describe('Panel content'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Panel component')\n\nexport const TogglePropsSchema = z\n .object({\n component: z.literal('Toggle'),\n label: z.string().optional().describe('Toggle label'),\n description: z.string().optional().describe('Description text'),\n checked: z.boolean().optional().describe('Whether the toggle is checked'),\n disabled: z.boolean().optional().describe('Whether the toggle is disabled'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Toggle component')\n\nexport const CollapsiblePropsSchema = z\n .object({\n component: z.literal('Collapsible'),\n title: z.string().describe('Title displayed in the header'),\n description: z.union([z.string(), z.array(z.string())]).optional().describe('Description text'),\n icon: z.string().optional().describe('Icon name'),\n defaultExpanded: z.boolean().optional().describe('Whether expanded by default'),\n content: ExtensionComponentDataSchema.optional().describe('Content when expanded'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Collapsible component')\n\nexport const PillVariantSchema = z\n .enum(['default', 'primary', 'success', 'warning', 'danger', 'accent'])\n .describe('Pill color variant')\n\nexport const PillPropsSchema = z\n .object({\n component: z.literal('Pill'),\n text: z.string().describe('Pill text'),\n icon: z.string().optional().describe('Icon name'),\n variant: PillVariantSchema.optional().describe('Color variant'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Pill component')\n\nexport const CheckboxPropsSchema = z\n .object({\n component: z.literal('Checkbox'),\n label: z.string().describe('Checkbox label'),\n checked: z.boolean().optional().describe('Whether the checkbox is checked'),\n disabled: z.boolean().optional().describe('Whether the checkbox is disabled'),\n strikethrough: z.boolean().optional().describe('Strike through label when checked'),\n onChangeAction: ExtensionActionRefSchema.describe('Action to call on change'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Checkbox component')\n\nexport const MarkdownPropsSchema = z\n .object({\n component: z.literal('Markdown'),\n content: z.string().describe('Markdown content'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Markdown component')\n\nexport const TextPreviewPropsSchema = z\n .object({\n component: z.literal('TextPreview'),\n content: z.string().describe('Markdown content'),\n maxLines: z.number().optional().describe('Max visible lines before truncating (default 5)'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('TextPreview component')\n\nexport const ModalPropsSchema = z\n .object({\n component: z.literal('Modal'),\n title: z.string().describe('Modal title'),\n open: z.boolean().optional().describe('Whether the modal is open'),\n maxWidth: z.string().optional().describe('Max width of the modal'),\n body: ExtensionComponentDataSchema.optional().describe('Modal body content'),\n footer: ExtensionComponentDataSchema.optional().describe('Modal footer content'),\n onCloseAction: ExtensionActionRefSchema.optional().describe('Action to call on close'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Modal component')\n\nexport const ConditionalGroupPropsSchema = z\n .object({\n component: z.literal('ConditionalGroup'),\n condition: z.string().describe('Condition expression to evaluate'),\n children: ExtensionComponentChildrenSchema.describe('Children to render when condition is true'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('ConditionalGroup component')\n\nexport const FrameVariantSchema = z\n .enum(['border', 'solid'])\n .describe('Frame visual variant')\n\nexport const FramePropsSchema = z\n .object({\n component: z.literal('Frame'),\n title: z.union([z.string(), ExtensionComponentChildrenSchema]).optional().describe('Optional title (string or components)'),\n icon: z.string().optional().describe('Icon name'),\n collapsible: z.boolean().optional().describe('Whether content can be toggled'),\n defaultExpanded: z.boolean().optional().describe('Whether expanded by default'),\n variant: FrameVariantSchema.optional().describe('Visual variant'),\n children: ExtensionComponentChildrenSchema.describe('Child components'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('Frame container component')\n\nexport const ListPropsSchema = z\n .object({\n component: z.literal('List'),\n children: ExtensionComponentChildrenSchema.describe('Child components rendered as list items'),\n style: ExtensionComponentStyleSchema.optional(),\n })\n .passthrough()\n .describe('List component')\n\n// =============================================================================\n// Type Exports\n// =============================================================================\n\nexport type AllowedCSSProperty = z.infer<typeof AllowedCSSPropertySchema>\nexport type ExtensionComponentStyle = z.infer<typeof ExtensionComponentStyleSchema>\nexport type ExtensionComponentData = z.infer<typeof ExtensionComponentDataSchema>\nexport type ExtensionActionCall = z.infer<typeof ExtensionActionCallSchema>\nexport type ExtensionActionRef = z.infer<typeof ExtensionActionRefSchema>\nexport type ExtensionComponentIterator = z.infer<typeof ExtensionComponentIteratorSchema>\nexport type ExtensionComponentChildren = z.infer<typeof ExtensionComponentChildrenSchema>\nexport type ExtensionDataSource = z.infer<typeof ExtensionDataSourceSchema>\nexport type IconButtonType = z.infer<typeof IconButtonTypeSchema>\nexport type PillVariant = z.infer<typeof PillVariantSchema>\nexport type PanelAction = z.infer<typeof PanelActionSchema>\nexport type HeaderProps = z.infer<typeof HeaderPropsSchema>\nexport type LabelProps = z.infer<typeof LabelPropsSchema>\nexport type ParagraphProps = z.infer<typeof ParagraphPropsSchema>\nexport type ButtonProps = z.infer<typeof ButtonPropsSchema>\nexport type TextInputProps = z.infer<typeof TextInputPropsSchema>\nexport type DateTimeInputProps = z.infer<typeof DateTimeInputPropsSchema>\nexport type SelectProps = z.infer<typeof SelectPropsSchema>\nexport type IconPickerProps = z.infer<typeof IconPickerPropsSchema>\nexport type VerticalStackProps = z.infer<typeof VerticalStackPropsSchema>\nexport type HorizontalStackProps = z.infer<typeof HorizontalStackPropsSchema>\nexport type GridProps = z.infer<typeof GridPropsSchema>\nexport type DividerProps = z.infer<typeof DividerPropsSchema>\nexport type IconProps = z.infer<typeof IconPropsSchema>\nexport type IconButtonProps = z.infer<typeof IconButtonPropsSchema>\nexport type PanelProps = z.infer<typeof PanelPropsSchema>\nexport type ToggleProps = z.infer<typeof TogglePropsSchema>\nexport type CollapsibleProps = z.infer<typeof CollapsiblePropsSchema>\nexport type PillProps = z.infer<typeof PillPropsSchema>\nexport type CheckboxProps = z.infer<typeof CheckboxPropsSchema>\nexport type MarkdownProps = z.infer<typeof MarkdownPropsSchema>\nexport type TextPreviewProps = z.infer<typeof TextPreviewPropsSchema>\nexport type ModalProps = z.infer<typeof ModalPropsSchema>\nexport type ConditionalGroupProps = z.infer<typeof ConditionalGroupPropsSchema>\nexport type FrameVariant = z.infer<typeof FrameVariantSchema>\nexport type FrameProps = z.infer<typeof FramePropsSchema>\nexport type ListProps = z.infer<typeof ListPropsSchema>\n"],"mappings":";;;AAOA,SAAS,KAAAA,UAAS;;;ACAlB,SAAS,SAAS;AAKX,IAAM,oBAAoB;AAAA,EAC/B;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AAKO,IAAM,sBAAsB;AAAA,EACjC;AAAA;AAAA,EACA;AAAA;AAAA,EACA;AAAA;AACF;AAKA,IAAM,0BAA0B,EAC7B,OAAO,EACP;AAAA,EACC,CAAC,QAAQ;AAEP,QAAI,QAAQ,eAAe,QAAQ,qBAAqB;AACtD,aAAO;AAAA,IACT;AAEA,WAAO,oBAAoB,KAAK,CAAC,YAAY,QAAQ,KAAK,GAAG,CAAC;AAAA,EAChE;AAAA,EACA,EAAE,SAAS,oCAAoC;AACjD,EACC,SAAS,0EAA0E;AAKtF,IAAM,0BAA0B,EAAE,KAAK,CAAC,uBAAuB,gBAAgB,CAAC,EAAE,SAAS,oBAAoB;AAK/G,IAAM,2BAA2B,EAC9B,KAAK,CAAC,qBAAqB,sBAAsB,qBAAqB,mBAAmB,CAAC,EAC1F,SAAS,6BAA6B;AAKzC,IAAM,6BAA6B,EAChC,KAAK;AAAA,EACJ;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF,CAAC,EACA,SAAS,uBAAuB;AAKnC,IAAM,yBAAyB,EAC5B,KAAK,CAAC,cAAc,eAAe,kBAAkB,iBAAiB,CAAC,EACvE,SAAS,mBAAmB;AAM/B,IAAM,2BAA2B;AAM1B,IAAM,mBAAmB,EAC7B,MAAM;AAAA,EACL,EAAE,KAAK,iBAAiB;AAAA,EACxB,EAAE,OAAO,EAAE,MAAM,0BAA0B,mCAAmC;AAChF,CAAC,EACA,SAAS,sBAAsB;AAK3B,SAAS,kBAAkB,YAA6B;AAC7D,SAAO,iBAAiB,UAAU,UAAU,EAAE;AAChD;;;ACrHA,SAAS,KAAAC,UAAS;;;ACAlB,SAAS,KAAAC,UAAS;AASX,IAAM,2BAA2BA,GAAE,KAAK;AAAA;AAAA,EAE7C;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA;AAAA,EAEA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF,CAAC;AAKM,IAAM,gCAAgCA,GAC1C,OAAO,0BAA0BA,GAAE,OAAO,CAAC,EAC3C,SAAS,mCAAmC;AASxC,IAAM,+BAIRA,GAAE;AAAA,EAAK,MACVA,GACG,OAAO;AAAA,IACN,WAAWA,GAAE,OAAO,EAAE,SAAS,qBAAqB;AAAA,IACpD,OAAO,8BAA8B,SAAS;AAAA,EAChD,CAAC,EACA,YAAY,EACZ,SAAS,gCAAgC;AAC9C;AASO,IAAM,4BAA4BA,GACtC,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,+BAA+B;AAAA,EAC3D,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,oBAAoB;AACxE,CAAC,EACA,SAAS,6BAA6B;AAKlC,IAAM,2BAA2BA,GACrC,MAAM,CAACA,GAAE,OAAO,GAAG,yBAAyB,CAAC,EAC7C,SAAS,kBAAkB;AASvB,IAAM,mCAAmCA,GAC7C,OAAO;AAAA,EACN,MAAMA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,QAAQ,CAAC,CAAC,CAAC,EAAE,SAAS,6BAA6B;AAAA,EACxF,IAAIA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AAAA,EACjE,OAAOA,GAAE,MAAM,4BAA4B,EAAE,SAAS,oCAAoC;AAC5F,CAAC,EACA,SAAS,8BAA8B;AAKnC,IAAM,mCAAmCA,GAC7C,MAAM,CAACA,GAAE,MAAM,4BAA4B,GAAG,gCAAgC,CAAC,EAC/E,SAAS,8BAA8B;AASnC,IAAM,4BAA4BA,GACtC,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,kCAAkC;AAAA,EAC9D,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EACpF,WAAWA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,oCAAoC;AACzF,CAAC,EACA,SAAS,wBAAwB;AAM7B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,OAAOA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,IAAI,CAAC,EAAE,SAAS,qBAAqB;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACzC,aAAaA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,OAAO,CAAC,CAAC,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9F,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,MAAMA,GAAE,OAAO,EAAE,SAAS,YAAY;AAAA,EACtC,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,iBAAiB;AAEtB,IAAM,uBAAuBA,GACjC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,WAAW;AAAA,EAChC,MAAMA,GAAE,OAAO,EAAE,SAAS,gBAAgB;AAAA,EAC1C,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,qBAAqB;AAE1B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,MAAMA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACvC,eAAe,yBAAyB,SAAS,yBAAyB;AAAA,EAC1E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,uBAAuBA,GACjC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,WAAW;AAAA,EAChC,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,EACrD,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,qBAAqB;AAE1B,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,eAAe;AAAA,EACpC,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,EACrD,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,yBAAyB;AAE9B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,OAAOA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACzC,SAASA,GAAE,MAAMA,GAAE,OAAO,EAAE,OAAOA,GAAE,OAAO,GAAG,OAAOA,GAAE,OAAO,EAAE,CAAC,CAAC,EAAE,SAAS,mBAAmB;AAAA,EACjG,eAAeA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,0BAA0B;AAAA,EACxE,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,wBAAwBA,GAClC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,YAAY;AAAA,EACjC,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EACpD,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACpE,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,sBAAsB;AAE3B,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,eAAe;AAAA,EACpC,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC1D,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gCAAgC;AAErC,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,iBAAiB;AAAA,EACtC,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC1D,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kCAAkC;AAEvC,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,SAASA,GAAE,OAAO,EAAE,SAAS,mBAAmB;AAAA,EAChD,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,mBAAmB;AAAA,EACvD,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,uBAAuB;AAE5B,IAAM,qBAAqBA,GAC/B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,SAAS;AAAA,EAC9B,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,mBAAmB;AAExB,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,YAAY;AAAA,EAClD,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gBAAgB;AAErB,IAAM,uBAAuBA,GACjC,KAAK,CAAC,UAAU,WAAW,UAAU,QAAQ,CAAC,EAC9C,SAAS,aAAa;AAElB,IAAM,wBAAwBA,GAClC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,YAAY;AAAA,EACjC,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,SAASA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EAC3C,QAAQA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACtE,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC1E,MAAM,qBAAqB,SAAS,EAAE,SAAS,mBAAmB;AAAA,EAClE,eAAe,yBAAyB,SAAS,yBAAyB;AAAA,EAC1E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,sBAAsB;AAE3B,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,SAASA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EAC3C,QAAQ,yBAAyB,SAAS,gBAAgB;AAAA,EAC1D,MAAM,qBAAqB,SAAS,EAAE,SAAS,mBAAmB;AACpE,CAAC,EACA,SAAS,qBAAqB;AAE1B,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,aAAaA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,OAAO,CAAC,CAAC,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9F,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,SAASA,GAAE,MAAM,iBAAiB,EAAE,SAAS,EAAE,SAAS,gBAAgB;AAAA,EACxE,SAAS,6BAA6B,SAAS,EAAE,SAAS,eAAe;AAAA,EACzE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,iBAAiB;AAEtB,IAAM,oBAAoBA,GAC9B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,QAAQ;AAAA,EAC7B,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EACpD,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9D,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,EACxE,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC1E,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,kBAAkB;AAEvB,IAAM,yBAAyBA,GACnC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,aAAa;AAAA,EAClC,OAAOA,GAAE,OAAO,EAAE,SAAS,+BAA+B;AAAA,EAC1D,aAAaA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,MAAMA,GAAE,OAAO,CAAC,CAAC,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9F,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,iBAAiBA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EAC9E,SAAS,6BAA6B,SAAS,EAAE,SAAS,uBAAuB;AAAA,EACjF,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,uBAAuB;AAE5B,IAAM,oBAAoBA,GAC9B,KAAK,CAAC,WAAW,WAAW,WAAW,WAAW,UAAU,QAAQ,CAAC,EACrE,SAAS,oBAAoB;AAEzB,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AAAA,EACrC,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,SAAS,kBAAkB,SAAS,EAAE,SAAS,eAAe;AAAA,EAC9D,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gBAAgB;AAErB,IAAM,sBAAsBA,GAChC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,UAAU;AAAA,EAC/B,OAAOA,GAAE,OAAO,EAAE,SAAS,gBAAgB;AAAA,EAC3C,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,iCAAiC;AAAA,EAC1E,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EAC5E,eAAeA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,mCAAmC;AAAA,EAClF,gBAAgB,yBAAyB,SAAS,0BAA0B;AAAA,EAC5E,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,oBAAoB;AAEzB,IAAM,sBAAsBA,GAChC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,UAAU;AAAA,EAC/B,SAASA,GAAE,OAAO,EAAE,SAAS,kBAAkB;AAAA,EAC/C,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,oBAAoB;AAEzB,IAAM,yBAAyBA,GACnC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,aAAa;AAAA,EAClC,SAASA,GAAE,OAAO,EAAE,SAAS,kBAAkB;AAAA,EAC/C,UAAUA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,iDAAiD;AAAA,EAC1F,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,uBAAuB;AAE5B,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,OAAOA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACxC,MAAMA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,2BAA2B;AAAA,EACjE,UAAUA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,wBAAwB;AAAA,EACjE,MAAM,6BAA6B,SAAS,EAAE,SAAS,oBAAoB;AAAA,EAC3E,QAAQ,6BAA6B,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC/E,eAAe,yBAAyB,SAAS,EAAE,SAAS,yBAAyB;AAAA,EACrF,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,iBAAiB;AAEtB,IAAM,8BAA8BA,GACxC,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,kBAAkB;AAAA,EACvC,WAAWA,GAAE,OAAO,EAAE,SAAS,kCAAkC;AAAA,EACjE,UAAU,iCAAiC,SAAS,2CAA2C;AAAA,EAC/F,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,4BAA4B;AAEjC,IAAM,qBAAqBA,GAC/B,KAAK,CAAC,UAAU,OAAO,CAAC,EACxB,SAAS,sBAAsB;AAE3B,IAAM,mBAAmBA,GAC7B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,OAAO;AAAA,EAC5B,OAAOA,GAAE,MAAM,CAACA,GAAE,OAAO,GAAG,gCAAgC,CAAC,EAAE,SAAS,EAAE,SAAS,uCAAuC;AAAA,EAC1H,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EAChD,aAAaA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC7E,iBAAiBA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EAC9E,SAAS,mBAAmB,SAAS,EAAE,SAAS,gBAAgB;AAAA,EAChE,UAAU,iCAAiC,SAAS,kBAAkB;AAAA,EACtE,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,2BAA2B;AAEhC,IAAM,kBAAkBA,GAC5B,OAAO;AAAA,EACN,WAAWA,GAAE,QAAQ,MAAM;AAAA,EAC3B,UAAU,iCAAiC,SAAS,yCAAyC;AAAA,EAC7F,OAAO,8BAA8B,SAAS;AAChD,CAAC,EACA,YAAY,EACZ,SAAS,gBAAgB;;;AD3crB,IAAM,wBAAwBC,GAClC,MAAM,CAACA,GAAE,OAAO,GAAGA,GAAE,OAAOA,GAAE,OAAO,CAAC,CAAC,CAAC,EACxC,SAAS,gCAAgC;AASrC,IAAM,8BAA8BA,GACxC,OAAO;AAAA,EACN,UAAUA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AAAA,EACvE,UAAUA,GAAE,OAAO,EAAE,SAAS,sBAAsB;AAAA,EACpD,UAAUA,GAAE,OAAO,EAAE,SAAS,sBAAsB;AAAA,EACpD,gBAAgBA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAC/E,CAAC,EACA,SAAS,kCAAkC;AAKvC,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,4BAA4B;AAAA,EACtE,UAAUA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AACzE,CAAC,EACA,SAAS,kCAAkC;AAKvC,IAAM,0BAA0BA,GACpC,OAAO;AAAA,EACN,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,EACzE,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,2CAA2C;AAAA,EAC/E,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,2CAA2C;AAAA,EAC/E,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AACxE,CAAC,EACA,SAAS,kBAAkB;AAuBvB,IAAM,0BAA4DA,GAAE;AAAA,EAAK,MAC9EA,GACG,OAAO;AAAA,IACN,IAAIA,GAAE,OAAO,EAAE,SAAS,uCAAuC;AAAA,IAC/D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,IAC1C,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,IACvD,MAAMA,GAAE,KAAK,CAAC,UAAU,UAAU,WAAW,QAAQ,CAAC,EAAE,SAAS,cAAc;AAAA,IAC/E,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,IACxD,SAASA,GACN,MAAMA,GAAE,OAAO,EAAE,OAAOA,GAAE,OAAO,GAAG,OAAOA,GAAE,OAAO,EAAE,CAAC,CAAC,EACxD,SAAS,EACT,SAAS,oCAAoC;AAAA,IAChD,eAAeA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yCAAyC;AAAA,IACvF,eAAeA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,yBAAyB;AAAA,IAClF,gBAAgB,4BAA4B,SAAS,EAAE,SAAS,mCAAmC;AAAA,IACnG,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,mCAAmC;AAAA,IAChF,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yBAAyB;AAAA,IACrE,cAAcA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,wBAAwB;AAAA,IAC3F,cAAcA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,IACvF,eAAe,2BAA2B,SAAS,EAAE,SAAS,kCAAkC;AAAA,IAChG,YAAY,wBAAwB,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC5E,CAAC,EACA,YAAY,CAAC,MAAM,QAAQ;AAE1B,UAAM,kBACJ,KAAK,iBAAiB,UACtB,KAAK,gBAAgB,UACrB,KAAK,iBAAiB,UACtB,KAAK,iBAAiB,UACtB,KAAK,kBAAkB;AAEzB,QAAI,mBAAmB,KAAK,SAAS,UAAU;AAC7C,UAAI,SAAS;AAAA,QACX,MAAMA,GAAE,aAAa;AAAA,QACrB,SAAS;AAAA,QACT,MAAM,CAAC,MAAM;AAAA,MACf,CAAC;AAAA,IACH;AAGA,QAAI,KAAK,SAAS,UAAU;AAC1B,YAAM,aAAa,KAAK,WAAW,KAAK,QAAQ,SAAS;AACzD,YAAM,mBAAmB,KAAK,kBAAkB;AAEhD,UAAI,CAAC,cAAc,CAAC,kBAAkB;AACpC,YAAI,SAAS;AAAA,UACX,MAAMA,GAAE,aAAa;AAAA,UACrB,SAAS;AAAA,UACT,MAAM,CAAC,MAAM;AAAA,QACf,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF,CAAC,EACA,SAAS,oBAAoB;AAClC;AASO,IAAM,gCAAgCA,GAC1C,OAAO;AAAA,EACN,UAAUA,GAAE,OAAO,EAAE,SAAS,yCAAyC;AAAA,EACvE,UAAUA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,qBAAqB;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,iBAAiB;AAAA,EAC5C,UAAUA,GAAE,OAAO,EAAE,SAAS,oBAAoB;AAAA,EAClD,gBAAgBA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,0BAA0B;AAAA,EACzE,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yBAAyB;AACxE,CAAC,EACA,SAAS,0CAA0C;AAK/C,IAAM,qCAAqCA,GAC/C,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,qCAAqC;AAAA,EACjE,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EACpF,WAAWA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AACvF,CAAC,EACA,SAAS,0BAA0B;AAK/B,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,MAAMA,GAAE,QAAQ,MAAM,EAAE,SAAS,WAAW;AAAA,EAC5C,YAAYA,GAAE,OAAO,EAAE,SAAS,2BAA2B;AAAA,EAC3D,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACxE,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,qCAAqC;AAAA,EAClF,cAAcA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,4BAA4B;AAAA,EACzE,SAAS,8BAA8B,SAAS,8BAA8B;AAAA,EAC9E,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EACzE,YAAYA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EACjE,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAAA,EACtE,YAAYA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,6BAA6B;AACrF,CAAC,EACA,SAAS,2BAA2B;AAKhC,IAAM,kCAAkCA,GAC5C,OAAO;AAAA,EACN,MAAMA,GAAE,QAAQ,WAAW,EAAE,SAAS,WAAW;AAAA,EACjD,MAAMA,GAAE,OAAO,kCAAkC,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EACrF,SAAS,6BAA6B,SAAS,0BAA0B;AAC3E,CAAC,EACA,SAAS,oCAAoC;AAKzC,IAAM,yBAAyBA,GACnC,MAAM,CAAC,4BAA4B,+BAA+B,CAAC,EACnE,SAAS,oBAAoB;AAKzB,IAAM,mCAAmCA,GAC7C,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,qCAAqC;AAAA,EAC7D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,EAC1C,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EACvD,MAAM,uBAAuB,SAAS,oBAAoB;AAAA,EAC1D,QAAQA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,8BAA8B;AAC7F,CAAC,EACA,SAAS,+BAA+B;AASpC,IAAM,8BAA8BA,GACxC,OAAO;AAAA,EACN,QAAQA,GAAE,OAAO,EAAE,SAAS,qCAAqC;AAAA,EACjE,QAAQA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AAAA,EACpF,WAAWA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AACvF,CAAC,EACA,SAAS,mBAAmB;AAKxB,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,MAAMA,GAAE,QAAQ,WAAW,EAAE,SAAS,WAAW;AAAA,EACjD,MAAMA,GAAE,OAAO,2BAA2B,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EAC9E,SAAS,6BAA6B,SAAS,0BAA0B;AAC3E,CAAC,EACA,SAAS,4BAA4B;AAKjC,IAAM,yBAAyBA,GACnC,OAAO;AAAA,EACN,MAAMA,GAAE,OAAO,EAAE,SAAS,WAAW;AACvC,CAAC,EACA,YAAY,EACZ,SAAS,oBAAoB;AAKzB,IAAM,kBAAkBA,GAC5B,MAAM,CAAC,0BAA0B,sBAAsB,CAAC,EACxD,SAAS,YAAY;AAKjB,IAAM,wBAAwBA,GAClC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,sCAAsC;AAAA,EAC9D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,EAC1C,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAAA,EAClE,MAAM,gBAAgB,SAAS,mBAAmB;AACpD,CAAC,EACA,SAAS,kBAAkB;AASvB,IAAM,mCAAmCA,GAC7C,KAAK,CAAC,UAAU,UAAU,WAAW,UAAU,YAAY,KAAK,CAAC,EACjE,SAAS,eAAe;AAKpB,IAAM,mCAAmCA,GAC7C,OAAO;AAAA,EACN,OAAOA,GAAE,OAAO,EAAE,SAAS,0BAA0B;AAAA,EACrD,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAC5C,CAAC,EACA,SAAS,eAAe;AAKpB,IAAM,iCAAiCA,GAC3C,OAAO;AAAA,EACN,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,oCAAoC;AAAA,EAC5E,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,uBAAuB;AAAA,EACjE,WAAWA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,uBAAuB;AAAA,EACjE,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EAC1D,KAAKA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAC5D,CAAC,EACA,SAAS,kBAAkB;AAKvB,IAAM,+BAA+BA,GACzC,OAAO;AAAA,EACN,MAAM,iCAAiC,SAAS,eAAe;AAAA,EAC/D,OAAOA,GAAE,OAAO,EAAE,SAAS,eAAe;AAAA,EAC1C,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,WAAW;AAAA,EACvD,SAASA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,eAAe;AAAA,EACxD,UAAUA,GAAE,QAAQ,EAAE,SAAS,EAAE,SAAS,+BAA+B;AAAA,EACzE,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC9D,SAASA,GAAE,MAAM,gCAAgC,EAAE,SAAS,EAAE,SAAS,iBAAiB;AAAA,EACxF,YAAY,+BAA+B,SAAS,EAAE,SAAS,kBAAkB;AACnF,CAAC,EACA,SAAS,0BAA0B;AAK/B,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,YAAYA,GAAE,OAAO,4BAA4B,EAAE,SAAS,sBAAsB;AAAA,EAClF,OAAOA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,6BAA6B;AAC9E,CAAC,EACA,SAAS,+BAA+B;AAKpC,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,aAAa;AAAA,EACrC,MAAMA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACxC,aAAaA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,aAAa;AAAA,EACzD,uBAAuBA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,yBAAyB;AAAA,EAC/E,iBAAiBA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,kBAAkB;AAAA,EAC7E,cAAc,2BAA2B,SAAS,EAAE,SAAS,yBAAyB;AACxF,CAAC,EACA,SAAS,qBAAqB;AAS1B,IAAM,uBAAuBA,GACjC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,SAAS;AAAA,EACjC,MAAM,sBAAsB,SAAS,cAAc;AAAA,EACnD,aAAa,sBAAsB,SAAS,uBAAuB;AAAA,EACnE,YAAYA,GAAE,OAAOA,GAAE,QAAQ,CAAC,EAAE,SAAS,EAAE,SAAS,gCAAgC;AACxF,CAAC,EACA,SAAS,iBAAiB;AAStB,IAAM,0BAA0BA,GACpC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,2CAA2C;AAAA,EACnE,MAAMA,GAAE,OAAO,EAAE,SAAS,cAAc;AAAA,EACxC,aAAaA,GAAE,OAAO,EAAE,SAAS,aAAa;AAChD,CAAC,EACA,SAAS,oBAAoB;AASzB,IAAM,sBAAsBA,GAChC,KAAK,CAAC,UAAU,YAAY,OAAO,CAAC,EACpC,SAAS,0BAA0B;AAK/B,IAAM,2BAA2BA,GACrC,OAAO;AAAA,EACN,IAAIA,GAAE,OAAO,EAAE,SAAS,gCAAgC;AAAA,EACxD,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,qCAAqC;AAAA,EAC3E,SAAS,oBAAoB,SAAS,EAAE,SAAS,0BAA0B;AAAA,EAC3E,MAAMA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,2BAA2B;AAAA,EAChE,MAAMA,GAAE,OAAOA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,0BAA0B;AAAA,EACzE,OAAOA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,mCAAmC;AAC3E,CAAC,EACA,SAAS,qBAAqB;AAS1B,IAAM,gCAAgCA,GAC1C,OAAO;AAAA,EACN,SAASA,GAAE,MAAMA,GAAE,OAAO,CAAC,EAAE,SAAS,EAAE,SAAS,kCAAkC;AACrF,CAAC,EACA,SAAS,0BAA0B;AAK/B,IAAM,6BAA6BA,GACvC,OAAO;AAAA,EACN,aAAaA,GAAE,OAAO,6BAA6B,EAAE,SAAS,wBAAwB;AACxF,CAAC,EACA,SAAS,uBAAuB;AAS5B,IAAM,+BAA+BA,GACzC,OAAO;AAAA,EACN,UAAUA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,4BAA4B;AAAA,EAC3F,cAAcA,GAAE,MAAM,gCAAgC,EAAE,SAAS,EAAE,SAAS,qBAAqB;AAAA,EACjG,QAAQA,GAAE,MAAM,qBAAqB,EAAE,SAAS,EAAE,SAAS,2BAA2B;AAAA,EACtF,WAAWA,GAAE,MAAM,wBAAwB,EAAE,SAAS,EAAE,SAAS,cAAc;AAAA,EAC/E,OAAOA,GAAE,MAAM,oBAAoB,EAAE,SAAS,EAAE,SAAS,wBAAwB;AAAA,EACjF,UAAUA,GAAE,MAAM,uBAAuB,EAAE,SAAS,EAAE,SAAS,gBAAgB;AAAA,EAC/E,SAASA,GAAE,MAAM,wBAAwB,EAAE,SAAS,EAAE,SAAS,sBAAsB;AAAA,EACrF,SAAS,2BAA2B,SAAS,EAAE,SAAS,iCAAiC;AAC3F,CAAC,EACA,SAAS,2CAA2C;;;AFxahD,IAAM,iBAAiBC,GAC3B,KAAK,CAAC,OAAO,YAAY,KAAK,CAAC,EAC/B,SAAS,oBAAoB;AAKzB,IAAM,eAAeA,GACzB,OAAO;AAAA,EACN,MAAMA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,SAAS,aAAa;AAAA,EAC9C,KAAKA,GAAE,OAAO,EAAE,IAAI,EAAE,SAAS,EAAE,SAAS,YAAY;AACxD,CAAC,EACA,SAAS,oBAAoB;AAKzB,IAAM,gBAAgBA,GAC1B,OAAO;AAAA,EACN,OAAOA,GAAE,OAAO,EAAE,SAAS,gCAAgC;AAC7D,CAAC,EACA,SAAS,qBAAqB;AAK1B,IAAM,0BAA0BA,GACpC,OAAO;AAAA,EACN,IAAIA,GACD,OAAO,EACP,MAAM,gBAAgB,gDAAgD,EACtE,SAAS,6CAA6C;AAAA,EACzD,MAAMA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,SAAS,qBAAqB;AAAA,EACtD,SAASA,GACN,OAAO,EACP,MAAM,kBAAkB,uCAAuC,EAC/D,SAAS,yBAAyB;AAAA,EACrC,aAAaA,GAAE,OAAO,EAAE,IAAI,CAAC,EAAE,SAAS,mBAAmB;AAAA,EAC3D,QAAQ,aAAa,SAAS,oBAAoB;AAAA,EAClD,YAAYA,GAAE,OAAO,EAAE,IAAI,EAAE,SAAS,EAAE,SAAS,gBAAgB;AAAA,EACjE,SAASA,GAAE,OAAO,EAAE,SAAS,EAAE,SAAS,oBAAoB;AAAA,EAC5D,SAAS,cAAc,SAAS,EAAE,SAAS,gCAAgC;AAAA,EAC3E,WAAWA,GAAE,MAAM,cAAc,EAAE,SAAS,EAAE,SAAS,qBAAqB;AAAA,EAC5E,MAAMA,GAAE,OAAO,EAAE,SAAS,+CAA+C;AAAA,EACzE,aAAaA,GAAE,MAAM,gBAAgB,EAAE,SAAS,sBAAsB;AAAA,EACtE,aAAa,6BAA6B,SAAS,EAAE,SAAS,gCAAgC;AAChG,CAAC,EACA,SAAS,2BAA2B;","names":["z","z","z","z","z"]}
@@ -26,6 +26,8 @@ type LocalizedString = string | Record<string, string>;
26
26
  */
27
27
  declare function resolveLocalizedString(value: LocalizedString, lang: string, fallbackLang?: string): string;
28
28
 
29
+ /** Semantic type alias for icon names (e.g. Hugeicons). Accepts any string. */
30
+ type HugeIconName = string;
29
31
  /**
30
32
  * Allowed CSS property names for extension component styling.
31
33
  * Only safe properties that cannot be used for UI spoofing,
@@ -162,7 +164,7 @@ interface HeaderProps extends ExtensionComponentData {
162
164
  level: number;
163
165
  title: string;
164
166
  description?: string | string[];
165
- icon?: string;
167
+ icon?: HugeIconName;
166
168
  }
167
169
  /** The extension API properties for the Label component. */
168
170
  interface LabelProps extends ExtensionComponentData {
@@ -239,7 +241,7 @@ interface DividerProps extends ExtensionComponentData {
239
241
  /** The extension API properties for the Icon component. */
240
242
  interface IconProps extends ExtensionComponentData {
241
243
  component: 'Icon';
242
- name: string;
244
+ name: HugeIconName;
243
245
  title?: string;
244
246
  }
245
247
  /** Button type for IconButton. */
@@ -247,7 +249,7 @@ type IconButtonType = 'normal' | 'primary' | 'danger' | 'accent';
247
249
  /** The extension API properties for the IconButton component. */
248
250
  interface IconButtonProps extends ExtensionComponentData {
249
251
  component: 'IconButton';
250
- icon: string;
252
+ icon: HugeIconName;
251
253
  tooltip: string;
252
254
  active?: boolean;
253
255
  disabled?: boolean;
@@ -256,7 +258,7 @@ interface IconButtonProps extends ExtensionComponentData {
256
258
  }
257
259
  /** Action button definition for Panel component. */
258
260
  interface PanelAction {
259
- icon: string;
261
+ icon: HugeIconName;
260
262
  tooltip: string;
261
263
  action: ExtensionActionRef;
262
264
  type?: IconButtonType;
@@ -266,7 +268,7 @@ interface PanelProps extends ExtensionComponentData {
266
268
  component: 'Panel';
267
269
  title: string;
268
270
  description?: string | string[];
269
- icon?: string;
271
+ icon?: HugeIconName;
270
272
  actions?: PanelAction[];
271
273
  content?: ExtensionComponentData;
272
274
  }
@@ -287,7 +289,7 @@ interface CollapsibleProps extends ExtensionComponentData {
287
289
  /** Optional description rendered under the title. */
288
290
  description?: string | string[];
289
291
  /** Optional icon shown to the left of the title. */
290
- icon?: string;
292
+ icon?: HugeIconName;
291
293
  /** Whether the section is expanded by default. */
292
294
  defaultExpanded?: boolean;
293
295
  /** Child component to render when expanded. */
@@ -301,7 +303,7 @@ interface PillProps extends ExtensionComponentData {
301
303
  /** Text to display in the pill. */
302
304
  text: string;
303
305
  /** Optional icon shown to the left of the text. */
304
- icon?: string;
306
+ icon?: HugeIconName;
305
307
  /** Color variant. Defaults to 'default'. */
306
308
  variant?: PillVariant;
307
309
  }
@@ -325,6 +327,14 @@ interface MarkdownProps extends ExtensionComponentData {
325
327
  /** Markdown content to render. */
326
328
  content: string;
327
329
  }
330
+ /** The extension API properties for the TextPreview component. */
331
+ interface TextPreviewProps extends ExtensionComponentData {
332
+ component: 'TextPreview';
333
+ /** Markdown content to render. */
334
+ content: string;
335
+ /** Maximum number of visible lines before truncating. Defaults to 5. */
336
+ maxLines?: number;
337
+ }
328
338
  /** The extension API properties for the Modal component. */
329
339
  interface ModalProps extends ExtensionComponentData {
330
340
  component: 'Modal';
@@ -361,6 +371,28 @@ interface ConditionalGroupProps extends ExtensionComponentData {
361
371
  /** Children to render when condition is true. */
362
372
  children: ExtensionComponentChildren;
363
373
  }
374
+ /** Visual variant for the Frame component. */
375
+ type FrameVariant = 'border' | 'solid';
376
+ /** The extension API properties for the Frame component. */
377
+ interface FrameProps extends ExtensionComponentData {
378
+ component: 'Frame';
379
+ /** Optional title displayed in the header. Can be a plain string or extension components. */
380
+ title?: string | ExtensionComponentChildren;
381
+ /** Whether the content can be toggled (collapsed/expanded) by clicking the title. Requires title to be set. */
382
+ collapsible?: boolean;
383
+ /** Whether the frame content is expanded by default. Only used when collapsible is true. Defaults to true. */
384
+ defaultExpanded?: boolean;
385
+ /** Visual variant: 'border' shows a bordered container, 'solid' shows a solid background. Defaults to 'border'. */
386
+ variant?: FrameVariant;
387
+ /** Child components to render inside the frame. */
388
+ children: ExtensionComponentChildren;
389
+ }
390
+ /** The extension API properties for the List component. */
391
+ interface ListProps extends ExtensionComponentData {
392
+ component: 'List';
393
+ /** Child components to render as list items. Supports iteration. */
394
+ children: ExtensionComponentChildren;
395
+ }
364
396
 
365
397
  /**
366
398
  * Contribution Types
@@ -1678,4 +1710,4 @@ interface ActionResult {
1678
1710
  error?: string;
1679
1711
  }
1680
1712
 
1681
- export { type BackgroundTaskConfig as $, type ActionResult as A, type ProviderConfigValidation as B, type ChatMessage as C, type ExtensionContext as D, type ExtensionContributions as E, type Disposable as F, type GetModelsOptions as G, type SettingsAPI as H, type ProvidersAPI as I, type ToolsAPI as J, type ActionsAPI as K, type LocalizedString as L, type ModelInfo as M, type NetworkAPI as N, type EventsAPI as O, type PanelDefinition as P, type SchedulerAPI as Q, type SchedulerJobRequest as R, type SchedulerFirePayload as S, type ToolResult as T, type SchedulerSchedule as U, type UserAPI as V, type UserProfile as W, type ChatAPI as X, type ChatInstructionMessage as Y, type LogAPI as Z, type BackgroundWorkersAPI as _, type ChatOptions as a, type BackgroundTaskCallback as a0, type BackgroundTaskContext as a1, type BackgroundTaskHealth as a2, type BackgroundRestartPolicy as a3, type Query as a4, type QueryOptions as a5, type StorageAPI as a6, type SecretsAPI as a7, type StorageCollectionConfig as a8, type StorageContributions as a9, type IconProps as aA, type IconButtonType as aB, type IconButtonProps as aC, type PanelAction as aD, type PanelProps as aE, type ToggleProps as aF, type CollapsibleProps as aG, type PillVariant as aH, type PillProps as aI, type CheckboxProps as aJ, type MarkdownProps as aK, type ModalProps as aL, type ConditionalGroupProps as aM, type ExecutionContext as aN, type AIProvider as aa, type ToolCall as ab, type Tool as ac, type Action as ad, type ExtensionModule as ae, type AllowedCSSProperty as af, type ExtensionComponentStyle as ag, type ExtensionComponentData as ah, type ExtensionComponentIterator as ai, type ExtensionComponentChildren as aj, type ExtensionActionCall as ak, type ExtensionActionRef as al, type ExtensionDataSource as am, type ExtensionPanelDefinition as an, type HeaderProps as ao, type LabelProps as ap, type ParagraphProps as aq, type ButtonProps as ar, type TextInputProps as as, type DateTimeInputProps as at, type SelectProps as au, type IconPickerProps as av, type VerticalStackProps as aw, type HorizontalStackProps as ax, type GridProps as ay, type DividerProps as az, type StreamEvent as b, type SettingDefinition as c, type SettingOptionsMapping as d, type SettingCreateMapping as e, type ToolSettingsViewDefinition as f, type ToolSettingsView as g, type ToolSettingsListView as h, type ToolSettingsListMapping as i, type ToolSettingsComponentView as j, type ToolSettingsActionDataSource as k, type PanelView as l, type PanelComponentView as m, type PanelActionDataSource as n, type PanelUnknownView as o, type ProviderDefinition as p, type PromptContribution as q, resolveLocalizedString as r, type PromptSection as s, type ToolDefinition as t, type ToolConfirmationConfig as u, type CommandDefinition as v, type ProviderConfigSchema as w, type ProviderConfigProperty as x, type ProviderConfigPropertyType as y, type ProviderConfigSelectOption as z };
1713
+ export { type BackgroundTaskConfig as $, type ActionResult as A, type ProviderConfigValidation as B, type ChatMessage as C, type ExtensionContext as D, type ExtensionContributions as E, type Disposable as F, type GetModelsOptions as G, type SettingsAPI as H, type ProvidersAPI as I, type ToolsAPI as J, type ActionsAPI as K, type LocalizedString as L, type ModelInfo as M, type NetworkAPI as N, type EventsAPI as O, type PanelDefinition as P, type SchedulerAPI as Q, type SchedulerJobRequest as R, type SchedulerFirePayload as S, type ToolResult as T, type SchedulerSchedule as U, type UserAPI as V, type UserProfile as W, type ChatAPI as X, type ChatInstructionMessage as Y, type LogAPI as Z, type BackgroundWorkersAPI as _, type ChatOptions as a, type BackgroundTaskCallback as a0, type BackgroundTaskContext as a1, type BackgroundTaskHealth as a2, type BackgroundRestartPolicy as a3, type Query as a4, type QueryOptions as a5, type StorageAPI as a6, type SecretsAPI as a7, type StorageCollectionConfig as a8, type StorageContributions as a9, type DividerProps as aA, type IconProps as aB, type IconButtonType as aC, type IconButtonProps as aD, type PanelAction as aE, type PanelProps as aF, type ToggleProps as aG, type CollapsibleProps as aH, type FrameVariant as aI, type FrameProps as aJ, type ListProps as aK, type PillVariant as aL, type PillProps as aM, type CheckboxProps as aN, type MarkdownProps as aO, type TextPreviewProps as aP, type ModalProps as aQ, type ConditionalGroupProps as aR, type ExecutionContext as aS, type AIProvider as aa, type ToolCall as ab, type Tool as ac, type Action as ad, type ExtensionModule as ae, type HugeIconName as af, type AllowedCSSProperty as ag, type ExtensionComponentStyle as ah, type ExtensionComponentData as ai, type ExtensionComponentIterator as aj, type ExtensionComponentChildren as ak, type ExtensionActionCall as al, type ExtensionActionRef as am, type ExtensionDataSource as an, type ExtensionPanelDefinition as ao, type HeaderProps as ap, type LabelProps as aq, type ParagraphProps as ar, type ButtonProps as as, type TextInputProps as at, type DateTimeInputProps as au, type SelectProps as av, type IconPickerProps as aw, type VerticalStackProps as ax, type HorizontalStackProps as ay, type GridProps as az, type StreamEvent as b, type SettingDefinition as c, type SettingOptionsMapping as d, type SettingCreateMapping as e, type ToolSettingsViewDefinition as f, type ToolSettingsView as g, type ToolSettingsListView as h, type ToolSettingsListMapping as i, type ToolSettingsComponentView as j, type ToolSettingsActionDataSource as k, type PanelView as l, type PanelComponentView as m, type PanelActionDataSource as n, type PanelUnknownView as o, type ProviderDefinition as p, type PromptContribution as q, resolveLocalizedString as r, type PromptSection as s, type ToolDefinition as t, type ToolConfirmationConfig as u, type CommandDefinition as v, type ProviderConfigSchema as w, type ProviderConfigProperty as x, type ProviderConfigPropertyType as y, type ProviderConfigSelectOption as z };
@@ -26,6 +26,8 @@ type LocalizedString = string | Record<string, string>;
26
26
  */
27
27
  declare function resolveLocalizedString(value: LocalizedString, lang: string, fallbackLang?: string): string;
28
28
 
29
+ /** Semantic type alias for icon names (e.g. Hugeicons). Accepts any string. */
30
+ type HugeIconName = string;
29
31
  /**
30
32
  * Allowed CSS property names for extension component styling.
31
33
  * Only safe properties that cannot be used for UI spoofing,
@@ -162,7 +164,7 @@ interface HeaderProps extends ExtensionComponentData {
162
164
  level: number;
163
165
  title: string;
164
166
  description?: string | string[];
165
- icon?: string;
167
+ icon?: HugeIconName;
166
168
  }
167
169
  /** The extension API properties for the Label component. */
168
170
  interface LabelProps extends ExtensionComponentData {
@@ -239,7 +241,7 @@ interface DividerProps extends ExtensionComponentData {
239
241
  /** The extension API properties for the Icon component. */
240
242
  interface IconProps extends ExtensionComponentData {
241
243
  component: 'Icon';
242
- name: string;
244
+ name: HugeIconName;
243
245
  title?: string;
244
246
  }
245
247
  /** Button type for IconButton. */
@@ -247,7 +249,7 @@ type IconButtonType = 'normal' | 'primary' | 'danger' | 'accent';
247
249
  /** The extension API properties for the IconButton component. */
248
250
  interface IconButtonProps extends ExtensionComponentData {
249
251
  component: 'IconButton';
250
- icon: string;
252
+ icon: HugeIconName;
251
253
  tooltip: string;
252
254
  active?: boolean;
253
255
  disabled?: boolean;
@@ -256,7 +258,7 @@ interface IconButtonProps extends ExtensionComponentData {
256
258
  }
257
259
  /** Action button definition for Panel component. */
258
260
  interface PanelAction {
259
- icon: string;
261
+ icon: HugeIconName;
260
262
  tooltip: string;
261
263
  action: ExtensionActionRef;
262
264
  type?: IconButtonType;
@@ -266,7 +268,7 @@ interface PanelProps extends ExtensionComponentData {
266
268
  component: 'Panel';
267
269
  title: string;
268
270
  description?: string | string[];
269
- icon?: string;
271
+ icon?: HugeIconName;
270
272
  actions?: PanelAction[];
271
273
  content?: ExtensionComponentData;
272
274
  }
@@ -287,7 +289,7 @@ interface CollapsibleProps extends ExtensionComponentData {
287
289
  /** Optional description rendered under the title. */
288
290
  description?: string | string[];
289
291
  /** Optional icon shown to the left of the title. */
290
- icon?: string;
292
+ icon?: HugeIconName;
291
293
  /** Whether the section is expanded by default. */
292
294
  defaultExpanded?: boolean;
293
295
  /** Child component to render when expanded. */
@@ -301,7 +303,7 @@ interface PillProps extends ExtensionComponentData {
301
303
  /** Text to display in the pill. */
302
304
  text: string;
303
305
  /** Optional icon shown to the left of the text. */
304
- icon?: string;
306
+ icon?: HugeIconName;
305
307
  /** Color variant. Defaults to 'default'. */
306
308
  variant?: PillVariant;
307
309
  }
@@ -325,6 +327,14 @@ interface MarkdownProps extends ExtensionComponentData {
325
327
  /** Markdown content to render. */
326
328
  content: string;
327
329
  }
330
+ /** The extension API properties for the TextPreview component. */
331
+ interface TextPreviewProps extends ExtensionComponentData {
332
+ component: 'TextPreview';
333
+ /** Markdown content to render. */
334
+ content: string;
335
+ /** Maximum number of visible lines before truncating. Defaults to 5. */
336
+ maxLines?: number;
337
+ }
328
338
  /** The extension API properties for the Modal component. */
329
339
  interface ModalProps extends ExtensionComponentData {
330
340
  component: 'Modal';
@@ -361,6 +371,28 @@ interface ConditionalGroupProps extends ExtensionComponentData {
361
371
  /** Children to render when condition is true. */
362
372
  children: ExtensionComponentChildren;
363
373
  }
374
+ /** Visual variant for the Frame component. */
375
+ type FrameVariant = 'border' | 'solid';
376
+ /** The extension API properties for the Frame component. */
377
+ interface FrameProps extends ExtensionComponentData {
378
+ component: 'Frame';
379
+ /** Optional title displayed in the header. Can be a plain string or extension components. */
380
+ title?: string | ExtensionComponentChildren;
381
+ /** Whether the content can be toggled (collapsed/expanded) by clicking the title. Requires title to be set. */
382
+ collapsible?: boolean;
383
+ /** Whether the frame content is expanded by default. Only used when collapsible is true. Defaults to true. */
384
+ defaultExpanded?: boolean;
385
+ /** Visual variant: 'border' shows a bordered container, 'solid' shows a solid background. Defaults to 'border'. */
386
+ variant?: FrameVariant;
387
+ /** Child components to render inside the frame. */
388
+ children: ExtensionComponentChildren;
389
+ }
390
+ /** The extension API properties for the List component. */
391
+ interface ListProps extends ExtensionComponentData {
392
+ component: 'List';
393
+ /** Child components to render as list items. Supports iteration. */
394
+ children: ExtensionComponentChildren;
395
+ }
364
396
 
365
397
  /**
366
398
  * Contribution Types
@@ -1678,4 +1710,4 @@ interface ActionResult {
1678
1710
  error?: string;
1679
1711
  }
1680
1712
 
1681
- export { type BackgroundTaskConfig as $, type ActionResult as A, type ProviderConfigValidation as B, type ChatMessage as C, type ExtensionContext as D, type ExtensionContributions as E, type Disposable as F, type GetModelsOptions as G, type SettingsAPI as H, type ProvidersAPI as I, type ToolsAPI as J, type ActionsAPI as K, type LocalizedString as L, type ModelInfo as M, type NetworkAPI as N, type EventsAPI as O, type PanelDefinition as P, type SchedulerAPI as Q, type SchedulerJobRequest as R, type SchedulerFirePayload as S, type ToolResult as T, type SchedulerSchedule as U, type UserAPI as V, type UserProfile as W, type ChatAPI as X, type ChatInstructionMessage as Y, type LogAPI as Z, type BackgroundWorkersAPI as _, type ChatOptions as a, type BackgroundTaskCallback as a0, type BackgroundTaskContext as a1, type BackgroundTaskHealth as a2, type BackgroundRestartPolicy as a3, type Query as a4, type QueryOptions as a5, type StorageAPI as a6, type SecretsAPI as a7, type StorageCollectionConfig as a8, type StorageContributions as a9, type IconProps as aA, type IconButtonType as aB, type IconButtonProps as aC, type PanelAction as aD, type PanelProps as aE, type ToggleProps as aF, type CollapsibleProps as aG, type PillVariant as aH, type PillProps as aI, type CheckboxProps as aJ, type MarkdownProps as aK, type ModalProps as aL, type ConditionalGroupProps as aM, type ExecutionContext as aN, type AIProvider as aa, type ToolCall as ab, type Tool as ac, type Action as ad, type ExtensionModule as ae, type AllowedCSSProperty as af, type ExtensionComponentStyle as ag, type ExtensionComponentData as ah, type ExtensionComponentIterator as ai, type ExtensionComponentChildren as aj, type ExtensionActionCall as ak, type ExtensionActionRef as al, type ExtensionDataSource as am, type ExtensionPanelDefinition as an, type HeaderProps as ao, type LabelProps as ap, type ParagraphProps as aq, type ButtonProps as ar, type TextInputProps as as, type DateTimeInputProps as at, type SelectProps as au, type IconPickerProps as av, type VerticalStackProps as aw, type HorizontalStackProps as ax, type GridProps as ay, type DividerProps as az, type StreamEvent as b, type SettingDefinition as c, type SettingOptionsMapping as d, type SettingCreateMapping as e, type ToolSettingsViewDefinition as f, type ToolSettingsView as g, type ToolSettingsListView as h, type ToolSettingsListMapping as i, type ToolSettingsComponentView as j, type ToolSettingsActionDataSource as k, type PanelView as l, type PanelComponentView as m, type PanelActionDataSource as n, type PanelUnknownView as o, type ProviderDefinition as p, type PromptContribution as q, resolveLocalizedString as r, type PromptSection as s, type ToolDefinition as t, type ToolConfirmationConfig as u, type CommandDefinition as v, type ProviderConfigSchema as w, type ProviderConfigProperty as x, type ProviderConfigPropertyType as y, type ProviderConfigSelectOption as z };
1713
+ export { type BackgroundTaskConfig as $, type ActionResult as A, type ProviderConfigValidation as B, type ChatMessage as C, type ExtensionContext as D, type ExtensionContributions as E, type Disposable as F, type GetModelsOptions as G, type SettingsAPI as H, type ProvidersAPI as I, type ToolsAPI as J, type ActionsAPI as K, type LocalizedString as L, type ModelInfo as M, type NetworkAPI as N, type EventsAPI as O, type PanelDefinition as P, type SchedulerAPI as Q, type SchedulerJobRequest as R, type SchedulerFirePayload as S, type ToolResult as T, type SchedulerSchedule as U, type UserAPI as V, type UserProfile as W, type ChatAPI as X, type ChatInstructionMessage as Y, type LogAPI as Z, type BackgroundWorkersAPI as _, type ChatOptions as a, type BackgroundTaskCallback as a0, type BackgroundTaskContext as a1, type BackgroundTaskHealth as a2, type BackgroundRestartPolicy as a3, type Query as a4, type QueryOptions as a5, type StorageAPI as a6, type SecretsAPI as a7, type StorageCollectionConfig as a8, type StorageContributions as a9, type DividerProps as aA, type IconProps as aB, type IconButtonType as aC, type IconButtonProps as aD, type PanelAction as aE, type PanelProps as aF, type ToggleProps as aG, type CollapsibleProps as aH, type FrameVariant as aI, type FrameProps as aJ, type ListProps as aK, type PillVariant as aL, type PillProps as aM, type CheckboxProps as aN, type MarkdownProps as aO, type TextPreviewProps as aP, type ModalProps as aQ, type ConditionalGroupProps as aR, type ExecutionContext as aS, type AIProvider as aa, type ToolCall as ab, type Tool as ac, type Action as ad, type ExtensionModule as ae, type HugeIconName as af, type AllowedCSSProperty as ag, type ExtensionComponentStyle as ah, type ExtensionComponentData as ai, type ExtensionComponentIterator as aj, type ExtensionComponentChildren as ak, type ExtensionActionCall as al, type ExtensionActionRef as am, type ExtensionDataSource as an, type ExtensionPanelDefinition as ao, type HeaderProps as ap, type LabelProps as aq, type ParagraphProps as ar, type ButtonProps as as, type TextInputProps as at, type DateTimeInputProps as au, type SelectProps as av, type IconPickerProps as aw, type VerticalStackProps as ax, type HorizontalStackProps as ay, type GridProps as az, type StreamEvent as b, type SettingDefinition as c, type SettingOptionsMapping as d, type SettingCreateMapping as e, type ToolSettingsViewDefinition as f, type ToolSettingsView as g, type ToolSettingsListView as h, type ToolSettingsListMapping as i, type ToolSettingsComponentView as j, type ToolSettingsActionDataSource as k, type PanelView as l, type PanelComponentView as m, type PanelActionDataSource as n, type PanelUnknownView as o, type ProviderDefinition as p, type PromptContribution as q, resolveLocalizedString as r, type PromptSection as s, type ToolDefinition as t, type ToolConfirmationConfig as u, type CommandDefinition as v, type ProviderConfigSchema as w, type ProviderConfigProperty as x, type ProviderConfigPropertyType as y, type ProviderConfigSelectOption as z };
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@stina/extension-api",
3
- "version": "0.28.1",
3
+ "version": "0.29.0",
4
4
  "private": false,
5
5
  "repository": {
6
6
  "type": "git",
package/src/index.ts CHANGED
@@ -144,6 +144,8 @@ export { generateMessageId } from './messages.js'
144
144
 
145
145
  // Component types (for extension UI components)
146
146
  export type {
147
+ // Icon Names
148
+ HugeIconName,
147
149
  // Styling
148
150
  AllowedCSSProperty,
149
151
  ExtensionComponentStyle,
@@ -178,10 +180,14 @@ export type {
178
180
  PanelProps,
179
181
  ToggleProps,
180
182
  CollapsibleProps,
183
+ FrameVariant,
184
+ FrameProps,
185
+ ListProps,
181
186
  PillVariant,
182
187
  PillProps,
183
188
  CheckboxProps,
184
189
  MarkdownProps,
190
+ TextPreviewProps,
185
191
  ModalProps,
186
192
  ConditionalGroupProps,
187
193
  } from './types.components.js'