@almadar/ui 2.9.4 → 2.11.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,4 +1,4 @@
1
- import { SuspenseConfigProvider } from './chunk-P6NZVIE5.js';
1
+ import { SuspenseConfigProvider } from './chunk-7M2KEJTF.js';
2
2
  import { ThemeProvider } from './chunk-DKQN5FVU.js';
3
3
  import { SelectionProvider, EntityDataProvider } from './chunk-WGJIL4YR.js';
4
4
  import { useEventBus, EventBusProvider } from './chunk-YXZM3WCF.js';
@@ -0,0 +1,332 @@
1
+ import { ClassValue } from 'clsx';
2
+
3
+ /**
4
+ * Orbital State Machine Visualizer
5
+ *
6
+ * Renders SVG diagrams from Orbital schemas and Trait definitions.
7
+ * Can be used in documentation, IDE previews, and other tools.
8
+ */
9
+ interface VisualizerConfig {
10
+ nodeRadius: number;
11
+ nodeSpacing: number;
12
+ initialIndicatorOffset: number;
13
+ arrowSize: number;
14
+ colors: {
15
+ background: string;
16
+ node: string;
17
+ nodeBorder: string;
18
+ nodeText: string;
19
+ initialNode: string;
20
+ finalNode: string;
21
+ arrow: string;
22
+ arrowText: string;
23
+ effectText: string;
24
+ guardText: string;
25
+ initial: string;
26
+ };
27
+ fonts: {
28
+ node: string;
29
+ event: string;
30
+ effect: string;
31
+ };
32
+ }
33
+ interface StateDefinition {
34
+ name: string;
35
+ isInitial?: boolean;
36
+ isFinal?: boolean;
37
+ description?: string;
38
+ }
39
+ interface TransitionDefinition {
40
+ from: string;
41
+ to: string;
42
+ event: string;
43
+ guard?: unknown;
44
+ effects?: unknown[];
45
+ }
46
+ interface StateMachineDefinition {
47
+ states: StateDefinition[];
48
+ transitions: TransitionDefinition[];
49
+ }
50
+ interface EntityDefinition {
51
+ name: string;
52
+ fields?: (string | {
53
+ name: string;
54
+ })[];
55
+ }
56
+ interface RenderOptions {
57
+ title?: string;
58
+ entity?: EntityDefinition;
59
+ }
60
+ /** Position data for a state node in DOM layout */
61
+ interface DomStateNode {
62
+ id: string;
63
+ name: string;
64
+ x: number;
65
+ y: number;
66
+ radius: number;
67
+ isInitial: boolean;
68
+ isFinal: boolean;
69
+ description?: string;
70
+ }
71
+ /** Position data for a transition arrow */
72
+ interface DomTransitionPath {
73
+ id: string;
74
+ from: string;
75
+ to: string;
76
+ /** SVG path data for the curved arrow */
77
+ pathData: string;
78
+ /** Midpoint for label positioning */
79
+ labelX: number;
80
+ labelY: number;
81
+ }
82
+ /** Position data for a transition label with guard/effect details */
83
+ interface DomTransitionLabel {
84
+ id: string;
85
+ from: string;
86
+ to: string;
87
+ event: string;
88
+ x: number;
89
+ y: number;
90
+ /** Human-readable guard text (e.g., "if amount > 100") */
91
+ guardText?: string;
92
+ /** Human-readable effect texts */
93
+ effectTexts: string[];
94
+ /** Whether this transition has details to show in tooltip */
95
+ hasDetails: boolean;
96
+ }
97
+ /** Entity input box data */
98
+ interface DomEntityBox {
99
+ name: string;
100
+ fields: string[];
101
+ x: number;
102
+ y: number;
103
+ width: number;
104
+ height: number;
105
+ }
106
+ /** Output effects box data */
107
+ interface DomOutputsBox {
108
+ outputs: string[];
109
+ x: number;
110
+ y: number;
111
+ width: number;
112
+ height: number;
113
+ }
114
+ /** Complete DOM layout data for rendering */
115
+ interface DomLayoutData {
116
+ width: number;
117
+ height: number;
118
+ title?: string;
119
+ states: DomStateNode[];
120
+ paths: DomTransitionPath[];
121
+ labels: DomTransitionLabel[];
122
+ entity?: DomEntityBox;
123
+ outputs?: DomOutputsBox;
124
+ config: VisualizerConfig;
125
+ }
126
+ declare const DEFAULT_CONFIG: VisualizerConfig;
127
+ declare function formatGuard(guard: unknown): string;
128
+ declare function getEffectSummary(effects: unknown[]): string;
129
+ declare function extractOutputsFromTransitions(transitions: TransitionDefinition[]): string[];
130
+ /**
131
+ * Render a state machine to an SVG string.
132
+ * Works in both browser and Node.js environments.
133
+ */
134
+ declare function renderStateMachineToSvg(stateMachine: StateMachineDefinition, options?: RenderOptions, config?: VisualizerConfig): string;
135
+ /**
136
+ * Extract state machine from various data formats (Trait, Orbital, or raw)
137
+ */
138
+ declare function extractStateMachine(data: unknown): StateMachineDefinition | null;
139
+ /**
140
+ * Render a state machine to DOM layout data.
141
+ * This is used by the DOM-based visualizer component for hybrid SVG/DOM rendering.
142
+ * Unlike renderStateMachineToSvg, this returns structured data instead of an SVG string.
143
+ */
144
+ declare function renderStateMachineToDomData(stateMachine: StateMachineDefinition, options?: RenderOptions, config?: VisualizerConfig): DomLayoutData;
145
+
146
+ /**
147
+ * Content Segment Parsing Utilities
148
+ *
149
+ * Parses rich content with code blocks and quiz tags into structured
150
+ * segments for rendering. Detects orbital schemas in JSON code blocks
151
+ * and marks them for JazariStateMachine rendering.
152
+ */
153
+ /** Segment types for content rendering */
154
+ type ContentSegment = {
155
+ type: 'markdown';
156
+ content: string;
157
+ } | {
158
+ type: 'code';
159
+ language: string;
160
+ content: string;
161
+ } | {
162
+ type: 'orbital';
163
+ language: string;
164
+ content: string;
165
+ schema: unknown;
166
+ } | {
167
+ type: 'quiz';
168
+ question: string;
169
+ answer: string;
170
+ };
171
+ /**
172
+ * Parse markdown content to extract code blocks.
173
+ *
174
+ * Splits markdown into segments of plain markdown and fenced code blocks.
175
+ * JSON/orb code blocks containing orbital schemas are tagged as 'orbital'.
176
+ */
177
+ declare function parseMarkdownWithCodeBlocks(content: string | undefined | null): ContentSegment[];
178
+ /**
179
+ * Parse content to extract all segments including quiz tags and code blocks.
180
+ *
181
+ * Supported tags:
182
+ * - <question>q</question><answer>a</answer> — Quiz Q&A
183
+ *
184
+ * Also handles fenced code blocks (```language...```) with orbital detection.
185
+ */
186
+ declare function parseContentSegments(content: string | undefined | null): ContentSegment[];
187
+
188
+ /**
189
+ * Verification Registry - Tracks runtime verification checks and transition traces
190
+ *
191
+ * Provides:
192
+ * 1. A checklist of pass/fail checks (INIT has fetch, bridge connected, etc.)
193
+ * 2. A full transition timeline with effect execution results
194
+ * 3. ServerBridge health snapshot
195
+ * 4. window.__orbitalVerification for Playwright/automation
196
+ *
197
+ * @packageDocumentation
198
+ */
199
+ type CheckStatus = "pass" | "fail" | "pending" | "warn";
200
+ interface VerificationCheck {
201
+ id: string;
202
+ label: string;
203
+ status: CheckStatus;
204
+ details?: string;
205
+ /** Timestamp when status last changed */
206
+ updatedAt: number;
207
+ }
208
+ interface EffectTrace {
209
+ type: string;
210
+ args: unknown[];
211
+ status: "executed" | "failed" | "skipped";
212
+ error?: string;
213
+ durationMs?: number;
214
+ }
215
+ interface TransitionTrace {
216
+ id: string;
217
+ traitName: string;
218
+ from: string;
219
+ to: string;
220
+ event: string;
221
+ guardExpression?: string;
222
+ guardResult?: boolean;
223
+ effects: EffectTrace[];
224
+ timestamp: number;
225
+ }
226
+ interface BridgeHealth {
227
+ connected: boolean;
228
+ eventsForwarded: number;
229
+ eventsReceived: number;
230
+ lastError?: string;
231
+ lastHeartbeat: number;
232
+ }
233
+ interface VerificationSummary {
234
+ totalChecks: number;
235
+ passed: number;
236
+ failed: number;
237
+ warnings: number;
238
+ pending: number;
239
+ }
240
+ interface VerificationSnapshot {
241
+ checks: VerificationCheck[];
242
+ transitions: TransitionTrace[];
243
+ bridge: BridgeHealth | null;
244
+ summary: VerificationSummary;
245
+ }
246
+ type ChangeListener = () => void;
247
+ declare function registerCheck(id: string, label: string, status?: CheckStatus, details?: string): void;
248
+ declare function updateCheck(id: string, status: CheckStatus, details?: string): void;
249
+ declare function getAllChecks(): VerificationCheck[];
250
+ declare function recordTransition(trace: Omit<TransitionTrace, "id">): void;
251
+ declare function getTransitions(): TransitionTrace[];
252
+ declare function getTransitionsForTrait(traitName: string): TransitionTrace[];
253
+ declare function updateBridgeHealth(health: BridgeHealth): void;
254
+ declare function getBridgeHealth(): BridgeHealth | null;
255
+ declare function getSummary(): VerificationSummary;
256
+ declare function getSnapshot(): VerificationSnapshot;
257
+ declare function subscribeToVerification(listener: ChangeListener): () => void;
258
+ /** Asset load status for canvas verification */
259
+ type AssetLoadStatus = "loaded" | "failed" | "pending";
260
+ /** Event bus log entry for verification */
261
+ interface EventLogEntry {
262
+ type: string;
263
+ payload?: Record<string, unknown>;
264
+ timestamp: number;
265
+ }
266
+ /** Exposed on window for Playwright to query */
267
+ interface OrbitalVerificationAPI {
268
+ getSnapshot: () => VerificationSnapshot;
269
+ getChecks: () => VerificationCheck[];
270
+ getTransitions: () => TransitionTrace[];
271
+ getBridge: () => BridgeHealth | null;
272
+ getSummary: () => VerificationSummary;
273
+ /** Wait for a specific event to be processed */
274
+ waitForTransition: (event: string, timeoutMs?: number) => Promise<TransitionTrace | null>;
275
+ /** Send an event into the runtime (requires eventBus binding) */
276
+ sendEvent?: (event: string, payload?: Record<string, unknown>) => void;
277
+ /** Get current trait state */
278
+ getTraitState?: (traitName: string) => string | undefined;
279
+ /** Capture a canvas frame as PNG data URL. Registered by game organisms. */
280
+ captureFrame?: () => string | null;
281
+ /** Asset load status map. Registered by game organisms. */
282
+ assetStatus?: Record<string, AssetLoadStatus>;
283
+ /** Event bus log. Records all emit() calls for verification. */
284
+ eventLog?: EventLogEntry[];
285
+ /** Clear the event log. */
286
+ clearEventLog?: () => void;
287
+ }
288
+ declare global {
289
+ interface Window {
290
+ __orbitalVerification?: OrbitalVerificationAPI;
291
+ }
292
+ }
293
+ /**
294
+ * Wait for a transition matching the given event to appear.
295
+ * Returns the trace or null on timeout.
296
+ */
297
+ declare function waitForTransition(event: string, timeoutMs?: number): Promise<TransitionTrace | null>;
298
+ /**
299
+ * Bind the EventBus so automation can send events and log emissions.
300
+ * Call this during app initialization.
301
+ */
302
+ declare function bindEventBus(eventBus: {
303
+ emit: (type: string, payload?: Record<string, unknown>) => void;
304
+ onAny?: (listener: (event: {
305
+ type: string;
306
+ payload?: Record<string, unknown>;
307
+ }) => void) => () => void;
308
+ }): void;
309
+ /**
310
+ * Bind a trait state getter so automation can query current states.
311
+ */
312
+ declare function bindTraitStateGetter(getter: (traitName: string) => string | undefined): void;
313
+ /**
314
+ * Register a canvas frame capture function.
315
+ * Called by game organisms (IsometricCanvas, PlatformerCanvas, SimulationCanvas)
316
+ * so the verifier can snapshot canvas content at checkpoints.
317
+ */
318
+ declare function bindCanvasCapture(captureFn: () => string | null): void;
319
+ /**
320
+ * Update asset load status for canvas verification.
321
+ * Game organisms call this when images load or fail.
322
+ */
323
+ declare function updateAssetStatus(url: string, status: AssetLoadStatus): void;
324
+ declare function clearVerification(): void;
325
+
326
+ /**
327
+ * Utility function to merge Tailwind CSS classes
328
+ * Combines clsx for conditional classes with tailwind-merge to handle conflicts
329
+ */
330
+ declare function cn(...inputs: ClassValue[]): string;
331
+
332
+ export { type AssetLoadStatus as A, type BridgeHealth as B, type CheckStatus as C, DEFAULT_CONFIG as D, type EffectTrace as E, getSummary as F, getTransitions as G, getTransitionsForTrait as H, parseContentSegments as I, parseMarkdownWithCodeBlocks as J, recordTransition as K, registerCheck as L, renderStateMachineToDomData as M, renderStateMachineToSvg as N, subscribeToVerification as O, updateAssetStatus as P, updateBridgeHealth as Q, type RenderOptions as R, type StateDefinition as S, type TransitionDefinition as T, updateCheck as U, type VerificationCheck as V, waitForTransition as W, type ContentSegment as a, type DomEntityBox as b, type DomLayoutData as c, type DomOutputsBox as d, type DomStateNode as e, type DomTransitionLabel as f, type DomTransitionPath as g, type EntityDefinition as h, type EventLogEntry as i, type StateMachineDefinition as j, type TransitionTrace as k, type VerificationSnapshot as l, type VerificationSummary as m, type VisualizerConfig as n, bindCanvasCapture as o, bindEventBus as p, bindTraitStateGetter as q, clearVerification as r, cn as s, extractOutputsFromTransitions as t, extractStateMachine as u, formatGuard as v, getAllChecks as w, getBridgeHealth as x, getEffectSummary as y, getSnapshot as z };
@@ -1154,3 +1154,91 @@
1154
1154
  body {
1155
1155
  counter-reset: katexEqnNo mmlEqnNo;
1156
1156
  }
1157
+
1158
+ /* components/organisms/debug/RuntimeDebugger.css */
1159
+ .runtime-debugger {
1160
+ font-family:
1161
+ "SF Mono",
1162
+ "Monaco",
1163
+ "Consolas",
1164
+ ui-monospace,
1165
+ monospace;
1166
+ font-size: 12px;
1167
+ }
1168
+ .runtime-debugger--collapsed {
1169
+ width: auto;
1170
+ height: auto;
1171
+ }
1172
+ .runtime-debugger--expanded {
1173
+ width: 450px;
1174
+ max-height: 75vh;
1175
+ }
1176
+ .runtime-debugger__toggle {
1177
+ width: 48px !important;
1178
+ height: 48px !important;
1179
+ border-radius: 50% !important;
1180
+ font-size: 20px !important;
1181
+ box-shadow: 0 4px 12px rgba(0, 0, 0, 0.15);
1182
+ }
1183
+ .runtime-debugger__toggle:hover {
1184
+ transform: scale(1.05);
1185
+ box-shadow: 0 6px 20px rgba(0, 0, 0, 0.2);
1186
+ }
1187
+ .runtime-debugger__panel {
1188
+ display: flex;
1189
+ flex-direction: column;
1190
+ max-height: 70vh;
1191
+ overflow: hidden;
1192
+ }
1193
+ .runtime-debugger__header {
1194
+ display: flex;
1195
+ align-items: center;
1196
+ justify-content: space-between;
1197
+ padding: 12px 16px;
1198
+ border-bottom: 1px solid var(--gray-200, #e5e7eb);
1199
+ }
1200
+ .dark .runtime-debugger__header {
1201
+ border-color: var(--gray-700, #374151);
1202
+ }
1203
+ .runtime-debugger__content {
1204
+ flex: 1;
1205
+ overflow-y: auto;
1206
+ padding: 12px;
1207
+ }
1208
+ .runtime-debugger__footer {
1209
+ padding: 8px 16px;
1210
+ border-top: 1px solid var(--gray-200, #e5e7eb);
1211
+ text-align: center;
1212
+ }
1213
+ .dark .runtime-debugger__footer {
1214
+ border-color: var(--gray-700, #374151);
1215
+ }
1216
+ .debug-tab {
1217
+ padding: 4px 0;
1218
+ }
1219
+ .runtime-debugger__content::-webkit-scrollbar {
1220
+ width: 6px;
1221
+ }
1222
+ .runtime-debugger__content::-webkit-scrollbar-track {
1223
+ background: transparent;
1224
+ }
1225
+ .runtime-debugger__content::-webkit-scrollbar-thumb {
1226
+ background: rgba(0, 0, 0, 0.1);
1227
+ border-radius: 3px;
1228
+ }
1229
+ .dark .runtime-debugger__content::-webkit-scrollbar-thumb {
1230
+ background: rgba(255, 255, 255, 0.1);
1231
+ }
1232
+ .runtime-debugger__content::-webkit-scrollbar-thumb:hover {
1233
+ background: rgba(0, 0, 0, 0.2);
1234
+ }
1235
+ .dark .runtime-debugger__content::-webkit-scrollbar-thumb:hover {
1236
+ background: rgba(255, 255, 255, 0.2);
1237
+ }
1238
+ .runtime-debugger--inline {
1239
+ width: 100%;
1240
+ }
1241
+ .runtime-debugger__panel--inline {
1242
+ max-height: 300px;
1243
+ overflow: hidden;
1244
+ }
@@ -8,8 +8,8 @@ import { E as EventBusContextType } from '../event-bus-types-CjJduURa.js';
8
8
  export { a as EventListener, K as KFlowEvent, U as Unsubscribe } from '../event-bus-types-CjJduURa.js';
9
9
  import { I as IsometricTile, a as IsometricUnit, b as IsometricFeature, C as CameraState } from '../isometric-ynNHVPZx.js';
10
10
  import { OrbitalEntity } from '@almadar/core';
11
- import { b as DomLayoutData, d as DomStateNode, V as VisualizerConfig, e as DomTransitionLabel, C as ContentSegment } from '../cn-BoBXsxuX.js';
12
- export { h as cn } from '../cn-BoBXsxuX.js';
11
+ import { c as DomLayoutData, e as DomStateNode, n as VisualizerConfig, f as DomTransitionLabel, a as ContentSegment } from '../cn-C_ATNPvi.js';
12
+ export { s as cn } from '../cn-C_ATNPvi.js';
13
13
  import { S as SlotContent, a as UISlot } from '../useUISlots-BBjNvQtb.js';
14
14
  export { D as DEFAULT_SLOTS, R as RenderUIConfig, b as SlotAnimation, c as SlotChangeCallback, U as UISlotManager, u as useUISlotManager } from '../useUISlots-BBjNvQtb.js';
15
15
  export { Entity, clearEntities, getAllEntities, getByType, getEntity, getSingleton, removeEntity, spawnEntity, updateEntity, updateSingleton } from '../stores/index.js';
@@ -9437,6 +9437,25 @@ interface CodeViewerProps {
9437
9437
  }
9438
9438
  declare const CodeViewer: React__default.FC<CodeViewerProps>;
9439
9439
 
9440
+ interface RuntimeDebuggerProps {
9441
+ /** Initial position */
9442
+ position?: 'bottom-right' | 'bottom-left' | 'top-right' | 'top-left';
9443
+ /** Initial collapsed state */
9444
+ defaultCollapsed?: boolean;
9445
+ /** Additional CSS classes */
9446
+ className?: string;
9447
+ /** Display mode: floating (fixed overlay) or inline (block element) */
9448
+ mode?: 'floating' | 'inline';
9449
+ /** Default active tab id */
9450
+ defaultTab?: string;
9451
+ /** Raw schema for EventDispatcherTab payload extraction */
9452
+ schema?: Record<string, unknown>;
9453
+ }
9454
+ declare function RuntimeDebugger({ position, defaultCollapsed, className, mode, defaultTab, schema, }: RuntimeDebuggerProps): react_jsx_runtime.JSX.Element | null;
9455
+ declare namespace RuntimeDebugger {
9456
+ var displayName: string;
9457
+ }
9458
+
9440
9459
  /**
9441
9460
  * Base template types for Almadar UI.
9442
9461
  *
@@ -9717,4 +9736,4 @@ declare namespace WorldMapTemplate {
9717
9736
  var displayName: string;
9718
9737
  }
9719
9738
 
9720
- export { ALL_PRESETS, AR_BOOK_FIELDS, Accordion, type AccordionItem, type AccordionProps, ActionButton$1 as ActionButton, type ActionButtonConfig, type ActionButtonProps, ActionButtons, type ActionButtonsProps, Card as ActionCard, type CardProps as ActionCardProps, ActionPalette, type ActionPaletteProps, ActionTile, type ActionTileProps, type ActivePowerup, Alert, type AlertProps, type AlertVariant, AnimatedCounter, type AnimatedCounterProps, type AnimationDef, type AnimationName, type AudioManifest, AuthLayout, type AuthLayoutProps, Avatar, type AvatarProps, type AvatarSize, type AvatarStatus, Badge, type BadgeProps, type BadgeVariant, BattleBoard, type BattleBoardProps, type BattleEntity, type BattlePhase, type BattleSlotContext, type BattleStateCallbacks, type BattleStateEventConfig, type BattleStateResult, BattleTemplate, type BattleTemplateProps, type BattleTile, type BattleUnit, type BoardTile, type BookChapter, BookChapterView, type BookChapterViewProps, BookCoverPage, type BookCoverPageProps, type BookData, type BookFieldMap, BookNavBar, type BookNavBarProps, type BookPart, BookTableOfContents, type BookTableOfContentsProps, BookViewer, type BookViewerProps, Box, type BoxBg, type BoxMargin, type BoxPadding, type BoxProps, type BoxRounded, type BoxShadow, Breadcrumb, type BreadcrumbItem, type BreadcrumbProps, BuilderBoard, type BuilderBoardProps, type BuilderComponent, type BuilderPuzzleEntity, type BuilderSlot, Button, ButtonGroup, type ButtonGroupProps, type ButtonProps, type CalendarEvent, CalendarGrid, type CalendarGridProps, CameraState, CanvasEffect, type CanvasEffectProps, Card$1 as Card, type CardAction, CardBody, CardContent, CardFooter, CardGrid, type CardGridGap, type CardGridProps, CardHeader, type CardProps$1 as CardProps, CardTitle, Carousel, type CarouselProps, CastleBoard, type CastleBoardProps, type CastleEntity, type CastleSlotContext, CastleTemplate, type CastleTemplateProps, Center, type CenterProps, Chart, type ChartDataPoint$1 as ChartDataPoint, ChartLegend, type ChartLegendItem, type ChartLegendProps, type ChartProps, type ChartSeries, type ChartType, Checkbox, type CheckboxProps, ChoiceButton, type ChoiceButtonProps, ClassifierBoard, type ClassifierBoardProps, type ClassifierCategory, type ClassifierItem, type ClassifierPuzzleEntity, CodeBlock, type CodeBlockProps, CodeView, type CodeViewProps, CodeViewer, type CodeViewerMode, type CodeViewerProps, CollapsibleSection, type CollapsibleSectionProps, type Column, type CombatActionType, type CombatEffect, type CombatEvent, type CombatEventData, type CombatEventType, CombatLog, type CombatLogEventType, type CombatLogProps, ComboCounter, type ComboCounterProps, type ConditionalContext, ConditionalWrapper, type ConditionalWrapperProps, ConfettiEffect, type ConfettiEffectProps, ConfirmDialog, type ConfirmDialogProps, type ConfirmDialogVariant, Container, type ContainerProps, ContentRenderer, type ContentRendererProps, ControlButton, type ControlButtonProps, type CounterSize, CounterTemplate, type CounterTemplateProps, type CounterVariant, type CraftingIngredient, CraftingRecipe, type CraftingRecipeProps, DIAMOND_TOP_Y, DPad, type DPadDirection, type DPadProps, DamageNumber, type DamageNumberProps, type DamageResult, DashboardGrid, type DashboardGridCell, type DashboardGridProps, DashboardLayout, type DashboardLayoutProps, DataGrid, type DataGridField, type DataGridItemAction, type DataGridProps, DataList, type DataListField, type DataListItemAction, type DataListProps, DataTable, type DataTableProps, DateRangeSelector, type DateRangeSelectorOption, type DateRangeSelectorProps, DayCell, type DayCellProps, DebuggerBoard, type DebuggerBoardProps, type DebuggerLine, type DebuggerPuzzleEntity, type DetailField, DetailPanel, type DetailPanelProps, type DetailSection, DialogueBox, type DialogueBoxProps, DialogueBubble, type DialogueBubbleProps, type DialogueChoice, type DialogueNode, type DiffLine, Divider, type DividerOrientation, type DividerProps, type DocumentType, DocumentViewer, type DocumentViewerProps, StateMachineView as DomStateMachineVisualizer, type DotSize, type DotState, Drawer, type DrawerPosition, type DrawerProps, type DrawerSize, DrawerSlot, type DrawerSlotProps, EditorCheckbox, type EditorCheckboxProps, type EditorMode, EditorSelect, type EditorSelectProps, EditorSlider, type EditorSliderProps, EditorTextInput, type EditorTextInputProps, EditorToolbar, type EditorToolbarProps, EmptyState, type EmptyStateProps, EnemyPlate, type EnemyPlateEffect, type EnemyPlateProps, EntityDisplayEvents, type EntityDisplayProps, ErrorBoundary, type ErrorBoundaryProps, ErrorState, type ErrorStateProps, EventBusContextType, EventHandlerBoard, type EventHandlerBoardProps, type EventHandlerPuzzleEntity, EventLog, type EventLogEntry, type EventLogProps, FEATURE_COLORS, FEATURE_TYPES, FLOOR_HEIGHT, type FacingDirection, type FilterDefinition, FilterGroup, type FilterGroupProps, type FilterPayload, Flex, type FlexProps, FlipCard, type FlipCardProps, FlipContainer, type FlipContainerProps, FloatingActionButton, type FloatingActionButtonProps, Form, FormActions, type FormActionsProps, FormField, type FormFieldProps, FormLayout, type FormLayoutProps, type FormProps, FormSection$1 as FormSection, FormSectionHeader, type FormSectionHeaderProps, type FormSectionProps, type FrameDimsResolver, type GameAction, GameAudioContext, type GameAudioContextValue, type GameAudioControls, GameAudioProvider, type GameAudioProviderProps, GameAudioToggle, type GameAudioToggleProps, GameCanvas2D, type GameCanvas2DProps, GameHud, type GameHudElement, type GameHudProps, type GameHudStat, GameMenu, type GameMenuProps, type GameOverAction, GameOverScreen, type GameOverScreenProps, type GameOverStat, type GamePhase, GameShell, type GameShellProps, type GameState, GameTemplate, type GameTemplateProps, type GameUnit, GenericAppTemplate, type GenericAppTemplateProps, GraphCanvas, type GraphCanvasProps, type GraphEdge, type GraphNode, GraphView, type GraphViewEdge, type GraphViewNode, type GraphViewProps, Grid, type GridProps, HStack, type HStackProps, Header, type HeaderProps, Heading, type HeadingProps, HealthBar, type HealthBarProps, HealthPanel, type HealthPanelProps, type HighlightType, IDENTITY_BOOK_FIELDS, Icon, type IconAnimation, type IconProps, type IconSize, InfiniteScrollSentinel, type InfiniteScrollSentinelProps, Input, InputGroup, type InputGroupProps, type InputProps, InventoryGrid, type InventoryGridItem, type InventoryGridProps, type InventoryItem, InventoryPanel, type InventoryPanelProps, IsometricCanvas, type IsometricCanvasProps, IsometricFeature, IsometricTile, IsometricUnit, ItemSlot, type ItemSlotProps, JazariStateMachine, type JazariStateMachineProps, Label, type LabelProps, type LawReference, LawReferenceTooltip, type LawReferenceTooltipProps, Lightbox, type LightboxImage, type LightboxProps, LineChart, type LineChartProps, List, type ListItem, type ListProps, LoadingState, type LoadingStateProps, type MapHero, type MapHex, type MapMarkerData, MapView, type MapViewProps, MarkdownContent, type MarkdownContentProps, MasterDetail, type MasterDetailProps, type MeasurementPoint, MediaGallery, type MediaGalleryProps, type MediaItem, Menu, type MenuItem, type MenuOption, type MenuProps, Meter, type MeterAction, type MeterProps, type MeterThreshold, type MeterVariant, MiniMap, type MiniMapProps, Modal, type ModalProps, type ModalSize, ModalSlot, type ModalSlotProps, type NavItem, Navigation, type NavigationItem, type NavigationProps, type NegotiatorAction, NegotiatorBoard, type NegotiatorBoardProps, type NegotiatorPuzzleEntity, NotifyListener, NumberStepper, type NumberStepperProps, type NumberStepperSize, ObjectRulePanel, type ObjectRulePanelProps, StateMachineView as OrbitalStateMachineView, OrbitalVisualization, type OrbitalVisualizationProps, Overlay, type OverlayProps, type PageBreadcrumb, PageHeader, type PageHeaderProps, type PaginatePayload, Pagination, type PaginationProps, type PayoffEntry, type Physics2DState, type PhysicsBody, type PhysicsBounds, type PhysicsConfig, type PhysicsConstraint, PhysicsManager, type PhysicsPreset, PlatformerCanvas, type PlatformerCanvasProps, type PlatformerPlatform, type PlatformerPlayer, Popover, type PopoverProps, type Position, PowerupSlots, type PowerupSlotsProps, ProgressBar, type ProgressBarColor, type ProgressBarProps, type ProgressBarVariant, ProgressDots, type ProgressDotsProps, PullToRefresh, type PullToRefreshProps, type PuzzleObjectDef, type Quest, QuestTracker, type QuestTrackerProps, QuizBlock, type QuizBlockProps, Radio, type RadioProps, RangeSlider, type RangeSliderProps, type RangeSliderSize, type RelationOption, RelationSelect, type RelationSelectProps, RepeatableFormSection, type RepeatableFormSectionProps, type RepeatableItem, type ResolvedFrame, ResourceBar, type ResourceBarProps, type ResourceBarResource, ResourceCounter, type ResourceCounterProps, type RowAction, type RuleDefinition, RuleEditor, type RuleEditorProps, SHEET_COLUMNS, SPRITE_SHEET_LAYOUT, ScaledDiagram, type ScaledDiagramProps, ScoreBoard, type ScoreBoardProps, ScoreDisplay, type ScoreDisplayProps, SearchInput, type SearchInputProps, type SearchPayload, Section, type SectionProps, Select, type SelectOption, type SelectPayload, type SelectProps, SequenceBar, type SequenceBarProps, SequencerBoard, type SequencerBoardProps, type SequencerPuzzleEntity, type SheetUrlResolver, SidePanel, type SidePanelProps, Sidebar, type SidebarItem, type SidebarProps, SignaturePad, type SignaturePadProps, SimpleGrid, type SimpleGridProps, SimulationCanvas, type SimulationCanvasProps, SimulationControls, type SimulationControlsProps, SimulationGraph, type SimulationGraphProps, SimulatorBoard, type SimulatorBoardProps, type SimulatorParameter, type SimulatorPuzzleEntity, Skeleton, type SkeletonProps, type SkeletonVariant, SlotContent, SlotContentRenderer, type SlotItemData, type SortDirection, type SortPayload, SortableList, type SortableListProps, type SoundEntry, Spacer, type SpacerProps, type SpacerSize, Spinner, type SpinnerProps, Split, SplitPane, type SplitPaneProps, type SplitProps, Sprite, type SpriteDirection, type SpriteFrameDims, type SpriteProps, type SpriteSheetUrls, Stack, type StackAlign, type StackDirection, type StackGap, type StackJustify, type StackProps, StarRating, type StarRatingPrecision, type StarRatingProps, type StarRatingSize, StatBadge, type StatBadgeProps, StatCard, type StatCardProps, StatDisplay, type StatDisplayProps, StateArchitectBoard, type StateArchitectBoardProps, type StateArchitectPuzzleEntity, type StateArchitectTransition, StateIndicator, type StateIndicatorProps, StateMachineView, type StateMachineViewProps, StateNode, type StateNodeProps, type StateStyle, StatusBar, type StatusBarProps, StatusDot, type StatusDotProps, type StatusDotSize, type StatusDotStatus, StatusEffect, type StatusEffectProps, type SwipeAction, SwipeableRow, type SwipeableRowProps, Switch, type SwitchProps, TERRAIN_COLORS, TILE_HEIGHT, TILE_WIDTH, type TabDefinition, type TabItem, TabbedContainer, type TabbedContainerProps, Table, type TableColumn, type TableProps, Tabs, type TabsProps, type TemplateProps, TerrainPalette, type TerrainPaletteProps, type TestCase, Text, TextHighlight, type TextHighlightProps, type TextProps, Textarea, type TextareaProps, ThemeSelector, ThemeToggle, type ThemeToggleProps, TimeSlotCell, type TimeSlotCellProps, Timeline, type TimelineItem, type TimelineItemStatus, type TimelineProps, TimerDisplay, type TimerDisplayProps, Toast, type ToastProps, ToastSlot, type ToastSlotProps, type ToastVariant, Tooltip, type TooltipProps, TraitSlot, type TraitSlotProps, type TraitStateMachineDefinition, TraitStateViewer, type TraitStateViewerProps, type TraitTransition, TransitionArrow, type TransitionArrowProps, type TransitionBundle, type TrendDirection, TrendIndicator, type TrendIndicatorProps, type TrendIndicatorSize, TurnIndicator, type TurnIndicatorProps, TurnPanel, type TurnPanelAction, type TurnPanelProps, TypewriterText, type TypewriterTextProps, Typography, type TypographyProps, type TypographyVariant, UISlot, UISlotComponent, UISlotRenderer, type UISlotRendererProps, UncontrolledBattleBoard, type UncontrolledBattleBoardProps, type UnitAnimationState, type UnitCommand, UnitCommandBar, type UnitCommandBarProps, type UnitTrait, UploadDropZone, type UploadDropZoneProps, type UseGameAudioOptions, type UsePhysics2DOptions, type UsePhysics2DReturn, type UseSpriteAnimationsOptions, type UseSpriteAnimationsResult, VStack, type VStackProps, type VariableDef, VariablePanel, type VariablePanelProps, ViolationAlert, type ViolationAlertProps, type ViolationRecord, WaypointMarker, type WaypointMarkerProps, WizardContainer, type WizardContainerProps, WizardNavigation, type WizardNavigationProps, WizardProgress, type WizardProgressProps, type WizardProgressStep, type WizardStep, WorldMapBoard, type WorldMapBoardProps, type WorldMapEntity, type WorldMapSlotContext, WorldMapTemplate, type WorldMapTemplateProps, XPBar, type XPBarProps, applyTemporaryEffect, calculateAttackTargets, calculateDamage, calculateValidMoves, combatAnimations, combatClasses, combatEffects, createInitialGameState, createUnitAnimationState, drawSprite, generateCombatMessage, getCurrentFrame, inferDirection, isoToScreen, mapBookData, pendulum, projectileMotion, resolveFieldMap, resolveFrame, resolveSheetDirection, screenToIso, springOscillator, tickAnimationState, transitionAnimation, useBattleState, useCamera, useGameAudio, useGameAudioContext, useImageCache, usePhysics2D, useSpriteAnimations };
9739
+ export { ALL_PRESETS, AR_BOOK_FIELDS, Accordion, type AccordionItem, type AccordionProps, ActionButton$1 as ActionButton, type ActionButtonConfig, type ActionButtonProps, ActionButtons, type ActionButtonsProps, Card as ActionCard, type CardProps as ActionCardProps, ActionPalette, type ActionPaletteProps, ActionTile, type ActionTileProps, type ActivePowerup, Alert, type AlertProps, type AlertVariant, AnimatedCounter, type AnimatedCounterProps, type AnimationDef, type AnimationName, type AudioManifest, AuthLayout, type AuthLayoutProps, Avatar, type AvatarProps, type AvatarSize, type AvatarStatus, Badge, type BadgeProps, type BadgeVariant, BattleBoard, type BattleBoardProps, type BattleEntity, type BattlePhase, type BattleSlotContext, type BattleStateCallbacks, type BattleStateEventConfig, type BattleStateResult, BattleTemplate, type BattleTemplateProps, type BattleTile, type BattleUnit, type BoardTile, type BookChapter, BookChapterView, type BookChapterViewProps, BookCoverPage, type BookCoverPageProps, type BookData, type BookFieldMap, BookNavBar, type BookNavBarProps, type BookPart, BookTableOfContents, type BookTableOfContentsProps, BookViewer, type BookViewerProps, Box, type BoxBg, type BoxMargin, type BoxPadding, type BoxProps, type BoxRounded, type BoxShadow, Breadcrumb, type BreadcrumbItem, type BreadcrumbProps, BuilderBoard, type BuilderBoardProps, type BuilderComponent, type BuilderPuzzleEntity, type BuilderSlot, Button, ButtonGroup, type ButtonGroupProps, type ButtonProps, type CalendarEvent, CalendarGrid, type CalendarGridProps, CameraState, CanvasEffect, type CanvasEffectProps, Card$1 as Card, type CardAction, CardBody, CardContent, CardFooter, CardGrid, type CardGridGap, type CardGridProps, CardHeader, type CardProps$1 as CardProps, CardTitle, Carousel, type CarouselProps, CastleBoard, type CastleBoardProps, type CastleEntity, type CastleSlotContext, CastleTemplate, type CastleTemplateProps, Center, type CenterProps, Chart, type ChartDataPoint$1 as ChartDataPoint, ChartLegend, type ChartLegendItem, type ChartLegendProps, type ChartProps, type ChartSeries, type ChartType, Checkbox, type CheckboxProps, ChoiceButton, type ChoiceButtonProps, ClassifierBoard, type ClassifierBoardProps, type ClassifierCategory, type ClassifierItem, type ClassifierPuzzleEntity, CodeBlock, type CodeBlockProps, CodeView, type CodeViewProps, CodeViewer, type CodeViewerMode, type CodeViewerProps, CollapsibleSection, type CollapsibleSectionProps, type Column, type CombatActionType, type CombatEffect, type CombatEvent, type CombatEventData, type CombatEventType, CombatLog, type CombatLogEventType, type CombatLogProps, ComboCounter, type ComboCounterProps, type ConditionalContext, ConditionalWrapper, type ConditionalWrapperProps, ConfettiEffect, type ConfettiEffectProps, ConfirmDialog, type ConfirmDialogProps, type ConfirmDialogVariant, Container, type ContainerProps, ContentRenderer, type ContentRendererProps, ControlButton, type ControlButtonProps, type CounterSize, CounterTemplate, type CounterTemplateProps, type CounterVariant, type CraftingIngredient, CraftingRecipe, type CraftingRecipeProps, DIAMOND_TOP_Y, DPad, type DPadDirection, type DPadProps, DamageNumber, type DamageNumberProps, type DamageResult, DashboardGrid, type DashboardGridCell, type DashboardGridProps, DashboardLayout, type DashboardLayoutProps, DataGrid, type DataGridField, type DataGridItemAction, type DataGridProps, DataList, type DataListField, type DataListItemAction, type DataListProps, DataTable, type DataTableProps, DateRangeSelector, type DateRangeSelectorOption, type DateRangeSelectorProps, DayCell, type DayCellProps, DebuggerBoard, type DebuggerBoardProps, type DebuggerLine, type DebuggerPuzzleEntity, type DetailField, DetailPanel, type DetailPanelProps, type DetailSection, DialogueBox, type DialogueBoxProps, DialogueBubble, type DialogueBubbleProps, type DialogueChoice, type DialogueNode, type DiffLine, Divider, type DividerOrientation, type DividerProps, type DocumentType, DocumentViewer, type DocumentViewerProps, StateMachineView as DomStateMachineVisualizer, type DotSize, type DotState, Drawer, type DrawerPosition, type DrawerProps, type DrawerSize, DrawerSlot, type DrawerSlotProps, EditorCheckbox, type EditorCheckboxProps, type EditorMode, EditorSelect, type EditorSelectProps, EditorSlider, type EditorSliderProps, EditorTextInput, type EditorTextInputProps, EditorToolbar, type EditorToolbarProps, EmptyState, type EmptyStateProps, EnemyPlate, type EnemyPlateEffect, type EnemyPlateProps, EntityDisplayEvents, type EntityDisplayProps, ErrorBoundary, type ErrorBoundaryProps, ErrorState, type ErrorStateProps, EventBusContextType, EventHandlerBoard, type EventHandlerBoardProps, type EventHandlerPuzzleEntity, EventLog, type EventLogEntry, type EventLogProps, FEATURE_COLORS, FEATURE_TYPES, FLOOR_HEIGHT, type FacingDirection, type FilterDefinition, FilterGroup, type FilterGroupProps, type FilterPayload, Flex, type FlexProps, FlipCard, type FlipCardProps, FlipContainer, type FlipContainerProps, FloatingActionButton, type FloatingActionButtonProps, Form, FormActions, type FormActionsProps, FormField, type FormFieldProps, FormLayout, type FormLayoutProps, type FormProps, FormSection$1 as FormSection, FormSectionHeader, type FormSectionHeaderProps, type FormSectionProps, type FrameDimsResolver, type GameAction, GameAudioContext, type GameAudioContextValue, type GameAudioControls, GameAudioProvider, type GameAudioProviderProps, GameAudioToggle, type GameAudioToggleProps, GameCanvas2D, type GameCanvas2DProps, GameHud, type GameHudElement, type GameHudProps, type GameHudStat, GameMenu, type GameMenuProps, type GameOverAction, GameOverScreen, type GameOverScreenProps, type GameOverStat, type GamePhase, GameShell, type GameShellProps, type GameState, GameTemplate, type GameTemplateProps, type GameUnit, GenericAppTemplate, type GenericAppTemplateProps, GraphCanvas, type GraphCanvasProps, type GraphEdge, type GraphNode, GraphView, type GraphViewEdge, type GraphViewNode, type GraphViewProps, Grid, type GridProps, HStack, type HStackProps, Header, type HeaderProps, Heading, type HeadingProps, HealthBar, type HealthBarProps, HealthPanel, type HealthPanelProps, type HighlightType, IDENTITY_BOOK_FIELDS, Icon, type IconAnimation, type IconProps, type IconSize, InfiniteScrollSentinel, type InfiniteScrollSentinelProps, Input, InputGroup, type InputGroupProps, type InputProps, InventoryGrid, type InventoryGridItem, type InventoryGridProps, type InventoryItem, InventoryPanel, type InventoryPanelProps, IsometricCanvas, type IsometricCanvasProps, IsometricFeature, IsometricTile, IsometricUnit, ItemSlot, type ItemSlotProps, JazariStateMachine, type JazariStateMachineProps, Label, type LabelProps, type LawReference, LawReferenceTooltip, type LawReferenceTooltipProps, Lightbox, type LightboxImage, type LightboxProps, LineChart, type LineChartProps, List, type ListItem, type ListProps, LoadingState, type LoadingStateProps, type MapHero, type MapHex, type MapMarkerData, MapView, type MapViewProps, MarkdownContent, type MarkdownContentProps, MasterDetail, type MasterDetailProps, type MeasurementPoint, MediaGallery, type MediaGalleryProps, type MediaItem, Menu, type MenuItem, type MenuOption, type MenuProps, Meter, type MeterAction, type MeterProps, type MeterThreshold, type MeterVariant, MiniMap, type MiniMapProps, Modal, type ModalProps, type ModalSize, ModalSlot, type ModalSlotProps, type NavItem, Navigation, type NavigationItem, type NavigationProps, type NegotiatorAction, NegotiatorBoard, type NegotiatorBoardProps, type NegotiatorPuzzleEntity, NotifyListener, NumberStepper, type NumberStepperProps, type NumberStepperSize, ObjectRulePanel, type ObjectRulePanelProps, StateMachineView as OrbitalStateMachineView, OrbitalVisualization, type OrbitalVisualizationProps, Overlay, type OverlayProps, type PageBreadcrumb, PageHeader, type PageHeaderProps, type PaginatePayload, Pagination, type PaginationProps, type PayoffEntry, type Physics2DState, type PhysicsBody, type PhysicsBounds, type PhysicsConfig, type PhysicsConstraint, PhysicsManager, type PhysicsPreset, PlatformerCanvas, type PlatformerCanvasProps, type PlatformerPlatform, type PlatformerPlayer, Popover, type PopoverProps, type Position, PowerupSlots, type PowerupSlotsProps, ProgressBar, type ProgressBarColor, type ProgressBarProps, type ProgressBarVariant, ProgressDots, type ProgressDotsProps, PullToRefresh, type PullToRefreshProps, type PuzzleObjectDef, type Quest, QuestTracker, type QuestTrackerProps, QuizBlock, type QuizBlockProps, Radio, type RadioProps, RangeSlider, type RangeSliderProps, type RangeSliderSize, type RelationOption, RelationSelect, type RelationSelectProps, RepeatableFormSection, type RepeatableFormSectionProps, type RepeatableItem, type ResolvedFrame, ResourceBar, type ResourceBarProps, type ResourceBarResource, ResourceCounter, type ResourceCounterProps, type RowAction, type RuleDefinition, RuleEditor, type RuleEditorProps, RuntimeDebugger, type RuntimeDebuggerProps, SHEET_COLUMNS, SPRITE_SHEET_LAYOUT, ScaledDiagram, type ScaledDiagramProps, ScoreBoard, type ScoreBoardProps, ScoreDisplay, type ScoreDisplayProps, SearchInput, type SearchInputProps, type SearchPayload, Section, type SectionProps, Select, type SelectOption, type SelectPayload, type SelectProps, SequenceBar, type SequenceBarProps, SequencerBoard, type SequencerBoardProps, type SequencerPuzzleEntity, type SheetUrlResolver, SidePanel, type SidePanelProps, Sidebar, type SidebarItem, type SidebarProps, SignaturePad, type SignaturePadProps, SimpleGrid, type SimpleGridProps, SimulationCanvas, type SimulationCanvasProps, SimulationControls, type SimulationControlsProps, SimulationGraph, type SimulationGraphProps, SimulatorBoard, type SimulatorBoardProps, type SimulatorParameter, type SimulatorPuzzleEntity, Skeleton, type SkeletonProps, type SkeletonVariant, SlotContent, SlotContentRenderer, type SlotItemData, type SortDirection, type SortPayload, SortableList, type SortableListProps, type SoundEntry, Spacer, type SpacerProps, type SpacerSize, Spinner, type SpinnerProps, Split, SplitPane, type SplitPaneProps, type SplitProps, Sprite, type SpriteDirection, type SpriteFrameDims, type SpriteProps, type SpriteSheetUrls, Stack, type StackAlign, type StackDirection, type StackGap, type StackJustify, type StackProps, StarRating, type StarRatingPrecision, type StarRatingProps, type StarRatingSize, StatBadge, type StatBadgeProps, StatCard, type StatCardProps, StatDisplay, type StatDisplayProps, StateArchitectBoard, type StateArchitectBoardProps, type StateArchitectPuzzleEntity, type StateArchitectTransition, StateIndicator, type StateIndicatorProps, StateMachineView, type StateMachineViewProps, StateNode, type StateNodeProps, type StateStyle, StatusBar, type StatusBarProps, StatusDot, type StatusDotProps, type StatusDotSize, type StatusDotStatus, StatusEffect, type StatusEffectProps, type SwipeAction, SwipeableRow, type SwipeableRowProps, Switch, type SwitchProps, TERRAIN_COLORS, TILE_HEIGHT, TILE_WIDTH, type TabDefinition, type TabItem, TabbedContainer, type TabbedContainerProps, Table, type TableColumn, type TableProps, Tabs, type TabsProps, type TemplateProps, TerrainPalette, type TerrainPaletteProps, type TestCase, Text, TextHighlight, type TextHighlightProps, type TextProps, Textarea, type TextareaProps, ThemeSelector, ThemeToggle, type ThemeToggleProps, TimeSlotCell, type TimeSlotCellProps, Timeline, type TimelineItem, type TimelineItemStatus, type TimelineProps, TimerDisplay, type TimerDisplayProps, Toast, type ToastProps, ToastSlot, type ToastSlotProps, type ToastVariant, Tooltip, type TooltipProps, TraitSlot, type TraitSlotProps, type TraitStateMachineDefinition, TraitStateViewer, type TraitStateViewerProps, type TraitTransition, TransitionArrow, type TransitionArrowProps, type TransitionBundle, type TrendDirection, TrendIndicator, type TrendIndicatorProps, type TrendIndicatorSize, TurnIndicator, type TurnIndicatorProps, TurnPanel, type TurnPanelAction, type TurnPanelProps, TypewriterText, type TypewriterTextProps, Typography, type TypographyProps, type TypographyVariant, UISlot, UISlotComponent, UISlotRenderer, type UISlotRendererProps, UncontrolledBattleBoard, type UncontrolledBattleBoardProps, type UnitAnimationState, type UnitCommand, UnitCommandBar, type UnitCommandBarProps, type UnitTrait, UploadDropZone, type UploadDropZoneProps, type UseGameAudioOptions, type UsePhysics2DOptions, type UsePhysics2DReturn, type UseSpriteAnimationsOptions, type UseSpriteAnimationsResult, VStack, type VStackProps, type VariableDef, VariablePanel, type VariablePanelProps, ViolationAlert, type ViolationAlertProps, type ViolationRecord, WaypointMarker, type WaypointMarkerProps, WizardContainer, type WizardContainerProps, WizardNavigation, type WizardNavigationProps, WizardProgress, type WizardProgressProps, type WizardProgressStep, type WizardStep, WorldMapBoard, type WorldMapBoardProps, type WorldMapEntity, type WorldMapSlotContext, WorldMapTemplate, type WorldMapTemplateProps, XPBar, type XPBarProps, applyTemporaryEffect, calculateAttackTargets, calculateDamage, calculateValidMoves, combatAnimations, combatClasses, combatEffects, createInitialGameState, createUnitAnimationState, drawSprite, generateCombatMessage, getCurrentFrame, inferDirection, isoToScreen, mapBookData, pendulum, projectileMotion, resolveFieldMap, resolveFrame, resolveSheetDirection, screenToIso, springOscillator, tickAnimationState, transitionAnimation, useBattleState, useCamera, useGameAudio, useGameAudioContext, useImageCache, usePhysics2D, useSpriteAnimations };