lite-table-js-v2 1.0.1

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.
@@ -0,0 +1,3133 @@
1
+ import * as react_jsx_runtime from 'react/jsx-runtime';
2
+ import * as React$1 from 'react';
3
+ import React__default, { ReactNode } from 'react';
4
+ import * as csstype from 'csstype';
5
+
6
+ type SortDirection = 'asc' | 'desc' | null;
7
+ type FilterType = 'text' | 'number' | 'date' | 'select' | 'multi-select' | 'custom';
8
+ type ViewMode = 'table' | 'grid' | 'list';
9
+ type SelectionMode = 'single' | 'multiple' | 'none';
10
+ type DataMode = 'client' | 'server';
11
+ type PinPosition = 'left' | 'right' | null;
12
+ type ExportFormat = 'csv' | 'excel' | 'pdf';
13
+ type RowPinPosition = 'top' | 'bottom' | null;
14
+ interface ColumnDef<T = any> {
15
+ /** Unique column identifier */
16
+ id: string;
17
+ /** Display header text */
18
+ header: string;
19
+ /** Data accessor key — supports nested paths like "user.name" */
20
+ accessorKey?: string;
21
+ /** Custom accessor function */
22
+ accessorFn?: (row: T) => any;
23
+ /** Column width in px */
24
+ width?: number;
25
+ /** Min width for resizing */
26
+ minWidth?: number;
27
+ /** Max width for resizing */
28
+ maxWidth?: number;
29
+ /** Whether column is sortable */
30
+ sortable?: boolean;
31
+ /** Custom sort comparator */
32
+ sortFn?: (a: T, b: T, direction: SortDirection) => number;
33
+ /** Whether column is filterable */
34
+ filterable?: boolean;
35
+ /** Filter type */
36
+ filterType?: FilterType;
37
+ /** Options for select/multi-select filters */
38
+ filterOptions?: {
39
+ label: string;
40
+ value: string;
41
+ }[];
42
+ /** Custom filter component */
43
+ filterComponent?: React__default.ComponentType<ColumnFilterProps$1<T>>;
44
+ /** Custom cell renderer */
45
+ cell?: (props: CellRenderProps<T>) => React__default.ReactNode;
46
+ /** Custom header renderer */
47
+ headerCell?: (props: HeaderRenderProps<T>) => React__default.ReactNode;
48
+ /** Whether column is visible by default */
49
+ visible?: boolean;
50
+ /** Pin column to left or right */
51
+ pin?: PinPosition;
52
+ /** Whether column is resizable */
53
+ resizable?: boolean;
54
+ /** Whether column supports inline editing */
55
+ editable?: boolean;
56
+ /** Inline edit renderer */
57
+ editCell?: (props: EditCellProps<T>) => React__default.ReactNode;
58
+ /** Cell validation rule */
59
+ validation?: CellValidationRule<T>;
60
+ /** Column alignment */
61
+ align?: 'left' | 'center' | 'right';
62
+ /** Custom className for cells in this column */
63
+ className?: string;
64
+ /** Column group header (for grouped columns) */
65
+ group?: string;
66
+ /** Aggregation function for grouped rows */
67
+ aggregateFn?: (values: any[]) => any;
68
+ /** Tooltip for cell content */
69
+ tooltip?: boolean | ((props: CellRenderProps<T>) => string);
70
+ /** Row span function */
71
+ rowSpan?: (row: T, rowIndex: number, data: T[]) => number;
72
+ }
73
+ interface CellRenderProps<T = any> {
74
+ value: any;
75
+ row: T;
76
+ rowIndex: number;
77
+ column: ColumnDef<T>;
78
+ }
79
+ interface HeaderRenderProps<T = any> {
80
+ column: ColumnDef<T>;
81
+ sortDirection: SortDirection;
82
+ onSort: () => void;
83
+ }
84
+ interface EditCellProps<T = any> {
85
+ value: any;
86
+ row: T;
87
+ column: ColumnDef<T>;
88
+ onSave: (value: any) => void;
89
+ onCancel: () => void;
90
+ /** Validation error message (set by validation function) */
91
+ error?: string | null;
92
+ /** Whether the cell is currently validating */
93
+ validating?: boolean;
94
+ }
95
+ interface CellValidationRule<T = any> {
96
+ /** Validation function — return error string or null/undefined if valid */
97
+ validate: (value: any, row: T, column: ColumnDef<T>) => string | null | undefined;
98
+ }
99
+ interface RowEditConfig<T = any> {
100
+ /** Enable full-row editing mode */
101
+ enabled?: boolean;
102
+ /** Validation per column */
103
+ validation?: Record<string, CellValidationRule<T>>;
104
+ /** Called when row edit is saved */
105
+ onSave?: (rowKey: string, updatedRow: Partial<T>) => void | Promise<void>;
106
+ /** Called when row edit is cancelled */
107
+ onCancel?: (rowKey: string) => void;
108
+ }
109
+ interface StatusBarItem {
110
+ id: string;
111
+ label: string;
112
+ value: string | number | React__default.ReactNode;
113
+ icon?: React__default.ReactNode;
114
+ }
115
+ interface StatusBarConfig<T = any> {
116
+ /** Static items always shown */
117
+ items?: StatusBarItem[];
118
+ /** Dynamic items computed from data */
119
+ computeItems?: (data: T[], state: DataTableState<T>) => StatusBarItem[];
120
+ /** Position */
121
+ position?: 'top' | 'bottom';
122
+ /** Custom className */
123
+ className?: string;
124
+ }
125
+ interface ColumnFilterProps$1<T = any> {
126
+ column: ColumnDef<T>;
127
+ value: any;
128
+ onChange: (value: any) => void;
129
+ }
130
+ interface SortState {
131
+ columnId: string;
132
+ direction: SortDirection;
133
+ }
134
+ interface SortConfig {
135
+ /** Enable multi-column sorting */
136
+ multi?: boolean;
137
+ /** Default sort state */
138
+ defaultSort?: SortState[];
139
+ /** Controlled sort state */
140
+ sort?: SortState[];
141
+ /** Sort change callback */
142
+ onSortChange?: (sort: SortState[]) => void;
143
+ }
144
+ interface FilterValue {
145
+ columnId: string;
146
+ value: any;
147
+ operator?: 'eq' | 'neq' | 'gt' | 'gte' | 'lt' | 'lte' | 'contains' | 'startsWith' | 'endsWith';
148
+ }
149
+ interface FilterPreset {
150
+ id: string;
151
+ name: string;
152
+ filters: FilterValue[];
153
+ globalSearch?: string;
154
+ }
155
+ interface FilterConfig {
156
+ /** Controlled filter state */
157
+ filters?: FilterValue[];
158
+ /** Filter change callback */
159
+ onFilterChange?: (filters: FilterValue[]) => void;
160
+ /** Global search value (controlled) */
161
+ globalSearch?: string;
162
+ /** Global search change callback */
163
+ onGlobalSearchChange?: (value: string) => void;
164
+ /** Debounce delay for search in ms */
165
+ searchDebounce?: number;
166
+ /** Filter presets */
167
+ presets?: FilterPreset[];
168
+ /** Preset save callback */
169
+ onPresetSave?: (preset: FilterPreset) => void;
170
+ /** Preset delete callback */
171
+ onPresetDelete?: (presetId: string) => void;
172
+ }
173
+ interface PaginationConfig {
174
+ /** Current page (controlled) */
175
+ page?: number;
176
+ /** Page size */
177
+ pageSize?: number;
178
+ /** Available page sizes */
179
+ pageSizeOptions?: number[];
180
+ /** Total items (for server-side) */
181
+ totalItems?: number;
182
+ /** Page change callback */
183
+ onPageChange?: (page: number) => void;
184
+ /** Page size change callback */
185
+ onPageSizeChange?: (size: number) => void;
186
+ /** Enable infinite scrolling instead of pagination */
187
+ infinite?: boolean;
188
+ /** Load more callback for infinite scroll */
189
+ onLoadMore?: () => void;
190
+ /** Whether more data is available for infinite scroll */
191
+ hasMore?: boolean;
192
+ }
193
+ interface SelectionConfig<T = any> {
194
+ mode?: SelectionMode;
195
+ /** Controlled selected row keys */
196
+ selectedKeys?: string[];
197
+ /** Selection change callback */
198
+ onSelectionChange?: (keys: string[], rows: T[]) => void;
199
+ /** Row key extractor */
200
+ rowKey?: string | ((row: T) => string);
201
+ /** Whether to show checkbox column */
202
+ showCheckbox?: boolean;
203
+ }
204
+ interface RowAction<T = any> {
205
+ id: string;
206
+ label: string;
207
+ icon?: React__default.ReactNode;
208
+ onClick: (row: T) => void;
209
+ hidden?: (row: T) => boolean;
210
+ disabled?: (row: T) => boolean;
211
+ variant?: 'default' | 'danger';
212
+ }
213
+ interface ExpandableConfig<T = any> {
214
+ enabled?: boolean;
215
+ /** Render expanded content */
216
+ render: (row: T) => React__default.ReactNode;
217
+ /** Controlled expanded keys */
218
+ expandedKeys?: string[];
219
+ /** Expand change callback */
220
+ onExpandChange?: (keys: string[]) => void;
221
+ }
222
+ interface RowGroupConfig<T = any> {
223
+ /** Field to group by */
224
+ groupBy: string;
225
+ /** Custom group header renderer */
226
+ renderGroupHeader?: (groupValue: any, rows: T[]) => React__default.ReactNode;
227
+ }
228
+ interface BulkAction<T = any> {
229
+ id: string;
230
+ label: string;
231
+ icon?: React__default.ReactNode;
232
+ onClick: (selectedRows: T[]) => void;
233
+ variant?: 'default' | 'danger';
234
+ }
235
+ interface DataTableTheme {
236
+ /** Base wrapper class */
237
+ wrapper?: string;
238
+ /** Table element class */
239
+ table?: string;
240
+ /** Header row class */
241
+ headerRow?: string;
242
+ /** Header cell class */
243
+ headerCell?: string;
244
+ /** Body row class */
245
+ bodyRow?: string;
246
+ /** Body cell class */
247
+ bodyCell?: string;
248
+ /** Selected row class */
249
+ selectedRow?: string;
250
+ /** Hover row class */
251
+ hoverRow?: string;
252
+ /** Striped rows class */
253
+ stripedRow?: string;
254
+ /** Grid card class */
255
+ gridCard?: string;
256
+ /** List item class */
257
+ listItem?: string;
258
+ /** Toolbar class */
259
+ toolbar?: string;
260
+ }
261
+ interface ThemeColors {
262
+ background: string;
263
+ foreground: string;
264
+ primary: string;
265
+ primaryLight: string;
266
+ border: string;
267
+ muted: string;
268
+ hover: string;
269
+ selected: string;
270
+ surface: string;
271
+ textSecondary: string;
272
+ }
273
+ interface ThemeTypography {
274
+ fontFamily: string;
275
+ fontSize: string;
276
+ headerFontSize: string;
277
+ headerFontWeight: number;
278
+ }
279
+ interface ThemeSpacing {
280
+ cellPaddingX: string;
281
+ cellPaddingY: string;
282
+ compactCellPaddingY: string;
283
+ rowHeight: string;
284
+ }
285
+ interface ConditionalStyleRule<T = any> {
286
+ /** Condition to evaluate */
287
+ condition: (row: T, column?: ColumnDef<T>) => boolean;
288
+ /** CSS class to apply when condition is true */
289
+ className?: string;
290
+ /** Inline styles to apply when condition is true */
291
+ style?: React__default.CSSProperties;
292
+ }
293
+ interface RowStyleRule<T = any> {
294
+ /** Condition to evaluate against the row */
295
+ condition: (row: T) => boolean;
296
+ /** CSS class to apply */
297
+ className?: string;
298
+ /** Inline styles to apply */
299
+ style?: React__default.CSSProperties;
300
+ }
301
+ interface TableThemeConfig {
302
+ /** Theme name */
303
+ name: string;
304
+ /** Semantic color tokens */
305
+ colors?: ThemeColors;
306
+ /** Typography tokens */
307
+ typography?: ThemeTypography;
308
+ /** Spacing tokens */
309
+ spacing?: ThemeSpacing;
310
+ /** Header styles */
311
+ header: React__default.CSSProperties;
312
+ /** Row styles */
313
+ row: React__default.CSSProperties;
314
+ /** Cell styles */
315
+ cell: React__default.CSSProperties;
316
+ /** Selected row styles */
317
+ selectedRow?: React__default.CSSProperties;
318
+ /** Hover row styles */
319
+ hoverRow?: React__default.CSSProperties;
320
+ /** Striped row styles */
321
+ stripedRow?: React__default.CSSProperties;
322
+ /** Toolbar styles */
323
+ toolbar?: React__default.CSSProperties;
324
+ /** Pagination styles */
325
+ pagination?: React__default.CSSProperties;
326
+ /** Tooltip styles */
327
+ tooltip?: React__default.CSSProperties;
328
+ /** Conditional formatting rules (cell-level) */
329
+ conditionalRules?: ConditionalStyleRule[];
330
+ /** Row-level styling rules */
331
+ rowRules?: RowStyleRule[];
332
+ /** CSS variables to inject */
333
+ cssVariables?: Record<string, string>;
334
+ }
335
+ interface TablePresetConfig {
336
+ /** Column order */
337
+ columnOrder: string[];
338
+ /** Hidden column IDs */
339
+ hiddenColumns: string[];
340
+ /** Column widths */
341
+ columnWidths: Record<string, number>;
342
+ /** Sort state */
343
+ sorting: SortState[];
344
+ /** Filter state */
345
+ filters: FilterValue[];
346
+ /** Global search */
347
+ globalSearch: string;
348
+ /** Page size */
349
+ pageSize: number;
350
+ /** View mode */
351
+ viewMode: ViewMode;
352
+ /** Pinned columns */
353
+ pinnedColumns?: Record<string, PinPosition>;
354
+ }
355
+ interface TablePreset {
356
+ id: string;
357
+ name: string;
358
+ config: TablePresetConfig;
359
+ createdAt: number;
360
+ updatedAt: number;
361
+ }
362
+ interface RowGroupingConfig<T = any> {
363
+ /** Fields to group by (supports multi-level) */
364
+ groupBy: string[];
365
+ /** Whether groups are expanded by default */
366
+ defaultExpanded?: boolean;
367
+ /** Aggregation definitions per column */
368
+ aggregations?: Record<string, AggregationType>;
369
+ /** Custom group header renderer */
370
+ renderGroupHeader?: (groupKey: string, groupValue: any, rows: T[], level: number) => React__default.ReactNode;
371
+ }
372
+ type AggregationType = 'sum' | 'avg' | 'count' | 'min' | 'max' | 'first' | 'last';
373
+ interface GroupedRow<T = any> {
374
+ __isGroupRow: true;
375
+ __groupKey: string;
376
+ __groupValue: any;
377
+ __groupField: string;
378
+ __level: number;
379
+ __children: T[];
380
+ __aggregates: Record<string, any>;
381
+ }
382
+ interface TreeDataConfig<T = any> {
383
+ /** Field containing child rows */
384
+ childrenField: string;
385
+ /** Whether tree is expanded by default */
386
+ defaultExpanded?: boolean;
387
+ /** Indent size in px per level */
388
+ indentSize?: number;
389
+ }
390
+ interface RowPinningConfig<T = any> {
391
+ /** Row keys pinned to top */
392
+ pinnedTop?: string[];
393
+ /** Row keys pinned to bottom */
394
+ pinnedBottom?: string[];
395
+ /** Callback when pinning changes */
396
+ onPinChange?: (pinnedTop: string[], pinnedBottom: string[]) => void;
397
+ }
398
+ interface MasterDetailConfig<T = any> {
399
+ /** Render detail view for a row */
400
+ renderDetail: (row: T) => React__default.ReactNode;
401
+ /** Height of detail panel */
402
+ detailHeight?: number | string;
403
+ }
404
+ interface ContextMenuItem<T = any> {
405
+ id: string;
406
+ label: string;
407
+ icon?: React__default.ReactNode;
408
+ onClick: (row: T, column?: ColumnDef<T>) => void;
409
+ hidden?: (row: T) => boolean;
410
+ disabled?: (row: T) => boolean;
411
+ separator?: boolean;
412
+ variant?: 'default' | 'danger';
413
+ }
414
+ type SidebarPanelType = 'columns' | 'filters' | 'custom';
415
+ interface SidebarPanelConfig {
416
+ /** Panel type */
417
+ type: SidebarPanelType;
418
+ /** Panel title */
419
+ title: string;
420
+ /** Panel icon */
421
+ icon?: React__default.ReactNode;
422
+ /** Custom panel renderer */
423
+ render?: () => React__default.ReactNode;
424
+ }
425
+ type ChartType = 'bar' | 'line' | 'pie' | 'area';
426
+ interface ChartConfig {
427
+ /** Unique chart ID */
428
+ id?: string;
429
+ /** Chart type */
430
+ type: ChartType;
431
+ /** Column ID for X axis / labels */
432
+ labelColumn: string;
433
+ /** Column IDs for data series */
434
+ dataColumns: string[];
435
+ /** Chart title */
436
+ title?: string;
437
+ /** Group by column before aggregating */
438
+ groupBy?: string;
439
+ /** Aggregation function */
440
+ aggregation?: 'sum' | 'avg' | 'count' | 'min' | 'max';
441
+ /** Custom color palette */
442
+ colors?: string[];
443
+ /** Show legend */
444
+ showLegend?: boolean;
445
+ /** Show tooltip */
446
+ showTooltip?: boolean;
447
+ /** Stacked bar/area */
448
+ stacked?: boolean;
449
+ /** Chart height in px */
450
+ height?: number;
451
+ }
452
+ interface ChartInstance {
453
+ id: string;
454
+ config: ChartConfig;
455
+ createdAt: number;
456
+ }
457
+ interface VirtualizationConfig {
458
+ /** Enable virtualization */
459
+ enabled: boolean;
460
+ /** Row height in px (required for virtualization) */
461
+ rowHeight: number;
462
+ /** Number of rows to render above/below visible area */
463
+ overscan?: number;
464
+ }
465
+ interface DataTablePlugin<T = any> {
466
+ name: string;
467
+ /** Hook into data processing pipeline */
468
+ processData?: (data: T[], state: DataTableState<T>) => T[];
469
+ /** Render additional toolbar items */
470
+ renderToolbar?: (state: DataTableState<T>) => React__default.ReactNode;
471
+ /** Render additional content below table */
472
+ renderFooter?: (state: DataTableState<T>) => React__default.ReactNode;
473
+ /** Hook into row rendering */
474
+ renderRow?: (row: T, defaultRender: () => React__default.ReactNode) => React__default.ReactNode;
475
+ }
476
+ interface DataTableState<T = any> {
477
+ data: T[];
478
+ processedData: T[];
479
+ columns: ColumnDef<T>[];
480
+ visibleColumns: ColumnDef<T>[];
481
+ sorting: SortState[];
482
+ filters: FilterValue[];
483
+ globalSearch: string;
484
+ page: number;
485
+ pageSize: number;
486
+ totalItems: number;
487
+ selectedKeys: string[];
488
+ expandedKeys: string[];
489
+ viewMode: ViewMode;
490
+ columnOrder: string[];
491
+ columnWidths: Record<string, number>;
492
+ editingCell: {
493
+ rowKey: string;
494
+ columnId: string;
495
+ } | null;
496
+ }
497
+ interface ServerSideConfig {
498
+ /** Fetch data from server */
499
+ onFetch: (params: ServerFetchParams) => Promise<ServerFetchResult<any>>;
500
+ }
501
+ interface ServerFetchParams {
502
+ page: number;
503
+ pageSize: number;
504
+ sort: SortState[];
505
+ filters: FilterValue[];
506
+ globalSearch: string;
507
+ }
508
+ interface ServerFetchResult<T> {
509
+ data: T[];
510
+ totalItems: number;
511
+ }
512
+ interface DataTableProps<T = any> {
513
+ /** Data array */
514
+ data: T[];
515
+ /** Column definitions */
516
+ columns: ColumnDef<T>[];
517
+ /** Data mode */
518
+ mode?: DataMode;
519
+ /** Server-side config (required when mode='server') */
520
+ serverSide?: ServerSideConfig;
521
+ /** Loading state */
522
+ loading?: boolean;
523
+ /** Error state */
524
+ error?: string | null;
525
+ /** Retry callback for error state */
526
+ onRetry?: () => void;
527
+ sorting?: SortConfig;
528
+ filtering?: FilterConfig;
529
+ pagination?: PaginationConfig;
530
+ selection?: SelectionConfig<T>;
531
+ expandable?: ExpandableConfig<T>;
532
+ rowGroup?: RowGroupConfig<T>;
533
+ rowActions?: RowAction<T>[];
534
+ bulkActions?: BulkAction<T>[];
535
+ onRowClick?: (row: T) => void;
536
+ onRowDoubleClick?: (row: T) => void;
537
+ rowClassName?: string | ((row: T) => string);
538
+ viewMode?: ViewMode;
539
+ onViewModeChange?: (mode: ViewMode) => void;
540
+ views?: ViewMode[];
541
+ /** Custom grid card renderer */
542
+ renderGridCard?: (row: T) => React__default.ReactNode;
543
+ /** Custom list item renderer */
544
+ renderListItem?: (row: T) => React__default.ReactNode;
545
+ columnVisibility?: boolean;
546
+ columnResizing?: boolean;
547
+ columnReordering?: boolean;
548
+ onCellEdit?: (rowKey: string, columnId: string, value: any) => void;
549
+ onRowEdit?: (rowKey: string, row: T) => void;
550
+ /** Row editing configuration (full-row edit mode) */
551
+ rowEditing?: RowEditConfig<T>;
552
+ /** Show floating filter inputs below header row */
553
+ floatingFilters?: boolean;
554
+ exportFormats?: ExportFormat[];
555
+ onExport?: (format: ExportFormat, data: T[]) => void;
556
+ rowReordering?: boolean;
557
+ onRowReorder?: (fromIndex: number, toIndex: number) => void;
558
+ theme?: DataTableTheme;
559
+ striped?: boolean;
560
+ bordered?: boolean;
561
+ compact?: boolean;
562
+ stickyHeader?: boolean;
563
+ maxHeight?: string | number;
564
+ emptyText?: string;
565
+ emptyIcon?: React__default.ComponentType<any>;
566
+ plugins?: DataTablePlugin<T>[];
567
+ persistKey?: string;
568
+ syncUrl?: boolean;
569
+ keyboardNavigation?: boolean;
570
+ ariaLabel?: string;
571
+ ariaDescribedBy?: string;
572
+ className?: string;
573
+ /** Enhanced theme configuration with conditional formatting */
574
+ themeConfig?: TableThemeConfig;
575
+ /** Row grouping with aggregation */
576
+ rowGrouping?: RowGroupingConfig<T>;
577
+ /** Tree data (hierarchical rows) */
578
+ treeData?: TreeDataConfig<T>;
579
+ /** Row pinning (top/bottom) */
580
+ rowPinning?: RowPinningConfig<T>;
581
+ /** Master-detail view */
582
+ masterDetail?: MasterDetailConfig<T>;
583
+ /** Context menu items (right-click) */
584
+ contextMenu?: ContextMenuItem<T>[];
585
+ /** Sidebar panels */
586
+ sidebarPanels?: SidebarPanelConfig[];
587
+ /** Virtualization for large datasets */
588
+ virtualization?: VirtualizationConfig;
589
+ /** Tooltip configuration */
590
+ enableTooltips?: boolean;
591
+ /** Status bar configuration */
592
+ statusBar?: StatusBarConfig<T>;
593
+ }
594
+
595
+ declare function DataTable<T>(props: DataTableProps<T>): react_jsx_runtime.JSX.Element;
596
+
597
+ interface UseVirtualizationOptions {
598
+ totalItems: number;
599
+ config?: VirtualizationConfig;
600
+ }
601
+ interface VirtualRange {
602
+ startIndex: number;
603
+ endIndex: number;
604
+ offsetTop: number;
605
+ totalHeight: number;
606
+ visibleCount: number;
607
+ }
608
+ /**
609
+ * Hook for row virtualization — renders only visible rows for large datasets.
610
+ * Uses a fixed row height model for O(1) scroll position calculations.
611
+ */
612
+ declare function useVirtualization({ totalItems, config }: UseVirtualizationOptions): {
613
+ enabled: boolean;
614
+ containerRef: React$1.RefObject<HTMLDivElement>;
615
+ handleScroll: () => void;
616
+ virtualRange: VirtualRange;
617
+ getVirtualItems: <T>(data: T[]) => T[];
618
+ rowHeight: number;
619
+ spacerStyle: {
620
+ height: number;
621
+ position: "relative";
622
+ } | undefined;
623
+ offsetStyle: {
624
+ transform: string;
625
+ } | undefined;
626
+ };
627
+
628
+ interface FlattenedTreeRow<T> {
629
+ row: T;
630
+ level: number;
631
+ hasChildren: boolean;
632
+ isExpanded: boolean;
633
+ treeKey: string;
634
+ }
635
+ interface UseTreeDataOptions<T> {
636
+ config?: TreeDataConfig<T>;
637
+ rowKey?: string | ((row: T) => string);
638
+ }
639
+ /**
640
+ * Hook for hierarchical/tree data support.
641
+ * Flattens nested data into a renderable list with expand/collapse.
642
+ */
643
+ declare function useTreeData<T>({ config, rowKey }: UseTreeDataOptions<T>): {
644
+ enabled: boolean;
645
+ flattenTree: (data: T[]) => FlattenedTreeRow<T>[];
646
+ toggleNode: (key: string) => void;
647
+ isNodeExpanded: (key: string) => boolean;
648
+ expandedNodes: Set<string>;
649
+ indentSize: number;
650
+ };
651
+
652
+ declare function useDataTable<T = any>(props: DataTableProps<T>): {
653
+ state: DataTableState<T>;
654
+ processedData: T[];
655
+ allFilteredData: T[];
656
+ loading: boolean;
657
+ sorting: {
658
+ sorting: SortState[];
659
+ toggleSort: (columnId: string) => void;
660
+ getSortDirection: (columnId: string) => "asc" | "desc" | null;
661
+ setSorting: (next: SortState[]) => void;
662
+ applySorting: (data: T[]) => T[];
663
+ };
664
+ filtering: {
665
+ filters: FilterValue[];
666
+ globalSearch: string;
667
+ setFilter: (columnId: string, value: any, operator?: FilterValue["operator"]) => void;
668
+ setFilters: (next: FilterValue[]) => void;
669
+ clearFilters: () => void;
670
+ setGlobalSearch: (value: string) => void;
671
+ getFilterValue: (columnId: string) => any;
672
+ applyFilters: (data: T[]) => T[];
673
+ presets: FilterPreset[];
674
+ savePreset: (name: string) => FilterPreset;
675
+ loadPreset: (preset: FilterPreset) => void;
676
+ deletePreset: (presetId: string) => void;
677
+ };
678
+ pagination: {
679
+ page: number;
680
+ pageSize: number;
681
+ totalPages: number;
682
+ totalItems: number;
683
+ pageSizeOptions: number[];
684
+ setPage: (p: number) => void;
685
+ setPageSize: (size: number) => void;
686
+ applyPagination: <T_1>(data: T_1[]) => T_1[];
687
+ isInfinite: boolean;
688
+ hasMore: boolean;
689
+ onLoadMore: (() => void) | undefined;
690
+ };
691
+ selection: {
692
+ mode: SelectionMode;
693
+ selectedKeys: string[];
694
+ selectedRows: T[];
695
+ toggleRow: (rowKey: string) => void;
696
+ selectRange: (targetKey: string, pageData: T[]) => void;
697
+ toggleAll: (pageData: T[]) => void;
698
+ isSelected: (rowKey: string) => boolean;
699
+ isAllSelected: (pageData: T[]) => boolean;
700
+ isSomeSelected: (pageData: T[]) => boolean;
701
+ clearSelection: () => void;
702
+ getKey: (row: T, index: number) => string;
703
+ showCheckbox: boolean;
704
+ };
705
+ columnManager: {
706
+ visibleColumns: ColumnDef<T>[];
707
+ pinnedLeft: ColumnDef<T>[];
708
+ pinnedRight: ColumnDef<T>[];
709
+ unpinned: ColumnDef<T>[];
710
+ hiddenColumns: Set<string>;
711
+ columnOrder: string[];
712
+ columnWidths: Record<string, number>;
713
+ toggleColumnVisibility: (columnId: string) => void;
714
+ reorderColumns: (fromIndex: number, toIndex: number) => void;
715
+ reorderColumnsById: (fromId: string, toId: string) => void;
716
+ resizeColumn: (columnId: string, width: number) => void;
717
+ setHiddenColumnIds: (ids: string[]) => void;
718
+ setColumnOrderIds: (ids: string[]) => void;
719
+ setColumnWidthMap: (widths: Record<string, number>) => void;
720
+ enableVisibility: boolean;
721
+ enableResizing: boolean;
722
+ enableReordering: boolean;
723
+ allColumns: ColumnDef<T>[];
724
+ };
725
+ viewMode: ViewMode;
726
+ setViewMode: (mode: ViewMode) => void;
727
+ expandedKeys: string[];
728
+ toggleExpand: (rowKey: string) => void;
729
+ editingCell: {
730
+ rowKey: string;
731
+ columnId: string;
732
+ } | null;
733
+ setEditingCell: any;
734
+ editing: {
735
+ editingCell: {
736
+ rowKey: string;
737
+ columnId: string;
738
+ } | null;
739
+ startCellEdit: (rowKey: string, columnId: string) => void;
740
+ saveCellEdit: (rowKey: string, columnId: string, value: any) => string | null;
741
+ cancelCellEdit: () => void;
742
+ editingRowKey: string | null;
743
+ pendingEdits: Record<string, any>;
744
+ validationErrors: Record<string, string>;
745
+ startRowEdit: (rowKey: string) => void;
746
+ updatePendingEdit: (columnId: string, value: any) => void;
747
+ validateRow: () => boolean;
748
+ saveRowEdit: () => Promise<boolean>;
749
+ cancelRowEdit: () => void;
750
+ isEditingRow: (rowKey: string) => boolean;
751
+ getCellError: (columnId: string) => string;
752
+ };
753
+ theme: {
754
+ themeConfig: TableThemeConfig;
755
+ activeThemeName: string;
756
+ switchTheme: (name: string) => void;
757
+ cssVarStyle: React$1.CSSProperties | undefined;
758
+ headerStyle: React$1.CSSProperties;
759
+ toolbarStyle: React$1.CSSProperties | undefined;
760
+ paginationStyle: React$1.CSSProperties | undefined;
761
+ tooltipStyle: React$1.CSSProperties | undefined;
762
+ getRowStyle: (row: T, rowIndex: number, isSelected: boolean, isStriped: boolean) => React$1.CSSProperties;
763
+ getCellStyle: (row: T, column: ColumnDef<T>, value?: unknown) => React$1.CSSProperties;
764
+ getHeaderStyle: (_column?: ColumnDef<T> | undefined) => {
765
+ accentColor?: csstype.Property.AccentColor | undefined;
766
+ alignContent?: csstype.Property.AlignContent | undefined;
767
+ alignItems?: csstype.Property.AlignItems | undefined;
768
+ alignSelf?: csstype.Property.AlignSelf | undefined;
769
+ alignTracks?: csstype.Property.AlignTracks | undefined;
770
+ alignmentBaseline?: csstype.Property.AlignmentBaseline | undefined;
771
+ anchorName?: csstype.Property.AnchorName | undefined;
772
+ anchorScope?: csstype.Property.AnchorScope | undefined;
773
+ animationComposition?: csstype.Property.AnimationComposition | undefined;
774
+ animationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
775
+ animationDirection?: csstype.Property.AnimationDirection | undefined;
776
+ animationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
777
+ animationFillMode?: csstype.Property.AnimationFillMode | undefined;
778
+ animationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
779
+ animationName?: csstype.Property.AnimationName | undefined;
780
+ animationPlayState?: csstype.Property.AnimationPlayState | undefined;
781
+ animationRangeEnd?: csstype.Property.AnimationRangeEnd<string | number> | undefined;
782
+ animationRangeStart?: csstype.Property.AnimationRangeStart<string | number> | undefined;
783
+ animationTimeline?: csstype.Property.AnimationTimeline | undefined;
784
+ animationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
785
+ appearance?: csstype.Property.Appearance | undefined;
786
+ aspectRatio?: csstype.Property.AspectRatio | undefined;
787
+ backdropFilter?: csstype.Property.BackdropFilter | undefined;
788
+ backfaceVisibility?: csstype.Property.BackfaceVisibility | undefined;
789
+ backgroundAttachment?: csstype.Property.BackgroundAttachment | undefined;
790
+ backgroundBlendMode?: csstype.Property.BackgroundBlendMode | undefined;
791
+ backgroundClip?: csstype.Property.BackgroundClip | undefined;
792
+ backgroundColor?: csstype.Property.BackgroundColor | undefined;
793
+ backgroundImage?: csstype.Property.BackgroundImage | undefined;
794
+ backgroundOrigin?: csstype.Property.BackgroundOrigin | undefined;
795
+ backgroundPositionX?: csstype.Property.BackgroundPositionX<string | number> | undefined;
796
+ backgroundPositionY?: csstype.Property.BackgroundPositionY<string | number> | undefined;
797
+ backgroundRepeat?: csstype.Property.BackgroundRepeat | undefined;
798
+ backgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
799
+ baselineShift?: csstype.Property.BaselineShift<string | number> | undefined;
800
+ blockSize?: csstype.Property.BlockSize<string | number> | undefined;
801
+ borderBlockEndColor?: csstype.Property.BorderBlockEndColor | undefined;
802
+ borderBlockEndStyle?: csstype.Property.BorderBlockEndStyle | undefined;
803
+ borderBlockEndWidth?: csstype.Property.BorderBlockEndWidth<string | number> | undefined;
804
+ borderBlockStartColor?: csstype.Property.BorderBlockStartColor | undefined;
805
+ borderBlockStartStyle?: csstype.Property.BorderBlockStartStyle | undefined;
806
+ borderBlockStartWidth?: csstype.Property.BorderBlockStartWidth<string | number> | undefined;
807
+ borderBottomColor?: csstype.Property.BorderBottomColor | undefined;
808
+ borderBottomLeftRadius?: csstype.Property.BorderBottomLeftRadius<string | number> | undefined;
809
+ borderBottomRightRadius?: csstype.Property.BorderBottomRightRadius<string | number> | undefined;
810
+ borderBottomStyle?: csstype.Property.BorderBottomStyle | undefined;
811
+ borderBottomWidth?: csstype.Property.BorderBottomWidth<string | number> | undefined;
812
+ borderCollapse?: csstype.Property.BorderCollapse | undefined;
813
+ borderEndEndRadius?: csstype.Property.BorderEndEndRadius<string | number> | undefined;
814
+ borderEndStartRadius?: csstype.Property.BorderEndStartRadius<string | number> | undefined;
815
+ borderImageOutset?: csstype.Property.BorderImageOutset<string | number> | undefined;
816
+ borderImageRepeat?: csstype.Property.BorderImageRepeat | undefined;
817
+ borderImageSlice?: csstype.Property.BorderImageSlice | undefined;
818
+ borderImageSource?: csstype.Property.BorderImageSource | undefined;
819
+ borderImageWidth?: csstype.Property.BorderImageWidth<string | number> | undefined;
820
+ borderInlineEndColor?: csstype.Property.BorderInlineEndColor | undefined;
821
+ borderInlineEndStyle?: csstype.Property.BorderInlineEndStyle | undefined;
822
+ borderInlineEndWidth?: csstype.Property.BorderInlineEndWidth<string | number> | undefined;
823
+ borderInlineStartColor?: csstype.Property.BorderInlineStartColor | undefined;
824
+ borderInlineStartStyle?: csstype.Property.BorderInlineStartStyle | undefined;
825
+ borderInlineStartWidth?: csstype.Property.BorderInlineStartWidth<string | number> | undefined;
826
+ borderLeftColor?: csstype.Property.BorderLeftColor | undefined;
827
+ borderLeftStyle?: csstype.Property.BorderLeftStyle | undefined;
828
+ borderLeftWidth?: csstype.Property.BorderLeftWidth<string | number> | undefined;
829
+ borderRightColor?: csstype.Property.BorderRightColor | undefined;
830
+ borderRightStyle?: csstype.Property.BorderRightStyle | undefined;
831
+ borderRightWidth?: csstype.Property.BorderRightWidth<string | number> | undefined;
832
+ borderSpacing?: csstype.Property.BorderSpacing<string | number> | undefined;
833
+ borderStartEndRadius?: csstype.Property.BorderStartEndRadius<string | number> | undefined;
834
+ borderStartStartRadius?: csstype.Property.BorderStartStartRadius<string | number> | undefined;
835
+ borderTopColor?: csstype.Property.BorderTopColor | undefined;
836
+ borderTopLeftRadius?: csstype.Property.BorderTopLeftRadius<string | number> | undefined;
837
+ borderTopRightRadius?: csstype.Property.BorderTopRightRadius<string | number> | undefined;
838
+ borderTopStyle?: csstype.Property.BorderTopStyle | undefined;
839
+ borderTopWidth?: csstype.Property.BorderTopWidth<string | number> | undefined;
840
+ bottom?: csstype.Property.Bottom<string | number> | undefined;
841
+ boxDecorationBreak?: csstype.Property.BoxDecorationBreak | undefined;
842
+ boxShadow?: csstype.Property.BoxShadow | undefined;
843
+ boxSizing?: csstype.Property.BoxSizing | undefined;
844
+ breakAfter?: csstype.Property.BreakAfter | undefined;
845
+ breakBefore?: csstype.Property.BreakBefore | undefined;
846
+ breakInside?: csstype.Property.BreakInside | undefined;
847
+ captionSide?: csstype.Property.CaptionSide | undefined;
848
+ caretColor?: csstype.Property.CaretColor | undefined;
849
+ caretShape?: csstype.Property.CaretShape | undefined;
850
+ clear?: csstype.Property.Clear | undefined;
851
+ clipPath?: csstype.Property.ClipPath | undefined;
852
+ clipRule?: csstype.Property.ClipRule | undefined;
853
+ color?: csstype.Property.Color | undefined;
854
+ colorAdjust?: csstype.Property.PrintColorAdjust | undefined;
855
+ colorInterpolationFilters?: csstype.Property.ColorInterpolationFilters | undefined;
856
+ colorScheme?: csstype.Property.ColorScheme | undefined;
857
+ columnCount?: csstype.Property.ColumnCount | undefined;
858
+ columnFill?: csstype.Property.ColumnFill | undefined;
859
+ columnGap?: csstype.Property.ColumnGap<string | number> | undefined;
860
+ columnRuleColor?: csstype.Property.ColumnRuleColor | undefined;
861
+ columnRuleStyle?: csstype.Property.ColumnRuleStyle | undefined;
862
+ columnRuleWidth?: csstype.Property.ColumnRuleWidth<string | number> | undefined;
863
+ columnSpan?: csstype.Property.ColumnSpan | undefined;
864
+ columnWidth?: csstype.Property.ColumnWidth<string | number> | undefined;
865
+ contain?: csstype.Property.Contain | undefined;
866
+ containIntrinsicBlockSize?: csstype.Property.ContainIntrinsicBlockSize<string | number> | undefined;
867
+ containIntrinsicHeight?: csstype.Property.ContainIntrinsicHeight<string | number> | undefined;
868
+ containIntrinsicInlineSize?: csstype.Property.ContainIntrinsicInlineSize<string | number> | undefined;
869
+ containIntrinsicWidth?: csstype.Property.ContainIntrinsicWidth<string | number> | undefined;
870
+ containerName?: csstype.Property.ContainerName | undefined;
871
+ containerType?: csstype.Property.ContainerType | undefined;
872
+ content?: csstype.Property.Content | undefined;
873
+ contentVisibility?: csstype.Property.ContentVisibility | undefined;
874
+ counterIncrement?: csstype.Property.CounterIncrement | undefined;
875
+ counterReset?: csstype.Property.CounterReset | undefined;
876
+ counterSet?: csstype.Property.CounterSet | undefined;
877
+ cursor?: csstype.Property.Cursor | undefined;
878
+ cx?: csstype.Property.Cx<string | number> | undefined;
879
+ cy?: csstype.Property.Cy<string | number> | undefined;
880
+ d?: csstype.Property.D | undefined;
881
+ direction?: csstype.Property.Direction | undefined;
882
+ display?: csstype.Property.Display | undefined;
883
+ dominantBaseline?: csstype.Property.DominantBaseline | undefined;
884
+ emptyCells?: csstype.Property.EmptyCells | undefined;
885
+ fieldSizing?: csstype.Property.FieldSizing | undefined;
886
+ fill?: csstype.Property.Fill | undefined;
887
+ fillOpacity?: csstype.Property.FillOpacity | undefined;
888
+ fillRule?: csstype.Property.FillRule | undefined;
889
+ filter?: csstype.Property.Filter | undefined;
890
+ flexBasis?: csstype.Property.FlexBasis<string | number> | undefined;
891
+ flexDirection?: csstype.Property.FlexDirection | undefined;
892
+ flexGrow?: csstype.Property.FlexGrow | undefined;
893
+ flexShrink?: csstype.Property.FlexShrink | undefined;
894
+ flexWrap?: csstype.Property.FlexWrap | undefined;
895
+ float?: csstype.Property.Float | undefined;
896
+ floodColor?: csstype.Property.FloodColor | undefined;
897
+ floodOpacity?: csstype.Property.FloodOpacity | undefined;
898
+ fontFamily?: csstype.Property.FontFamily | undefined;
899
+ fontFeatureSettings?: csstype.Property.FontFeatureSettings | undefined;
900
+ fontKerning?: csstype.Property.FontKerning | undefined;
901
+ fontLanguageOverride?: csstype.Property.FontLanguageOverride | undefined;
902
+ fontOpticalSizing?: csstype.Property.FontOpticalSizing | undefined;
903
+ fontPalette?: csstype.Property.FontPalette | undefined;
904
+ fontSize?: csstype.Property.FontSize<string | number> | undefined;
905
+ fontSizeAdjust?: csstype.Property.FontSizeAdjust | undefined;
906
+ fontSmooth?: csstype.Property.FontSmooth<string | number> | undefined;
907
+ fontStyle?: csstype.Property.FontStyle | undefined;
908
+ fontSynthesis?: csstype.Property.FontSynthesis | undefined;
909
+ fontSynthesisPosition?: csstype.Property.FontSynthesisPosition | undefined;
910
+ fontSynthesisSmallCaps?: csstype.Property.FontSynthesisSmallCaps | undefined;
911
+ fontSynthesisStyle?: csstype.Property.FontSynthesisStyle | undefined;
912
+ fontSynthesisWeight?: csstype.Property.FontSynthesisWeight | undefined;
913
+ fontVariant?: csstype.Property.FontVariant | undefined;
914
+ fontVariantAlternates?: csstype.Property.FontVariantAlternates | undefined;
915
+ fontVariantCaps?: csstype.Property.FontVariantCaps | undefined;
916
+ fontVariantEastAsian?: csstype.Property.FontVariantEastAsian | undefined;
917
+ fontVariantEmoji?: csstype.Property.FontVariantEmoji | undefined;
918
+ fontVariantLigatures?: csstype.Property.FontVariantLigatures | undefined;
919
+ fontVariantNumeric?: csstype.Property.FontVariantNumeric | undefined;
920
+ fontVariantPosition?: csstype.Property.FontVariantPosition | undefined;
921
+ fontVariationSettings?: csstype.Property.FontVariationSettings | undefined;
922
+ fontWeight?: csstype.Property.FontWeight | undefined;
923
+ fontWidth?: csstype.Property.FontWidth | undefined;
924
+ forcedColorAdjust?: csstype.Property.ForcedColorAdjust | undefined;
925
+ gridAutoColumns?: csstype.Property.GridAutoColumns<string | number> | undefined;
926
+ gridAutoFlow?: csstype.Property.GridAutoFlow | undefined;
927
+ gridAutoRows?: csstype.Property.GridAutoRows<string | number> | undefined;
928
+ gridColumnEnd?: csstype.Property.GridColumnEnd | undefined;
929
+ gridColumnStart?: csstype.Property.GridColumnStart | undefined;
930
+ gridRowEnd?: csstype.Property.GridRowEnd | undefined;
931
+ gridRowStart?: csstype.Property.GridRowStart | undefined;
932
+ gridTemplateAreas?: csstype.Property.GridTemplateAreas | undefined;
933
+ gridTemplateColumns?: csstype.Property.GridTemplateColumns<string | number> | undefined;
934
+ gridTemplateRows?: csstype.Property.GridTemplateRows<string | number> | undefined;
935
+ hangingPunctuation?: csstype.Property.HangingPunctuation | undefined;
936
+ height?: csstype.Property.Height<string | number> | undefined;
937
+ hyphenateCharacter?: csstype.Property.HyphenateCharacter | undefined;
938
+ hyphenateLimitChars?: csstype.Property.HyphenateLimitChars | undefined;
939
+ hyphens?: csstype.Property.Hyphens | undefined;
940
+ imageOrientation?: csstype.Property.ImageOrientation | undefined;
941
+ imageRendering?: csstype.Property.ImageRendering | undefined;
942
+ imageResolution?: csstype.Property.ImageResolution | undefined;
943
+ initialLetter?: csstype.Property.InitialLetter | undefined;
944
+ initialLetterAlign?: csstype.Property.InitialLetterAlign | undefined;
945
+ inlineSize?: csstype.Property.InlineSize<string | number> | undefined;
946
+ insetBlockEnd?: csstype.Property.InsetBlockEnd<string | number> | undefined;
947
+ insetBlockStart?: csstype.Property.InsetBlockStart<string | number> | undefined;
948
+ insetInlineEnd?: csstype.Property.InsetInlineEnd<string | number> | undefined;
949
+ insetInlineStart?: csstype.Property.InsetInlineStart<string | number> | undefined;
950
+ interpolateSize?: csstype.Property.InterpolateSize | undefined;
951
+ isolation?: csstype.Property.Isolation | undefined;
952
+ justifyContent?: csstype.Property.JustifyContent | undefined;
953
+ justifyItems?: csstype.Property.JustifyItems | undefined;
954
+ justifySelf?: csstype.Property.JustifySelf | undefined;
955
+ justifyTracks?: csstype.Property.JustifyTracks | undefined;
956
+ left?: csstype.Property.Left<string | number> | undefined;
957
+ letterSpacing?: csstype.Property.LetterSpacing<string | number> | undefined;
958
+ lightingColor?: csstype.Property.LightingColor | undefined;
959
+ lineBreak?: csstype.Property.LineBreak | undefined;
960
+ lineHeight?: csstype.Property.LineHeight<string | number> | undefined;
961
+ lineHeightStep?: csstype.Property.LineHeightStep<string | number> | undefined;
962
+ listStyleImage?: csstype.Property.ListStyleImage | undefined;
963
+ listStylePosition?: csstype.Property.ListStylePosition | undefined;
964
+ listStyleType?: csstype.Property.ListStyleType | undefined;
965
+ marginBlockEnd?: csstype.Property.MarginBlockEnd<string | number> | undefined;
966
+ marginBlockStart?: csstype.Property.MarginBlockStart<string | number> | undefined;
967
+ marginBottom?: csstype.Property.MarginBottom<string | number> | undefined;
968
+ marginInlineEnd?: csstype.Property.MarginInlineEnd<string | number> | undefined;
969
+ marginInlineStart?: csstype.Property.MarginInlineStart<string | number> | undefined;
970
+ marginLeft?: csstype.Property.MarginLeft<string | number> | undefined;
971
+ marginRight?: csstype.Property.MarginRight<string | number> | undefined;
972
+ marginTop?: csstype.Property.MarginTop<string | number> | undefined;
973
+ marginTrim?: csstype.Property.MarginTrim | undefined;
974
+ marker?: csstype.Property.Marker | undefined;
975
+ markerEnd?: csstype.Property.MarkerEnd | undefined;
976
+ markerMid?: csstype.Property.MarkerMid | undefined;
977
+ markerStart?: csstype.Property.MarkerStart | undefined;
978
+ maskBorderMode?: csstype.Property.MaskBorderMode | undefined;
979
+ maskBorderOutset?: csstype.Property.MaskBorderOutset<string | number> | undefined;
980
+ maskBorderRepeat?: csstype.Property.MaskBorderRepeat | undefined;
981
+ maskBorderSlice?: csstype.Property.MaskBorderSlice | undefined;
982
+ maskBorderSource?: csstype.Property.MaskBorderSource | undefined;
983
+ maskBorderWidth?: csstype.Property.MaskBorderWidth<string | number> | undefined;
984
+ maskClip?: csstype.Property.MaskClip | undefined;
985
+ maskComposite?: csstype.Property.MaskComposite | undefined;
986
+ maskImage?: csstype.Property.MaskImage | undefined;
987
+ maskMode?: csstype.Property.MaskMode | undefined;
988
+ maskOrigin?: csstype.Property.MaskOrigin | undefined;
989
+ maskPosition?: csstype.Property.MaskPosition<string | number> | undefined;
990
+ maskRepeat?: csstype.Property.MaskRepeat | undefined;
991
+ maskSize?: csstype.Property.MaskSize<string | number> | undefined;
992
+ maskType?: csstype.Property.MaskType | undefined;
993
+ masonryAutoFlow?: csstype.Property.MasonryAutoFlow | undefined;
994
+ mathDepth?: csstype.Property.MathDepth | undefined;
995
+ mathShift?: csstype.Property.MathShift | undefined;
996
+ mathStyle?: csstype.Property.MathStyle | undefined;
997
+ maxBlockSize?: csstype.Property.MaxBlockSize<string | number> | undefined;
998
+ maxHeight?: csstype.Property.MaxHeight<string | number> | undefined;
999
+ maxInlineSize?: csstype.Property.MaxInlineSize<string | number> | undefined;
1000
+ maxLines?: csstype.Property.MaxLines | undefined;
1001
+ maxWidth?: csstype.Property.MaxWidth<string | number> | undefined;
1002
+ minBlockSize?: csstype.Property.MinBlockSize<string | number> | undefined;
1003
+ minHeight?: csstype.Property.MinHeight<string | number> | undefined;
1004
+ minInlineSize?: csstype.Property.MinInlineSize<string | number> | undefined;
1005
+ minWidth?: csstype.Property.MinWidth<string | number> | undefined;
1006
+ mixBlendMode?: csstype.Property.MixBlendMode | undefined;
1007
+ motionDistance?: csstype.Property.OffsetDistance<string | number> | undefined;
1008
+ motionPath?: csstype.Property.OffsetPath | undefined;
1009
+ motionRotation?: csstype.Property.OffsetRotate | undefined;
1010
+ objectFit?: csstype.Property.ObjectFit | undefined;
1011
+ objectPosition?: csstype.Property.ObjectPosition<string | number> | undefined;
1012
+ objectViewBox?: csstype.Property.ObjectViewBox | undefined;
1013
+ offsetAnchor?: csstype.Property.OffsetAnchor<string | number> | undefined;
1014
+ offsetDistance?: csstype.Property.OffsetDistance<string | number> | undefined;
1015
+ offsetPath?: csstype.Property.OffsetPath | undefined;
1016
+ offsetPosition?: csstype.Property.OffsetPosition<string | number> | undefined;
1017
+ offsetRotate?: csstype.Property.OffsetRotate | undefined;
1018
+ offsetRotation?: csstype.Property.OffsetRotate | undefined;
1019
+ opacity?: csstype.Property.Opacity | undefined;
1020
+ order?: csstype.Property.Order | undefined;
1021
+ orphans?: csstype.Property.Orphans | undefined;
1022
+ outlineColor?: csstype.Property.OutlineColor | undefined;
1023
+ outlineOffset?: csstype.Property.OutlineOffset<string | number> | undefined;
1024
+ outlineStyle?: csstype.Property.OutlineStyle | undefined;
1025
+ outlineWidth?: csstype.Property.OutlineWidth<string | number> | undefined;
1026
+ overflowAnchor?: csstype.Property.OverflowAnchor | undefined;
1027
+ overflowBlock?: csstype.Property.OverflowBlock | undefined;
1028
+ overflowClipBox?: csstype.Property.OverflowClipBox | undefined;
1029
+ overflowClipMargin?: csstype.Property.OverflowClipMargin<string | number> | undefined;
1030
+ overflowInline?: csstype.Property.OverflowInline | undefined;
1031
+ overflowWrap?: csstype.Property.OverflowWrap | undefined;
1032
+ overflowX?: csstype.Property.OverflowX | undefined;
1033
+ overflowY?: csstype.Property.OverflowY | undefined;
1034
+ overlay?: csstype.Property.Overlay | undefined;
1035
+ overscrollBehaviorBlock?: csstype.Property.OverscrollBehaviorBlock | undefined;
1036
+ overscrollBehaviorInline?: csstype.Property.OverscrollBehaviorInline | undefined;
1037
+ overscrollBehaviorX?: csstype.Property.OverscrollBehaviorX | undefined;
1038
+ overscrollBehaviorY?: csstype.Property.OverscrollBehaviorY | undefined;
1039
+ paddingBlockEnd?: csstype.Property.PaddingBlockEnd<string | number> | undefined;
1040
+ paddingBlockStart?: csstype.Property.PaddingBlockStart<string | number> | undefined;
1041
+ paddingBottom?: csstype.Property.PaddingBottom<string | number> | undefined;
1042
+ paddingInlineEnd?: csstype.Property.PaddingInlineEnd<string | number> | undefined;
1043
+ paddingInlineStart?: csstype.Property.PaddingInlineStart<string | number> | undefined;
1044
+ paddingLeft?: csstype.Property.PaddingLeft<string | number> | undefined;
1045
+ paddingRight?: csstype.Property.PaddingRight<string | number> | undefined;
1046
+ paddingTop?: csstype.Property.PaddingTop<string | number> | undefined;
1047
+ page?: csstype.Property.Page | undefined;
1048
+ paintOrder?: csstype.Property.PaintOrder | undefined;
1049
+ perspective?: csstype.Property.Perspective<string | number> | undefined;
1050
+ perspectiveOrigin?: csstype.Property.PerspectiveOrigin<string | number> | undefined;
1051
+ pointerEvents?: csstype.Property.PointerEvents | undefined;
1052
+ position?: csstype.Property.Position | undefined;
1053
+ positionAnchor?: csstype.Property.PositionAnchor | undefined;
1054
+ positionArea?: csstype.Property.PositionArea | undefined;
1055
+ positionTryFallbacks?: csstype.Property.PositionTryFallbacks | undefined;
1056
+ positionTryOrder?: csstype.Property.PositionTryOrder | undefined;
1057
+ positionVisibility?: csstype.Property.PositionVisibility | undefined;
1058
+ printColorAdjust?: csstype.Property.PrintColorAdjust | undefined;
1059
+ quotes?: csstype.Property.Quotes | undefined;
1060
+ r?: csstype.Property.R<string | number> | undefined;
1061
+ resize?: csstype.Property.Resize | undefined;
1062
+ right?: csstype.Property.Right<string | number> | undefined;
1063
+ rotate?: csstype.Property.Rotate | undefined;
1064
+ rowGap?: csstype.Property.RowGap<string | number> | undefined;
1065
+ rubyAlign?: csstype.Property.RubyAlign | undefined;
1066
+ rubyMerge?: csstype.Property.RubyMerge | undefined;
1067
+ rubyOverhang?: csstype.Property.RubyOverhang | undefined;
1068
+ rubyPosition?: csstype.Property.RubyPosition | undefined;
1069
+ rx?: csstype.Property.Rx<string | number> | undefined;
1070
+ ry?: csstype.Property.Ry<string | number> | undefined;
1071
+ scale?: csstype.Property.Scale | undefined;
1072
+ scrollBehavior?: csstype.Property.ScrollBehavior | undefined;
1073
+ scrollInitialTarget?: csstype.Property.ScrollInitialTarget | undefined;
1074
+ scrollMarginBlockEnd?: csstype.Property.ScrollMarginBlockEnd<string | number> | undefined;
1075
+ scrollMarginBlockStart?: csstype.Property.ScrollMarginBlockStart<string | number> | undefined;
1076
+ scrollMarginBottom?: csstype.Property.ScrollMarginBottom<string | number> | undefined;
1077
+ scrollMarginInlineEnd?: csstype.Property.ScrollMarginInlineEnd<string | number> | undefined;
1078
+ scrollMarginInlineStart?: csstype.Property.ScrollMarginInlineStart<string | number> | undefined;
1079
+ scrollMarginLeft?: csstype.Property.ScrollMarginLeft<string | number> | undefined;
1080
+ scrollMarginRight?: csstype.Property.ScrollMarginRight<string | number> | undefined;
1081
+ scrollMarginTop?: csstype.Property.ScrollMarginTop<string | number> | undefined;
1082
+ scrollPaddingBlockEnd?: csstype.Property.ScrollPaddingBlockEnd<string | number> | undefined;
1083
+ scrollPaddingBlockStart?: csstype.Property.ScrollPaddingBlockStart<string | number> | undefined;
1084
+ scrollPaddingBottom?: csstype.Property.ScrollPaddingBottom<string | number> | undefined;
1085
+ scrollPaddingInlineEnd?: csstype.Property.ScrollPaddingInlineEnd<string | number> | undefined;
1086
+ scrollPaddingInlineStart?: csstype.Property.ScrollPaddingInlineStart<string | number> | undefined;
1087
+ scrollPaddingLeft?: csstype.Property.ScrollPaddingLeft<string | number> | undefined;
1088
+ scrollPaddingRight?: csstype.Property.ScrollPaddingRight<string | number> | undefined;
1089
+ scrollPaddingTop?: csstype.Property.ScrollPaddingTop<string | number> | undefined;
1090
+ scrollSnapAlign?: csstype.Property.ScrollSnapAlign | undefined;
1091
+ scrollSnapMarginBottom?: csstype.Property.ScrollMarginBottom<string | number> | undefined;
1092
+ scrollSnapMarginLeft?: csstype.Property.ScrollMarginLeft<string | number> | undefined;
1093
+ scrollSnapMarginRight?: csstype.Property.ScrollMarginRight<string | number> | undefined;
1094
+ scrollSnapMarginTop?: csstype.Property.ScrollMarginTop<string | number> | undefined;
1095
+ scrollSnapStop?: csstype.Property.ScrollSnapStop | undefined;
1096
+ scrollSnapType?: csstype.Property.ScrollSnapType | undefined;
1097
+ scrollTimelineAxis?: csstype.Property.ScrollTimelineAxis | undefined;
1098
+ scrollTimelineName?: csstype.Property.ScrollTimelineName | undefined;
1099
+ scrollbarColor?: csstype.Property.ScrollbarColor | undefined;
1100
+ scrollbarGutter?: csstype.Property.ScrollbarGutter | undefined;
1101
+ scrollbarWidth?: csstype.Property.ScrollbarWidth | undefined;
1102
+ shapeImageThreshold?: csstype.Property.ShapeImageThreshold | undefined;
1103
+ shapeMargin?: csstype.Property.ShapeMargin<string | number> | undefined;
1104
+ shapeOutside?: csstype.Property.ShapeOutside | undefined;
1105
+ shapeRendering?: csstype.Property.ShapeRendering | undefined;
1106
+ speakAs?: csstype.Property.SpeakAs | undefined;
1107
+ stopColor?: csstype.Property.StopColor | undefined;
1108
+ stopOpacity?: csstype.Property.StopOpacity | undefined;
1109
+ stroke?: csstype.Property.Stroke | undefined;
1110
+ strokeColor?: csstype.Property.StrokeColor | undefined;
1111
+ strokeDasharray?: csstype.Property.StrokeDasharray<string | number> | undefined;
1112
+ strokeDashoffset?: csstype.Property.StrokeDashoffset<string | number> | undefined;
1113
+ strokeLinecap?: csstype.Property.StrokeLinecap | undefined;
1114
+ strokeLinejoin?: csstype.Property.StrokeLinejoin | undefined;
1115
+ strokeMiterlimit?: csstype.Property.StrokeMiterlimit | undefined;
1116
+ strokeOpacity?: csstype.Property.StrokeOpacity | undefined;
1117
+ strokeWidth?: csstype.Property.StrokeWidth<string | number> | undefined;
1118
+ tabSize?: csstype.Property.TabSize<string | number> | undefined;
1119
+ tableLayout?: csstype.Property.TableLayout | undefined;
1120
+ textAlign?: csstype.Property.TextAlign | undefined;
1121
+ textAlignLast?: csstype.Property.TextAlignLast | undefined;
1122
+ textAnchor?: csstype.Property.TextAnchor | undefined;
1123
+ textAutospace?: csstype.Property.TextAutospace | undefined;
1124
+ textBox?: csstype.Property.TextBox | undefined;
1125
+ textBoxEdge?: csstype.Property.TextBoxEdge | undefined;
1126
+ textBoxTrim?: csstype.Property.TextBoxTrim | undefined;
1127
+ textCombineUpright?: csstype.Property.TextCombineUpright | undefined;
1128
+ textDecorationColor?: csstype.Property.TextDecorationColor | undefined;
1129
+ textDecorationLine?: csstype.Property.TextDecorationLine | undefined;
1130
+ textDecorationSkip?: csstype.Property.TextDecorationSkip | undefined;
1131
+ textDecorationSkipInk?: csstype.Property.TextDecorationSkipInk | undefined;
1132
+ textDecorationStyle?: csstype.Property.TextDecorationStyle | undefined;
1133
+ textDecorationThickness?: csstype.Property.TextDecorationThickness<string | number> | undefined;
1134
+ textEmphasisColor?: csstype.Property.TextEmphasisColor | undefined;
1135
+ textEmphasisPosition?: csstype.Property.TextEmphasisPosition | undefined;
1136
+ textEmphasisStyle?: csstype.Property.TextEmphasisStyle | undefined;
1137
+ textIndent?: csstype.Property.TextIndent<string | number> | undefined;
1138
+ textJustify?: csstype.Property.TextJustify | undefined;
1139
+ textOrientation?: csstype.Property.TextOrientation | undefined;
1140
+ textOverflow?: csstype.Property.TextOverflow | undefined;
1141
+ textRendering?: csstype.Property.TextRendering | undefined;
1142
+ textShadow?: csstype.Property.TextShadow | undefined;
1143
+ textSizeAdjust?: csstype.Property.TextSizeAdjust | undefined;
1144
+ textSpacingTrim?: csstype.Property.TextSpacingTrim | undefined;
1145
+ textTransform?: csstype.Property.TextTransform | undefined;
1146
+ textUnderlineOffset?: csstype.Property.TextUnderlineOffset<string | number> | undefined;
1147
+ textUnderlinePosition?: csstype.Property.TextUnderlinePosition | undefined;
1148
+ textWrapMode?: csstype.Property.TextWrapMode | undefined;
1149
+ textWrapStyle?: csstype.Property.TextWrapStyle | undefined;
1150
+ timelineScope?: csstype.Property.TimelineScope | undefined;
1151
+ top?: csstype.Property.Top<string | number> | undefined;
1152
+ touchAction?: csstype.Property.TouchAction | undefined;
1153
+ transform?: csstype.Property.Transform | undefined;
1154
+ transformBox?: csstype.Property.TransformBox | undefined;
1155
+ transformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
1156
+ transformStyle?: csstype.Property.TransformStyle | undefined;
1157
+ transitionBehavior?: csstype.Property.TransitionBehavior | undefined;
1158
+ transitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
1159
+ transitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
1160
+ transitionProperty?: csstype.Property.TransitionProperty | undefined;
1161
+ transitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
1162
+ translate?: csstype.Property.Translate<string | number> | undefined;
1163
+ unicodeBidi?: csstype.Property.UnicodeBidi | undefined;
1164
+ userSelect?: csstype.Property.UserSelect | undefined;
1165
+ vectorEffect?: csstype.Property.VectorEffect | undefined;
1166
+ verticalAlign?: csstype.Property.VerticalAlign<string | number> | undefined;
1167
+ viewTimelineAxis?: csstype.Property.ViewTimelineAxis | undefined;
1168
+ viewTimelineInset?: csstype.Property.ViewTimelineInset<string | number> | undefined;
1169
+ viewTimelineName?: csstype.Property.ViewTimelineName | undefined;
1170
+ viewTransitionClass?: csstype.Property.ViewTransitionClass | undefined;
1171
+ viewTransitionName?: csstype.Property.ViewTransitionName | undefined;
1172
+ visibility?: csstype.Property.Visibility | undefined;
1173
+ whiteSpace?: csstype.Property.WhiteSpace | undefined;
1174
+ whiteSpaceCollapse?: csstype.Property.WhiteSpaceCollapse | undefined;
1175
+ widows?: csstype.Property.Widows | undefined;
1176
+ width?: csstype.Property.Width<string | number> | undefined;
1177
+ willChange?: csstype.Property.WillChange | undefined;
1178
+ wordBreak?: csstype.Property.WordBreak | undefined;
1179
+ wordSpacing?: csstype.Property.WordSpacing<string | number> | undefined;
1180
+ wordWrap?: csstype.Property.WordWrap | undefined;
1181
+ writingMode?: csstype.Property.WritingMode | undefined;
1182
+ x?: csstype.Property.X<string | number> | undefined;
1183
+ y?: csstype.Property.Y<string | number> | undefined;
1184
+ zIndex?: csstype.Property.ZIndex | undefined;
1185
+ zoom?: csstype.Property.Zoom | undefined;
1186
+ all?: csstype.Property.All | undefined;
1187
+ animation?: csstype.Property.Animation<string & {}> | undefined;
1188
+ animationRange?: csstype.Property.AnimationRange<string | number> | undefined;
1189
+ background?: csstype.Property.Background<string | number> | undefined;
1190
+ backgroundPosition?: csstype.Property.BackgroundPosition<string | number> | undefined;
1191
+ border?: csstype.Property.Border<string | number> | undefined;
1192
+ borderBlock?: csstype.Property.BorderBlock<string | number> | undefined;
1193
+ borderBlockColor?: csstype.Property.BorderBlockColor | undefined;
1194
+ borderBlockEnd?: csstype.Property.BorderBlockEnd<string | number> | undefined;
1195
+ borderBlockStart?: csstype.Property.BorderBlockStart<string | number> | undefined;
1196
+ borderBlockStyle?: csstype.Property.BorderBlockStyle | undefined;
1197
+ borderBlockWidth?: csstype.Property.BorderBlockWidth<string | number> | undefined;
1198
+ borderBottom?: csstype.Property.BorderBottom<string | number> | undefined;
1199
+ borderColor?: csstype.Property.BorderColor | undefined;
1200
+ borderImage?: csstype.Property.BorderImage | undefined;
1201
+ borderInline?: csstype.Property.BorderInline<string | number> | undefined;
1202
+ borderInlineColor?: csstype.Property.BorderInlineColor | undefined;
1203
+ borderInlineEnd?: csstype.Property.BorderInlineEnd<string | number> | undefined;
1204
+ borderInlineStart?: csstype.Property.BorderInlineStart<string | number> | undefined;
1205
+ borderInlineStyle?: csstype.Property.BorderInlineStyle | undefined;
1206
+ borderInlineWidth?: csstype.Property.BorderInlineWidth<string | number> | undefined;
1207
+ borderLeft?: csstype.Property.BorderLeft<string | number> | undefined;
1208
+ borderRadius?: csstype.Property.BorderRadius<string | number> | undefined;
1209
+ borderRight?: csstype.Property.BorderRight<string | number> | undefined;
1210
+ borderStyle?: csstype.Property.BorderStyle | undefined;
1211
+ borderTop?: csstype.Property.BorderTop<string | number> | undefined;
1212
+ borderWidth?: csstype.Property.BorderWidth<string | number> | undefined;
1213
+ caret?: csstype.Property.Caret | undefined;
1214
+ columnRule?: csstype.Property.ColumnRule<string | number> | undefined;
1215
+ columns?: csstype.Property.Columns<string | number> | undefined;
1216
+ containIntrinsicSize?: csstype.Property.ContainIntrinsicSize<string | number> | undefined;
1217
+ container?: csstype.Property.Container | undefined;
1218
+ flex?: csstype.Property.Flex<string | number> | undefined;
1219
+ flexFlow?: csstype.Property.FlexFlow | undefined;
1220
+ font?: csstype.Property.Font | undefined;
1221
+ gap?: csstype.Property.Gap<string | number> | undefined;
1222
+ grid?: csstype.Property.Grid | undefined;
1223
+ gridArea?: csstype.Property.GridArea | undefined;
1224
+ gridColumn?: csstype.Property.GridColumn | undefined;
1225
+ gridRow?: csstype.Property.GridRow | undefined;
1226
+ gridTemplate?: csstype.Property.GridTemplate | undefined;
1227
+ inset?: csstype.Property.Inset<string | number> | undefined;
1228
+ insetBlock?: csstype.Property.InsetBlock<string | number> | undefined;
1229
+ insetInline?: csstype.Property.InsetInline<string | number> | undefined;
1230
+ lineClamp?: csstype.Property.LineClamp | undefined;
1231
+ listStyle?: csstype.Property.ListStyle | undefined;
1232
+ margin?: csstype.Property.Margin<string | number> | undefined;
1233
+ marginBlock?: csstype.Property.MarginBlock<string | number> | undefined;
1234
+ marginInline?: csstype.Property.MarginInline<string | number> | undefined;
1235
+ mask?: csstype.Property.Mask<string | number> | undefined;
1236
+ maskBorder?: csstype.Property.MaskBorder | undefined;
1237
+ motion?: csstype.Property.Offset<string | number> | undefined;
1238
+ offset?: csstype.Property.Offset<string | number> | undefined;
1239
+ outline?: csstype.Property.Outline<string | number> | undefined;
1240
+ overflow?: csstype.Property.Overflow | undefined;
1241
+ overscrollBehavior?: csstype.Property.OverscrollBehavior | undefined;
1242
+ padding?: csstype.Property.Padding<string | number> | undefined;
1243
+ paddingBlock?: csstype.Property.PaddingBlock<string | number> | undefined;
1244
+ paddingInline?: csstype.Property.PaddingInline<string | number> | undefined;
1245
+ placeContent?: csstype.Property.PlaceContent | undefined;
1246
+ placeItems?: csstype.Property.PlaceItems | undefined;
1247
+ placeSelf?: csstype.Property.PlaceSelf | undefined;
1248
+ positionTry?: csstype.Property.PositionTry | undefined;
1249
+ scrollMargin?: csstype.Property.ScrollMargin<string | number> | undefined;
1250
+ scrollMarginBlock?: csstype.Property.ScrollMarginBlock<string | number> | undefined;
1251
+ scrollMarginInline?: csstype.Property.ScrollMarginInline<string | number> | undefined;
1252
+ scrollPadding?: csstype.Property.ScrollPadding<string | number> | undefined;
1253
+ scrollPaddingBlock?: csstype.Property.ScrollPaddingBlock<string | number> | undefined;
1254
+ scrollPaddingInline?: csstype.Property.ScrollPaddingInline<string | number> | undefined;
1255
+ scrollSnapMargin?: csstype.Property.ScrollMargin<string | number> | undefined;
1256
+ scrollTimeline?: csstype.Property.ScrollTimeline | undefined;
1257
+ textDecoration?: csstype.Property.TextDecoration<string | number> | undefined;
1258
+ textEmphasis?: csstype.Property.TextEmphasis | undefined;
1259
+ textWrap?: csstype.Property.TextWrap | undefined;
1260
+ transition?: csstype.Property.Transition<string & {}> | undefined;
1261
+ viewTimeline?: csstype.Property.ViewTimeline | undefined;
1262
+ MozAnimationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
1263
+ MozAnimationDirection?: csstype.Property.AnimationDirection | undefined;
1264
+ MozAnimationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
1265
+ MozAnimationFillMode?: csstype.Property.AnimationFillMode | undefined;
1266
+ MozAnimationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
1267
+ MozAnimationName?: csstype.Property.AnimationName | undefined;
1268
+ MozAnimationPlayState?: csstype.Property.AnimationPlayState | undefined;
1269
+ MozAnimationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
1270
+ MozAppearance?: csstype.Property.MozAppearance | undefined;
1271
+ MozBackfaceVisibility?: csstype.Property.BackfaceVisibility | undefined;
1272
+ MozBinding?: csstype.Property.MozBinding | undefined;
1273
+ MozBorderBottomColors?: csstype.Property.MozBorderBottomColors | undefined;
1274
+ MozBorderEndColor?: csstype.Property.BorderInlineEndColor | undefined;
1275
+ MozBorderEndStyle?: csstype.Property.BorderInlineEndStyle | undefined;
1276
+ MozBorderEndWidth?: csstype.Property.BorderInlineEndWidth<string | number> | undefined;
1277
+ MozBorderLeftColors?: csstype.Property.MozBorderLeftColors | undefined;
1278
+ MozBorderRightColors?: csstype.Property.MozBorderRightColors | undefined;
1279
+ MozBorderStartColor?: csstype.Property.BorderInlineStartColor | undefined;
1280
+ MozBorderStartStyle?: csstype.Property.BorderInlineStartStyle | undefined;
1281
+ MozBorderTopColors?: csstype.Property.MozBorderTopColors | undefined;
1282
+ MozBoxSizing?: csstype.Property.BoxSizing | undefined;
1283
+ MozColumnRuleColor?: csstype.Property.ColumnRuleColor | undefined;
1284
+ MozColumnRuleStyle?: csstype.Property.ColumnRuleStyle | undefined;
1285
+ MozColumnRuleWidth?: csstype.Property.ColumnRuleWidth<string | number> | undefined;
1286
+ MozColumnWidth?: csstype.Property.ColumnWidth<string | number> | undefined;
1287
+ MozContextProperties?: csstype.Property.MozContextProperties | undefined;
1288
+ MozFontFeatureSettings?: csstype.Property.FontFeatureSettings | undefined;
1289
+ MozFontLanguageOverride?: csstype.Property.FontLanguageOverride | undefined;
1290
+ MozHyphens?: csstype.Property.Hyphens | undefined;
1291
+ MozMarginEnd?: csstype.Property.MarginInlineEnd<string | number> | undefined;
1292
+ MozMarginStart?: csstype.Property.MarginInlineStart<string | number> | undefined;
1293
+ MozOrient?: csstype.Property.MozOrient | undefined;
1294
+ MozOsxFontSmoothing?: csstype.Property.FontSmooth<string | number> | undefined;
1295
+ MozOutlineRadiusBottomleft?: csstype.Property.MozOutlineRadiusBottomleft<string | number> | undefined;
1296
+ MozOutlineRadiusBottomright?: csstype.Property.MozOutlineRadiusBottomright<string | number> | undefined;
1297
+ MozOutlineRadiusTopleft?: csstype.Property.MozOutlineRadiusTopleft<string | number> | undefined;
1298
+ MozOutlineRadiusTopright?: csstype.Property.MozOutlineRadiusTopright<string | number> | undefined;
1299
+ MozPaddingEnd?: csstype.Property.PaddingInlineEnd<string | number> | undefined;
1300
+ MozPaddingStart?: csstype.Property.PaddingInlineStart<string | number> | undefined;
1301
+ MozPerspective?: csstype.Property.Perspective<string | number> | undefined;
1302
+ MozPerspectiveOrigin?: csstype.Property.PerspectiveOrigin<string | number> | undefined;
1303
+ MozStackSizing?: csstype.Property.MozStackSizing | undefined;
1304
+ MozTabSize?: csstype.Property.TabSize<string | number> | undefined;
1305
+ MozTextBlink?: csstype.Property.MozTextBlink | undefined;
1306
+ MozTextSizeAdjust?: csstype.Property.TextSizeAdjust | undefined;
1307
+ MozTransform?: csstype.Property.Transform | undefined;
1308
+ MozTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
1309
+ MozTransformStyle?: csstype.Property.TransformStyle | undefined;
1310
+ MozUserModify?: csstype.Property.MozUserModify | undefined;
1311
+ MozUserSelect?: csstype.Property.UserSelect | undefined;
1312
+ MozWindowDragging?: csstype.Property.MozWindowDragging | undefined;
1313
+ MozWindowShadow?: csstype.Property.MozWindowShadow | undefined;
1314
+ msAccelerator?: csstype.Property.MsAccelerator | undefined;
1315
+ msBlockProgression?: csstype.Property.MsBlockProgression | undefined;
1316
+ msContentZoomChaining?: csstype.Property.MsContentZoomChaining | undefined;
1317
+ msContentZoomLimitMax?: csstype.Property.MsContentZoomLimitMax | undefined;
1318
+ msContentZoomLimitMin?: csstype.Property.MsContentZoomLimitMin | undefined;
1319
+ msContentZoomSnapPoints?: csstype.Property.MsContentZoomSnapPoints | undefined;
1320
+ msContentZoomSnapType?: csstype.Property.MsContentZoomSnapType | undefined;
1321
+ msContentZooming?: csstype.Property.MsContentZooming | undefined;
1322
+ msFilter?: csstype.Property.MsFilter | undefined;
1323
+ msFlexDirection?: csstype.Property.FlexDirection | undefined;
1324
+ msFlexPositive?: csstype.Property.FlexGrow | undefined;
1325
+ msFlowFrom?: csstype.Property.MsFlowFrom | undefined;
1326
+ msFlowInto?: csstype.Property.MsFlowInto | undefined;
1327
+ msGridColumns?: csstype.Property.MsGridColumns<string | number> | undefined;
1328
+ msGridRows?: csstype.Property.MsGridRows<string | number> | undefined;
1329
+ msHighContrastAdjust?: csstype.Property.MsHighContrastAdjust | undefined;
1330
+ msHyphenateLimitChars?: csstype.Property.MsHyphenateLimitChars | undefined;
1331
+ msHyphenateLimitLines?: csstype.Property.MsHyphenateLimitLines | undefined;
1332
+ msHyphenateLimitZone?: csstype.Property.MsHyphenateLimitZone<string | number> | undefined;
1333
+ msHyphens?: csstype.Property.Hyphens | undefined;
1334
+ msImeAlign?: csstype.Property.MsImeAlign | undefined;
1335
+ msLineBreak?: csstype.Property.LineBreak | undefined;
1336
+ msOrder?: csstype.Property.Order | undefined;
1337
+ msOverflowStyle?: csstype.Property.MsOverflowStyle | undefined;
1338
+ msOverflowX?: csstype.Property.OverflowX | undefined;
1339
+ msOverflowY?: csstype.Property.OverflowY | undefined;
1340
+ msScrollChaining?: csstype.Property.MsScrollChaining | undefined;
1341
+ msScrollLimitXMax?: csstype.Property.MsScrollLimitXMax<string | number> | undefined;
1342
+ msScrollLimitXMin?: csstype.Property.MsScrollLimitXMin<string | number> | undefined;
1343
+ msScrollLimitYMax?: csstype.Property.MsScrollLimitYMax<string | number> | undefined;
1344
+ msScrollLimitYMin?: csstype.Property.MsScrollLimitYMin<string | number> | undefined;
1345
+ msScrollRails?: csstype.Property.MsScrollRails | undefined;
1346
+ msScrollSnapPointsX?: csstype.Property.MsScrollSnapPointsX | undefined;
1347
+ msScrollSnapPointsY?: csstype.Property.MsScrollSnapPointsY | undefined;
1348
+ msScrollSnapType?: csstype.Property.MsScrollSnapType | undefined;
1349
+ msScrollTranslation?: csstype.Property.MsScrollTranslation | undefined;
1350
+ msScrollbar3dlightColor?: csstype.Property.MsScrollbar3dlightColor | undefined;
1351
+ msScrollbarArrowColor?: csstype.Property.MsScrollbarArrowColor | undefined;
1352
+ msScrollbarBaseColor?: csstype.Property.MsScrollbarBaseColor | undefined;
1353
+ msScrollbarDarkshadowColor?: csstype.Property.MsScrollbarDarkshadowColor | undefined;
1354
+ msScrollbarFaceColor?: csstype.Property.MsScrollbarFaceColor | undefined;
1355
+ msScrollbarHighlightColor?: csstype.Property.MsScrollbarHighlightColor | undefined;
1356
+ msScrollbarShadowColor?: csstype.Property.MsScrollbarShadowColor | undefined;
1357
+ msScrollbarTrackColor?: csstype.Property.MsScrollbarTrackColor | undefined;
1358
+ msTextAutospace?: csstype.Property.MsTextAutospace | undefined;
1359
+ msTextCombineHorizontal?: csstype.Property.TextCombineUpright | undefined;
1360
+ msTextOverflow?: csstype.Property.TextOverflow | undefined;
1361
+ msTouchAction?: csstype.Property.TouchAction | undefined;
1362
+ msTouchSelect?: csstype.Property.MsTouchSelect | undefined;
1363
+ msTransform?: csstype.Property.Transform | undefined;
1364
+ msTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
1365
+ msTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
1366
+ msTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
1367
+ msTransitionProperty?: csstype.Property.TransitionProperty | undefined;
1368
+ msTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
1369
+ msUserSelect?: csstype.Property.MsUserSelect | undefined;
1370
+ msWordBreak?: csstype.Property.WordBreak | undefined;
1371
+ msWrapFlow?: csstype.Property.MsWrapFlow | undefined;
1372
+ msWrapMargin?: csstype.Property.MsWrapMargin<string | number> | undefined;
1373
+ msWrapThrough?: csstype.Property.MsWrapThrough | undefined;
1374
+ msWritingMode?: csstype.Property.WritingMode | undefined;
1375
+ WebkitAlignContent?: csstype.Property.AlignContent | undefined;
1376
+ WebkitAlignItems?: csstype.Property.AlignItems | undefined;
1377
+ WebkitAlignSelf?: csstype.Property.AlignSelf | undefined;
1378
+ WebkitAnimationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
1379
+ WebkitAnimationDirection?: csstype.Property.AnimationDirection | undefined;
1380
+ WebkitAnimationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
1381
+ WebkitAnimationFillMode?: csstype.Property.AnimationFillMode | undefined;
1382
+ WebkitAnimationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
1383
+ WebkitAnimationName?: csstype.Property.AnimationName | undefined;
1384
+ WebkitAnimationPlayState?: csstype.Property.AnimationPlayState | undefined;
1385
+ WebkitAnimationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
1386
+ WebkitAppearance?: csstype.Property.WebkitAppearance | undefined;
1387
+ WebkitBackdropFilter?: csstype.Property.BackdropFilter | undefined;
1388
+ WebkitBackfaceVisibility?: csstype.Property.BackfaceVisibility | undefined;
1389
+ WebkitBackgroundClip?: csstype.Property.BackgroundClip | undefined;
1390
+ WebkitBackgroundOrigin?: csstype.Property.BackgroundOrigin | undefined;
1391
+ WebkitBackgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
1392
+ WebkitBorderBeforeColor?: csstype.Property.WebkitBorderBeforeColor | undefined;
1393
+ WebkitBorderBeforeStyle?: csstype.Property.WebkitBorderBeforeStyle | undefined;
1394
+ WebkitBorderBeforeWidth?: csstype.Property.WebkitBorderBeforeWidth<string | number> | undefined;
1395
+ WebkitBorderBottomLeftRadius?: csstype.Property.BorderBottomLeftRadius<string | number> | undefined;
1396
+ WebkitBorderBottomRightRadius?: csstype.Property.BorderBottomRightRadius<string | number> | undefined;
1397
+ WebkitBorderImageSlice?: csstype.Property.BorderImageSlice | undefined;
1398
+ WebkitBorderTopLeftRadius?: csstype.Property.BorderTopLeftRadius<string | number> | undefined;
1399
+ WebkitBorderTopRightRadius?: csstype.Property.BorderTopRightRadius<string | number> | undefined;
1400
+ WebkitBoxDecorationBreak?: csstype.Property.BoxDecorationBreak | undefined;
1401
+ WebkitBoxReflect?: csstype.Property.WebkitBoxReflect<string | number> | undefined;
1402
+ WebkitBoxShadow?: csstype.Property.BoxShadow | undefined;
1403
+ WebkitBoxSizing?: csstype.Property.BoxSizing | undefined;
1404
+ WebkitClipPath?: csstype.Property.ClipPath | undefined;
1405
+ WebkitColumnCount?: csstype.Property.ColumnCount | undefined;
1406
+ WebkitColumnFill?: csstype.Property.ColumnFill | undefined;
1407
+ WebkitColumnRuleColor?: csstype.Property.ColumnRuleColor | undefined;
1408
+ WebkitColumnRuleStyle?: csstype.Property.ColumnRuleStyle | undefined;
1409
+ WebkitColumnRuleWidth?: csstype.Property.ColumnRuleWidth<string | number> | undefined;
1410
+ WebkitColumnSpan?: csstype.Property.ColumnSpan | undefined;
1411
+ WebkitColumnWidth?: csstype.Property.ColumnWidth<string | number> | undefined;
1412
+ WebkitFilter?: csstype.Property.Filter | undefined;
1413
+ WebkitFlexBasis?: csstype.Property.FlexBasis<string | number> | undefined;
1414
+ WebkitFlexDirection?: csstype.Property.FlexDirection | undefined;
1415
+ WebkitFlexGrow?: csstype.Property.FlexGrow | undefined;
1416
+ WebkitFlexShrink?: csstype.Property.FlexShrink | undefined;
1417
+ WebkitFlexWrap?: csstype.Property.FlexWrap | undefined;
1418
+ WebkitFontFeatureSettings?: csstype.Property.FontFeatureSettings | undefined;
1419
+ WebkitFontKerning?: csstype.Property.FontKerning | undefined;
1420
+ WebkitFontSmoothing?: csstype.Property.FontSmooth<string | number> | undefined;
1421
+ WebkitFontVariantLigatures?: csstype.Property.FontVariantLigatures | undefined;
1422
+ WebkitHyphenateCharacter?: csstype.Property.HyphenateCharacter | undefined;
1423
+ WebkitHyphens?: csstype.Property.Hyphens | undefined;
1424
+ WebkitInitialLetter?: csstype.Property.InitialLetter | undefined;
1425
+ WebkitJustifyContent?: csstype.Property.JustifyContent | undefined;
1426
+ WebkitLineBreak?: csstype.Property.LineBreak | undefined;
1427
+ WebkitLineClamp?: csstype.Property.WebkitLineClamp | undefined;
1428
+ WebkitLogicalHeight?: csstype.Property.BlockSize<string | number> | undefined;
1429
+ WebkitLogicalWidth?: csstype.Property.InlineSize<string | number> | undefined;
1430
+ WebkitMarginEnd?: csstype.Property.MarginInlineEnd<string | number> | undefined;
1431
+ WebkitMarginStart?: csstype.Property.MarginInlineStart<string | number> | undefined;
1432
+ WebkitMaskAttachment?: csstype.Property.WebkitMaskAttachment | undefined;
1433
+ WebkitMaskBoxImageOutset?: csstype.Property.MaskBorderOutset<string | number> | undefined;
1434
+ WebkitMaskBoxImageRepeat?: csstype.Property.MaskBorderRepeat | undefined;
1435
+ WebkitMaskBoxImageSlice?: csstype.Property.MaskBorderSlice | undefined;
1436
+ WebkitMaskBoxImageSource?: csstype.Property.MaskBorderSource | undefined;
1437
+ WebkitMaskBoxImageWidth?: csstype.Property.MaskBorderWidth<string | number> | undefined;
1438
+ WebkitMaskClip?: csstype.Property.WebkitMaskClip | undefined;
1439
+ WebkitMaskComposite?: csstype.Property.WebkitMaskComposite | undefined;
1440
+ WebkitMaskImage?: csstype.Property.WebkitMaskImage | undefined;
1441
+ WebkitMaskOrigin?: csstype.Property.WebkitMaskOrigin | undefined;
1442
+ WebkitMaskPosition?: csstype.Property.WebkitMaskPosition<string | number> | undefined;
1443
+ WebkitMaskPositionX?: csstype.Property.WebkitMaskPositionX<string | number> | undefined;
1444
+ WebkitMaskPositionY?: csstype.Property.WebkitMaskPositionY<string | number> | undefined;
1445
+ WebkitMaskRepeat?: csstype.Property.WebkitMaskRepeat | undefined;
1446
+ WebkitMaskRepeatX?: csstype.Property.WebkitMaskRepeatX | undefined;
1447
+ WebkitMaskRepeatY?: csstype.Property.WebkitMaskRepeatY | undefined;
1448
+ WebkitMaskSize?: csstype.Property.WebkitMaskSize<string | number> | undefined;
1449
+ WebkitMaxInlineSize?: csstype.Property.MaxInlineSize<string | number> | undefined;
1450
+ WebkitOrder?: csstype.Property.Order | undefined;
1451
+ WebkitOverflowScrolling?: csstype.Property.WebkitOverflowScrolling | undefined;
1452
+ WebkitPaddingEnd?: csstype.Property.PaddingInlineEnd<string | number> | undefined;
1453
+ WebkitPaddingStart?: csstype.Property.PaddingInlineStart<string | number> | undefined;
1454
+ WebkitPerspective?: csstype.Property.Perspective<string | number> | undefined;
1455
+ WebkitPerspectiveOrigin?: csstype.Property.PerspectiveOrigin<string | number> | undefined;
1456
+ WebkitPrintColorAdjust?: csstype.Property.PrintColorAdjust | undefined;
1457
+ WebkitRubyPosition?: csstype.Property.RubyPosition | undefined;
1458
+ WebkitScrollSnapType?: csstype.Property.ScrollSnapType | undefined;
1459
+ WebkitShapeMargin?: csstype.Property.ShapeMargin<string | number> | undefined;
1460
+ WebkitTapHighlightColor?: csstype.Property.WebkitTapHighlightColor | undefined;
1461
+ WebkitTextCombine?: csstype.Property.TextCombineUpright | undefined;
1462
+ WebkitTextDecorationColor?: csstype.Property.TextDecorationColor | undefined;
1463
+ WebkitTextDecorationLine?: csstype.Property.TextDecorationLine | undefined;
1464
+ WebkitTextDecorationSkip?: csstype.Property.TextDecorationSkip | undefined;
1465
+ WebkitTextDecorationStyle?: csstype.Property.TextDecorationStyle | undefined;
1466
+ WebkitTextEmphasisColor?: csstype.Property.TextEmphasisColor | undefined;
1467
+ WebkitTextEmphasisPosition?: csstype.Property.TextEmphasisPosition | undefined;
1468
+ WebkitTextEmphasisStyle?: csstype.Property.TextEmphasisStyle | undefined;
1469
+ WebkitTextFillColor?: csstype.Property.WebkitTextFillColor | undefined;
1470
+ WebkitTextOrientation?: csstype.Property.TextOrientation | undefined;
1471
+ WebkitTextSizeAdjust?: csstype.Property.TextSizeAdjust | undefined;
1472
+ WebkitTextStrokeColor?: csstype.Property.WebkitTextStrokeColor | undefined;
1473
+ WebkitTextStrokeWidth?: csstype.Property.WebkitTextStrokeWidth<string | number> | undefined;
1474
+ WebkitTextUnderlinePosition?: csstype.Property.TextUnderlinePosition | undefined;
1475
+ WebkitTouchCallout?: csstype.Property.WebkitTouchCallout | undefined;
1476
+ WebkitTransform?: csstype.Property.Transform | undefined;
1477
+ WebkitTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
1478
+ WebkitTransformStyle?: csstype.Property.TransformStyle | undefined;
1479
+ WebkitTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
1480
+ WebkitTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
1481
+ WebkitTransitionProperty?: csstype.Property.TransitionProperty | undefined;
1482
+ WebkitTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
1483
+ WebkitUserModify?: csstype.Property.WebkitUserModify | undefined;
1484
+ WebkitUserSelect?: csstype.Property.WebkitUserSelect | undefined;
1485
+ WebkitWritingMode?: csstype.Property.WritingMode | undefined;
1486
+ MozAnimation?: csstype.Property.Animation<string & {}> | undefined;
1487
+ MozBorderImage?: csstype.Property.BorderImage | undefined;
1488
+ MozColumnRule?: csstype.Property.ColumnRule<string | number> | undefined;
1489
+ MozColumns?: csstype.Property.Columns<string | number> | undefined;
1490
+ MozOutlineRadius?: csstype.Property.MozOutlineRadius<string | number> | undefined;
1491
+ MozTransition?: csstype.Property.Transition<string & {}> | undefined;
1492
+ msContentZoomLimit?: csstype.Property.MsContentZoomLimit | undefined;
1493
+ msContentZoomSnap?: csstype.Property.MsContentZoomSnap | undefined;
1494
+ msFlex?: csstype.Property.Flex<string | number> | undefined;
1495
+ msScrollLimit?: csstype.Property.MsScrollLimit | undefined;
1496
+ msScrollSnapX?: csstype.Property.MsScrollSnapX | undefined;
1497
+ msScrollSnapY?: csstype.Property.MsScrollSnapY | undefined;
1498
+ msTransition?: csstype.Property.Transition<string & {}> | undefined;
1499
+ WebkitAnimation?: csstype.Property.Animation<string & {}> | undefined;
1500
+ WebkitBorderBefore?: csstype.Property.WebkitBorderBefore<string | number> | undefined;
1501
+ WebkitBorderImage?: csstype.Property.BorderImage | undefined;
1502
+ WebkitBorderRadius?: csstype.Property.BorderRadius<string | number> | undefined;
1503
+ WebkitColumnRule?: csstype.Property.ColumnRule<string | number> | undefined;
1504
+ WebkitColumns?: csstype.Property.Columns<string | number> | undefined;
1505
+ WebkitFlex?: csstype.Property.Flex<string | number> | undefined;
1506
+ WebkitFlexFlow?: csstype.Property.FlexFlow | undefined;
1507
+ WebkitMask?: csstype.Property.WebkitMask<string | number> | undefined;
1508
+ WebkitMaskBoxImage?: csstype.Property.MaskBorder | undefined;
1509
+ WebkitTextEmphasis?: csstype.Property.TextEmphasis | undefined;
1510
+ WebkitTextStroke?: csstype.Property.WebkitTextStroke<string | number> | undefined;
1511
+ WebkitTransition?: csstype.Property.Transition<string & {}> | undefined;
1512
+ boxAlign?: csstype.Property.BoxAlign | undefined;
1513
+ boxDirection?: csstype.Property.BoxDirection | undefined;
1514
+ boxFlex?: csstype.Property.BoxFlex | undefined;
1515
+ boxFlexGroup?: csstype.Property.BoxFlexGroup | undefined;
1516
+ boxLines?: csstype.Property.BoxLines | undefined;
1517
+ boxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
1518
+ boxOrient?: csstype.Property.BoxOrient | undefined;
1519
+ boxPack?: csstype.Property.BoxPack | undefined;
1520
+ clip?: csstype.Property.Clip | undefined;
1521
+ fontStretch?: csstype.Property.FontStretch | undefined;
1522
+ gridColumnGap?: csstype.Property.GridColumnGap<string | number> | undefined;
1523
+ gridGap?: csstype.Property.GridGap<string | number> | undefined;
1524
+ gridRowGap?: csstype.Property.GridRowGap<string | number> | undefined;
1525
+ imeMode?: csstype.Property.ImeMode | undefined;
1526
+ insetArea?: csstype.Property.PositionArea | undefined;
1527
+ offsetBlock?: csstype.Property.InsetBlock<string | number> | undefined;
1528
+ offsetBlockEnd?: csstype.Property.InsetBlockEnd<string | number> | undefined;
1529
+ offsetBlockStart?: csstype.Property.InsetBlockStart<string | number> | undefined;
1530
+ offsetInline?: csstype.Property.InsetInline<string | number> | undefined;
1531
+ offsetInlineEnd?: csstype.Property.InsetInlineEnd<string | number> | undefined;
1532
+ offsetInlineStart?: csstype.Property.InsetInlineStart<string | number> | undefined;
1533
+ pageBreakAfter?: csstype.Property.PageBreakAfter | undefined;
1534
+ pageBreakBefore?: csstype.Property.PageBreakBefore | undefined;
1535
+ pageBreakInside?: csstype.Property.PageBreakInside | undefined;
1536
+ positionTryOptions?: csstype.Property.PositionTryFallbacks | undefined;
1537
+ scrollSnapCoordinate?: csstype.Property.ScrollSnapCoordinate<string | number> | undefined;
1538
+ scrollSnapDestination?: csstype.Property.ScrollSnapDestination<string | number> | undefined;
1539
+ scrollSnapPointsX?: csstype.Property.ScrollSnapPointsX | undefined;
1540
+ scrollSnapPointsY?: csstype.Property.ScrollSnapPointsY | undefined;
1541
+ scrollSnapTypeX?: csstype.Property.ScrollSnapTypeX | undefined;
1542
+ scrollSnapTypeY?: csstype.Property.ScrollSnapTypeY | undefined;
1543
+ KhtmlBoxAlign?: csstype.Property.BoxAlign | undefined;
1544
+ KhtmlBoxDirection?: csstype.Property.BoxDirection | undefined;
1545
+ KhtmlBoxFlex?: csstype.Property.BoxFlex | undefined;
1546
+ KhtmlBoxFlexGroup?: csstype.Property.BoxFlexGroup | undefined;
1547
+ KhtmlBoxLines?: csstype.Property.BoxLines | undefined;
1548
+ KhtmlBoxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
1549
+ KhtmlBoxOrient?: csstype.Property.BoxOrient | undefined;
1550
+ KhtmlBoxPack?: csstype.Property.BoxPack | undefined;
1551
+ KhtmlLineBreak?: csstype.Property.LineBreak | undefined;
1552
+ KhtmlOpacity?: csstype.Property.Opacity | undefined;
1553
+ KhtmlUserSelect?: csstype.Property.UserSelect | undefined;
1554
+ MozBackgroundClip?: csstype.Property.BackgroundClip | undefined;
1555
+ MozBackgroundOrigin?: csstype.Property.BackgroundOrigin | undefined;
1556
+ MozBackgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
1557
+ MozBorderRadius?: csstype.Property.BorderRadius<string | number> | undefined;
1558
+ MozBorderRadiusBottomleft?: csstype.Property.BorderBottomLeftRadius<string | number> | undefined;
1559
+ MozBorderRadiusBottomright?: csstype.Property.BorderBottomRightRadius<string | number> | undefined;
1560
+ MozBorderRadiusTopleft?: csstype.Property.BorderTopLeftRadius<string | number> | undefined;
1561
+ MozBorderRadiusTopright?: csstype.Property.BorderTopRightRadius<string | number> | undefined;
1562
+ MozBoxAlign?: csstype.Property.BoxAlign | undefined;
1563
+ MozBoxDirection?: csstype.Property.BoxDirection | undefined;
1564
+ MozBoxFlex?: csstype.Property.BoxFlex | undefined;
1565
+ MozBoxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
1566
+ MozBoxOrient?: csstype.Property.BoxOrient | undefined;
1567
+ MozBoxPack?: csstype.Property.BoxPack | undefined;
1568
+ MozBoxShadow?: csstype.Property.BoxShadow | undefined;
1569
+ MozColumnCount?: csstype.Property.ColumnCount | undefined;
1570
+ MozColumnFill?: csstype.Property.ColumnFill | undefined;
1571
+ MozFloatEdge?: csstype.Property.MozFloatEdge | undefined;
1572
+ MozForceBrokenImageIcon?: csstype.Property.MozForceBrokenImageIcon | undefined;
1573
+ MozOpacity?: csstype.Property.Opacity | undefined;
1574
+ MozOutline?: csstype.Property.Outline<string | number> | undefined;
1575
+ MozOutlineColor?: csstype.Property.OutlineColor | undefined;
1576
+ MozOutlineStyle?: csstype.Property.OutlineStyle | undefined;
1577
+ MozOutlineWidth?: csstype.Property.OutlineWidth<string | number> | undefined;
1578
+ MozTextAlignLast?: csstype.Property.TextAlignLast | undefined;
1579
+ MozTextDecorationColor?: csstype.Property.TextDecorationColor | undefined;
1580
+ MozTextDecorationLine?: csstype.Property.TextDecorationLine | undefined;
1581
+ MozTextDecorationStyle?: csstype.Property.TextDecorationStyle | undefined;
1582
+ MozTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
1583
+ MozTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
1584
+ MozTransitionProperty?: csstype.Property.TransitionProperty | undefined;
1585
+ MozTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
1586
+ MozUserFocus?: csstype.Property.MozUserFocus | undefined;
1587
+ MozUserInput?: csstype.Property.MozUserInput | undefined;
1588
+ msImeMode?: csstype.Property.ImeMode | undefined;
1589
+ OAnimation?: csstype.Property.Animation<string & {}> | undefined;
1590
+ OAnimationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
1591
+ OAnimationDirection?: csstype.Property.AnimationDirection | undefined;
1592
+ OAnimationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
1593
+ OAnimationFillMode?: csstype.Property.AnimationFillMode | undefined;
1594
+ OAnimationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
1595
+ OAnimationName?: csstype.Property.AnimationName | undefined;
1596
+ OAnimationPlayState?: csstype.Property.AnimationPlayState | undefined;
1597
+ OAnimationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
1598
+ OBackgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
1599
+ OBorderImage?: csstype.Property.BorderImage | undefined;
1600
+ OObjectFit?: csstype.Property.ObjectFit | undefined;
1601
+ OObjectPosition?: csstype.Property.ObjectPosition<string | number> | undefined;
1602
+ OTabSize?: csstype.Property.TabSize<string | number> | undefined;
1603
+ OTextOverflow?: csstype.Property.TextOverflow | undefined;
1604
+ OTransform?: csstype.Property.Transform | undefined;
1605
+ OTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
1606
+ OTransition?: csstype.Property.Transition<string & {}> | undefined;
1607
+ OTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
1608
+ OTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
1609
+ OTransitionProperty?: csstype.Property.TransitionProperty | undefined;
1610
+ OTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
1611
+ WebkitBoxAlign?: csstype.Property.BoxAlign | undefined;
1612
+ WebkitBoxDirection?: csstype.Property.BoxDirection | undefined;
1613
+ WebkitBoxFlex?: csstype.Property.BoxFlex | undefined;
1614
+ WebkitBoxFlexGroup?: csstype.Property.BoxFlexGroup | undefined;
1615
+ WebkitBoxLines?: csstype.Property.BoxLines | undefined;
1616
+ WebkitBoxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
1617
+ WebkitBoxOrient?: csstype.Property.BoxOrient | undefined;
1618
+ WebkitBoxPack?: csstype.Property.BoxPack | undefined;
1619
+ colorInterpolation?: csstype.Property.ColorInterpolation | undefined;
1620
+ colorRendering?: csstype.Property.ColorRendering | undefined;
1621
+ glyphOrientationVertical?: csstype.Property.GlyphOrientationVertical | undefined;
1622
+ };
1623
+ getConditionalClassName: (row: T, column?: ColumnDef<T> | undefined) => string;
1624
+ };
1625
+ rowGrouping: {
1626
+ enabled: boolean;
1627
+ expandedGroups: Set<string>;
1628
+ isGroupExpanded: (groupKey: string) => boolean;
1629
+ toggleGroup: (groupKey: string) => void;
1630
+ expandAllGroups: () => void;
1631
+ collapseAllGroups: () => void;
1632
+ applyGrouping: (data: T[]) => (T | GroupedRow<T>)[];
1633
+ };
1634
+ treeData: {
1635
+ enabled: boolean;
1636
+ flattenTree: (data: T[]) => FlattenedTreeRow<T>[];
1637
+ toggleNode: (key: string) => void;
1638
+ isNodeExpanded: (key: string) => boolean;
1639
+ expandedNodes: Set<string>;
1640
+ indentSize: number;
1641
+ };
1642
+ presets: {
1643
+ presets: TablePreset[];
1644
+ savePreset: (name: string, config: TablePresetConfig) => TablePreset;
1645
+ loadPreset: (name: string) => TablePresetConfig | null;
1646
+ loadPresetById: (id: string) => TablePresetConfig | null;
1647
+ updatePreset: (id: string, config: Partial<TablePresetConfig>) => void;
1648
+ deletePreset: (id: string) => void;
1649
+ renamePreset: (id: string, name: string) => void;
1650
+ clearAllPresets: () => void;
1651
+ };
1652
+ chartConfig: {
1653
+ charts: ChartInstance[];
1654
+ addChart: (config: ChartConfig) => ChartInstance;
1655
+ updateChart: (id: string, config: Partial<ChartConfig>) => void;
1656
+ removeChart: (id: string) => void;
1657
+ clearCharts: () => void;
1658
+ builderOpen: boolean;
1659
+ openBuilder: (chartId?: string) => void;
1660
+ closeBuilder: () => void;
1661
+ editingChart: ChartInstance | null;
1662
+ editingChartId: string | null;
1663
+ };
1664
+ virtualization: {
1665
+ enabled: boolean;
1666
+ containerRef: React$1.RefObject<HTMLDivElement>;
1667
+ handleScroll: () => void;
1668
+ virtualRange: VirtualRange;
1669
+ getVirtualItems: <T_1>(data: T_1[]) => T_1[];
1670
+ rowHeight: number;
1671
+ spacerStyle: {
1672
+ height: number;
1673
+ position: "relative";
1674
+ } | undefined;
1675
+ offsetStyle: {
1676
+ transform: string;
1677
+ } | undefined;
1678
+ };
1679
+ pinnedTopRows: T[];
1680
+ pinnedBottomRows: T[];
1681
+ unpinnedData: T[];
1682
+ pinRow: (rowKey: string, position: "top" | "bottom" | null) => void;
1683
+ getKey: (row: T, index: number) => string;
1684
+ getCurrentPresetConfig: () => TablePresetConfig;
1685
+ applyPreset: (id: string) => void;
1686
+ plugins: DataTablePlugin<T>[];
1687
+ };
1688
+ type UseDataTableReturn<T = any> = ReturnType<typeof useDataTable<T>>;
1689
+
1690
+ interface UseSortingOptions<T> {
1691
+ config?: SortConfig;
1692
+ columns: ColumnDef<T>[];
1693
+ }
1694
+ declare function useSorting<T>({ config, columns }: UseSortingOptions<T>): {
1695
+ sorting: SortState[];
1696
+ toggleSort: (columnId: string) => void;
1697
+ getSortDirection: (columnId: string) => "asc" | "desc" | null;
1698
+ setSorting: (next: SortState[]) => void;
1699
+ applySorting: (data: T[]) => T[];
1700
+ };
1701
+
1702
+ interface UseFiltersOptions<T> {
1703
+ config?: FilterConfig;
1704
+ columns: ColumnDef<T>[];
1705
+ }
1706
+ declare function useFilters<T>({ config, columns }: UseFiltersOptions<T>): {
1707
+ filters: FilterValue[];
1708
+ globalSearch: string;
1709
+ setFilter: (columnId: string, value: any, operator?: FilterValue["operator"]) => void;
1710
+ setFilters: (next: FilterValue[]) => void;
1711
+ clearFilters: () => void;
1712
+ setGlobalSearch: (value: string) => void;
1713
+ getFilterValue: (columnId: string) => any;
1714
+ applyFilters: (data: T[]) => T[];
1715
+ presets: FilterPreset[];
1716
+ savePreset: (name: string) => FilterPreset;
1717
+ loadPreset: (preset: FilterPreset) => void;
1718
+ deletePreset: (presetId: string) => void;
1719
+ };
1720
+
1721
+ interface UsePaginationOptions {
1722
+ config?: PaginationConfig;
1723
+ totalItems: number;
1724
+ }
1725
+ declare function usePagination({ config, totalItems }: UsePaginationOptions): {
1726
+ page: number;
1727
+ pageSize: number;
1728
+ totalPages: number;
1729
+ totalItems: number;
1730
+ pageSizeOptions: number[];
1731
+ setPage: (p: number) => void;
1732
+ setPageSize: (size: number) => void;
1733
+ applyPagination: <T>(data: T[]) => T[];
1734
+ isInfinite: boolean;
1735
+ hasMore: boolean;
1736
+ onLoadMore: (() => void) | undefined;
1737
+ };
1738
+
1739
+ interface UseSelectionOptions<T> {
1740
+ config?: SelectionConfig<T>;
1741
+ data: T[];
1742
+ }
1743
+ declare function useSelection<T>({ config, data }: UseSelectionOptions<T>): {
1744
+ mode: SelectionMode;
1745
+ selectedKeys: string[];
1746
+ selectedRows: T[];
1747
+ toggleRow: (rowKey: string) => void;
1748
+ selectRange: (targetKey: string, pageData: T[]) => void;
1749
+ toggleAll: (pageData: T[]) => void;
1750
+ isSelected: (rowKey: string) => boolean;
1751
+ isAllSelected: (pageData: T[]) => boolean;
1752
+ isSomeSelected: (pageData: T[]) => boolean;
1753
+ clearSelection: () => void;
1754
+ getKey: (row: T, index: number) => string;
1755
+ showCheckbox: boolean;
1756
+ };
1757
+
1758
+ interface UseColumnManagerOptions<T> {
1759
+ columns: ColumnDef<T>[];
1760
+ enableVisibility?: boolean;
1761
+ enableResizing?: boolean;
1762
+ enableReordering?: boolean;
1763
+ }
1764
+ declare function useColumnManager<T>({ columns, enableVisibility, enableResizing, enableReordering, }: UseColumnManagerOptions<T>): {
1765
+ visibleColumns: ColumnDef<T>[];
1766
+ pinnedLeft: ColumnDef<T>[];
1767
+ pinnedRight: ColumnDef<T>[];
1768
+ unpinned: ColumnDef<T>[];
1769
+ hiddenColumns: Set<string>;
1770
+ columnOrder: string[];
1771
+ columnWidths: Record<string, number>;
1772
+ toggleColumnVisibility: (columnId: string) => void;
1773
+ reorderColumns: (fromIndex: number, toIndex: number) => void;
1774
+ reorderColumnsById: (fromId: string, toId: string) => void;
1775
+ resizeColumn: (columnId: string, width: number) => void;
1776
+ setHiddenColumnIds: (ids: string[]) => void;
1777
+ setColumnOrderIds: (ids: string[]) => void;
1778
+ setColumnWidthMap: (widths: Record<string, number>) => void;
1779
+ enableVisibility: boolean;
1780
+ enableResizing: boolean;
1781
+ enableReordering: boolean;
1782
+ allColumns: ColumnDef<T>[];
1783
+ };
1784
+
1785
+ interface PersistableState {
1786
+ sorting: SortState[];
1787
+ filters: FilterValue[];
1788
+ globalSearch: string;
1789
+ page: number;
1790
+ pageSize: number;
1791
+ viewMode: ViewMode;
1792
+ hiddenColumns: Set<string>;
1793
+ columnOrder: string[];
1794
+ }
1795
+ interface UsePersistenceOptions {
1796
+ persistKey?: string;
1797
+ syncUrl?: boolean;
1798
+ state: PersistableState;
1799
+ onRestore?: (state: Partial<PersistableState>) => void;
1800
+ }
1801
+ declare function usePersistence({ persistKey, syncUrl, state, onRestore }: UsePersistenceOptions): {
1802
+ saveToStorage: () => void;
1803
+ loadFromStorage: () => Partial<PersistableState> | null;
1804
+ syncToUrl: () => void;
1805
+ loadFromUrl: () => Partial<PersistableState> | null;
1806
+ };
1807
+
1808
+ interface UsePresetsOptions {
1809
+ /** Unique key per table instance */
1810
+ tableId: string;
1811
+ }
1812
+ /**
1813
+ * Hook for managing table presets with localStorage persistence.
1814
+ *
1815
+ * Provides save/load/update/delete operations for table configuration presets.
1816
+ * Each preset stores column order, visibility, widths, sorting, filters, etc.
1817
+ */
1818
+ declare function usePresets({ tableId }: UsePresetsOptions): {
1819
+ presets: TablePreset[];
1820
+ savePreset: (name: string, config: TablePresetConfig) => TablePreset;
1821
+ loadPreset: (name: string) => TablePresetConfig | null;
1822
+ loadPresetById: (id: string) => TablePresetConfig | null;
1823
+ updatePreset: (id: string, config: Partial<TablePresetConfig>) => void;
1824
+ deletePreset: (id: string) => void;
1825
+ renamePreset: (id: string, name: string) => void;
1826
+ clearAllPresets: () => void;
1827
+ };
1828
+
1829
+ interface UseThemeOptions {
1830
+ themeConfig?: TableThemeConfig;
1831
+ /** Persist theme name to localStorage under this key */
1832
+ persistKey?: string;
1833
+ }
1834
+ /**
1835
+ * Resolves theme styles for DataTable elements.
1836
+ * Supports conditional formatting, row rules, tooltips, and theme switching.
1837
+ */
1838
+ declare function useTheme<T>({ themeConfig, persistKey }: UseThemeOptions): {
1839
+ themeConfig: TableThemeConfig;
1840
+ activeThemeName: string;
1841
+ switchTheme: (name: string) => void;
1842
+ cssVarStyle: React$1.CSSProperties | undefined;
1843
+ headerStyle: React$1.CSSProperties;
1844
+ toolbarStyle: React$1.CSSProperties | undefined;
1845
+ paginationStyle: React$1.CSSProperties | undefined;
1846
+ tooltipStyle: React$1.CSSProperties | undefined;
1847
+ getRowStyle: (row: T, rowIndex: number, isSelected: boolean, isStriped: boolean) => React$1.CSSProperties;
1848
+ getCellStyle: (row: T, column: ColumnDef<T>, value?: unknown) => React$1.CSSProperties;
1849
+ getHeaderStyle: (_column?: ColumnDef<T>) => {
1850
+ accentColor?: csstype.Property.AccentColor | undefined;
1851
+ alignContent?: csstype.Property.AlignContent | undefined;
1852
+ alignItems?: csstype.Property.AlignItems | undefined;
1853
+ alignSelf?: csstype.Property.AlignSelf | undefined;
1854
+ alignTracks?: csstype.Property.AlignTracks | undefined;
1855
+ alignmentBaseline?: csstype.Property.AlignmentBaseline | undefined;
1856
+ anchorName?: csstype.Property.AnchorName | undefined;
1857
+ anchorScope?: csstype.Property.AnchorScope | undefined;
1858
+ animationComposition?: csstype.Property.AnimationComposition | undefined;
1859
+ animationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
1860
+ animationDirection?: csstype.Property.AnimationDirection | undefined;
1861
+ animationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
1862
+ animationFillMode?: csstype.Property.AnimationFillMode | undefined;
1863
+ animationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
1864
+ animationName?: csstype.Property.AnimationName | undefined;
1865
+ animationPlayState?: csstype.Property.AnimationPlayState | undefined;
1866
+ animationRangeEnd?: csstype.Property.AnimationRangeEnd<string | number> | undefined;
1867
+ animationRangeStart?: csstype.Property.AnimationRangeStart<string | number> | undefined;
1868
+ animationTimeline?: csstype.Property.AnimationTimeline | undefined;
1869
+ animationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
1870
+ appearance?: csstype.Property.Appearance | undefined;
1871
+ aspectRatio?: csstype.Property.AspectRatio | undefined;
1872
+ backdropFilter?: csstype.Property.BackdropFilter | undefined;
1873
+ backfaceVisibility?: csstype.Property.BackfaceVisibility | undefined;
1874
+ backgroundAttachment?: csstype.Property.BackgroundAttachment | undefined;
1875
+ backgroundBlendMode?: csstype.Property.BackgroundBlendMode | undefined;
1876
+ backgroundClip?: csstype.Property.BackgroundClip | undefined;
1877
+ backgroundColor?: csstype.Property.BackgroundColor | undefined;
1878
+ backgroundImage?: csstype.Property.BackgroundImage | undefined;
1879
+ backgroundOrigin?: csstype.Property.BackgroundOrigin | undefined;
1880
+ backgroundPositionX?: csstype.Property.BackgroundPositionX<string | number> | undefined;
1881
+ backgroundPositionY?: csstype.Property.BackgroundPositionY<string | number> | undefined;
1882
+ backgroundRepeat?: csstype.Property.BackgroundRepeat | undefined;
1883
+ backgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
1884
+ baselineShift?: csstype.Property.BaselineShift<string | number> | undefined;
1885
+ blockSize?: csstype.Property.BlockSize<string | number> | undefined;
1886
+ borderBlockEndColor?: csstype.Property.BorderBlockEndColor | undefined;
1887
+ borderBlockEndStyle?: csstype.Property.BorderBlockEndStyle | undefined;
1888
+ borderBlockEndWidth?: csstype.Property.BorderBlockEndWidth<string | number> | undefined;
1889
+ borderBlockStartColor?: csstype.Property.BorderBlockStartColor | undefined;
1890
+ borderBlockStartStyle?: csstype.Property.BorderBlockStartStyle | undefined;
1891
+ borderBlockStartWidth?: csstype.Property.BorderBlockStartWidth<string | number> | undefined;
1892
+ borderBottomColor?: csstype.Property.BorderBottomColor | undefined;
1893
+ borderBottomLeftRadius?: csstype.Property.BorderBottomLeftRadius<string | number> | undefined;
1894
+ borderBottomRightRadius?: csstype.Property.BorderBottomRightRadius<string | number> | undefined;
1895
+ borderBottomStyle?: csstype.Property.BorderBottomStyle | undefined;
1896
+ borderBottomWidth?: csstype.Property.BorderBottomWidth<string | number> | undefined;
1897
+ borderCollapse?: csstype.Property.BorderCollapse | undefined;
1898
+ borderEndEndRadius?: csstype.Property.BorderEndEndRadius<string | number> | undefined;
1899
+ borderEndStartRadius?: csstype.Property.BorderEndStartRadius<string | number> | undefined;
1900
+ borderImageOutset?: csstype.Property.BorderImageOutset<string | number> | undefined;
1901
+ borderImageRepeat?: csstype.Property.BorderImageRepeat | undefined;
1902
+ borderImageSlice?: csstype.Property.BorderImageSlice | undefined;
1903
+ borderImageSource?: csstype.Property.BorderImageSource | undefined;
1904
+ borderImageWidth?: csstype.Property.BorderImageWidth<string | number> | undefined;
1905
+ borderInlineEndColor?: csstype.Property.BorderInlineEndColor | undefined;
1906
+ borderInlineEndStyle?: csstype.Property.BorderInlineEndStyle | undefined;
1907
+ borderInlineEndWidth?: csstype.Property.BorderInlineEndWidth<string | number> | undefined;
1908
+ borderInlineStartColor?: csstype.Property.BorderInlineStartColor | undefined;
1909
+ borderInlineStartStyle?: csstype.Property.BorderInlineStartStyle | undefined;
1910
+ borderInlineStartWidth?: csstype.Property.BorderInlineStartWidth<string | number> | undefined;
1911
+ borderLeftColor?: csstype.Property.BorderLeftColor | undefined;
1912
+ borderLeftStyle?: csstype.Property.BorderLeftStyle | undefined;
1913
+ borderLeftWidth?: csstype.Property.BorderLeftWidth<string | number> | undefined;
1914
+ borderRightColor?: csstype.Property.BorderRightColor | undefined;
1915
+ borderRightStyle?: csstype.Property.BorderRightStyle | undefined;
1916
+ borderRightWidth?: csstype.Property.BorderRightWidth<string | number> | undefined;
1917
+ borderSpacing?: csstype.Property.BorderSpacing<string | number> | undefined;
1918
+ borderStartEndRadius?: csstype.Property.BorderStartEndRadius<string | number> | undefined;
1919
+ borderStartStartRadius?: csstype.Property.BorderStartStartRadius<string | number> | undefined;
1920
+ borderTopColor?: csstype.Property.BorderTopColor | undefined;
1921
+ borderTopLeftRadius?: csstype.Property.BorderTopLeftRadius<string | number> | undefined;
1922
+ borderTopRightRadius?: csstype.Property.BorderTopRightRadius<string | number> | undefined;
1923
+ borderTopStyle?: csstype.Property.BorderTopStyle | undefined;
1924
+ borderTopWidth?: csstype.Property.BorderTopWidth<string | number> | undefined;
1925
+ bottom?: csstype.Property.Bottom<string | number> | undefined;
1926
+ boxDecorationBreak?: csstype.Property.BoxDecorationBreak | undefined;
1927
+ boxShadow?: csstype.Property.BoxShadow | undefined;
1928
+ boxSizing?: csstype.Property.BoxSizing | undefined;
1929
+ breakAfter?: csstype.Property.BreakAfter | undefined;
1930
+ breakBefore?: csstype.Property.BreakBefore | undefined;
1931
+ breakInside?: csstype.Property.BreakInside | undefined;
1932
+ captionSide?: csstype.Property.CaptionSide | undefined;
1933
+ caretColor?: csstype.Property.CaretColor | undefined;
1934
+ caretShape?: csstype.Property.CaretShape | undefined;
1935
+ clear?: csstype.Property.Clear | undefined;
1936
+ clipPath?: csstype.Property.ClipPath | undefined;
1937
+ clipRule?: csstype.Property.ClipRule | undefined;
1938
+ color?: csstype.Property.Color | undefined;
1939
+ colorAdjust?: csstype.Property.PrintColorAdjust | undefined;
1940
+ colorInterpolationFilters?: csstype.Property.ColorInterpolationFilters | undefined;
1941
+ colorScheme?: csstype.Property.ColorScheme | undefined;
1942
+ columnCount?: csstype.Property.ColumnCount | undefined;
1943
+ columnFill?: csstype.Property.ColumnFill | undefined;
1944
+ columnGap?: csstype.Property.ColumnGap<string | number> | undefined;
1945
+ columnRuleColor?: csstype.Property.ColumnRuleColor | undefined;
1946
+ columnRuleStyle?: csstype.Property.ColumnRuleStyle | undefined;
1947
+ columnRuleWidth?: csstype.Property.ColumnRuleWidth<string | number> | undefined;
1948
+ columnSpan?: csstype.Property.ColumnSpan | undefined;
1949
+ columnWidth?: csstype.Property.ColumnWidth<string | number> | undefined;
1950
+ contain?: csstype.Property.Contain | undefined;
1951
+ containIntrinsicBlockSize?: csstype.Property.ContainIntrinsicBlockSize<string | number> | undefined;
1952
+ containIntrinsicHeight?: csstype.Property.ContainIntrinsicHeight<string | number> | undefined;
1953
+ containIntrinsicInlineSize?: csstype.Property.ContainIntrinsicInlineSize<string | number> | undefined;
1954
+ containIntrinsicWidth?: csstype.Property.ContainIntrinsicWidth<string | number> | undefined;
1955
+ containerName?: csstype.Property.ContainerName | undefined;
1956
+ containerType?: csstype.Property.ContainerType | undefined;
1957
+ content?: csstype.Property.Content | undefined;
1958
+ contentVisibility?: csstype.Property.ContentVisibility | undefined;
1959
+ counterIncrement?: csstype.Property.CounterIncrement | undefined;
1960
+ counterReset?: csstype.Property.CounterReset | undefined;
1961
+ counterSet?: csstype.Property.CounterSet | undefined;
1962
+ cursor?: csstype.Property.Cursor | undefined;
1963
+ cx?: csstype.Property.Cx<string | number> | undefined;
1964
+ cy?: csstype.Property.Cy<string | number> | undefined;
1965
+ d?: csstype.Property.D | undefined;
1966
+ direction?: csstype.Property.Direction | undefined;
1967
+ display?: csstype.Property.Display | undefined;
1968
+ dominantBaseline?: csstype.Property.DominantBaseline | undefined;
1969
+ emptyCells?: csstype.Property.EmptyCells | undefined;
1970
+ fieldSizing?: csstype.Property.FieldSizing | undefined;
1971
+ fill?: csstype.Property.Fill | undefined;
1972
+ fillOpacity?: csstype.Property.FillOpacity | undefined;
1973
+ fillRule?: csstype.Property.FillRule | undefined;
1974
+ filter?: csstype.Property.Filter | undefined;
1975
+ flexBasis?: csstype.Property.FlexBasis<string | number> | undefined;
1976
+ flexDirection?: csstype.Property.FlexDirection | undefined;
1977
+ flexGrow?: csstype.Property.FlexGrow | undefined;
1978
+ flexShrink?: csstype.Property.FlexShrink | undefined;
1979
+ flexWrap?: csstype.Property.FlexWrap | undefined;
1980
+ float?: csstype.Property.Float | undefined;
1981
+ floodColor?: csstype.Property.FloodColor | undefined;
1982
+ floodOpacity?: csstype.Property.FloodOpacity | undefined;
1983
+ fontFamily?: csstype.Property.FontFamily | undefined;
1984
+ fontFeatureSettings?: csstype.Property.FontFeatureSettings | undefined;
1985
+ fontKerning?: csstype.Property.FontKerning | undefined;
1986
+ fontLanguageOverride?: csstype.Property.FontLanguageOverride | undefined;
1987
+ fontOpticalSizing?: csstype.Property.FontOpticalSizing | undefined;
1988
+ fontPalette?: csstype.Property.FontPalette | undefined;
1989
+ fontSize?: csstype.Property.FontSize<string | number> | undefined;
1990
+ fontSizeAdjust?: csstype.Property.FontSizeAdjust | undefined;
1991
+ fontSmooth?: csstype.Property.FontSmooth<string | number> | undefined;
1992
+ fontStyle?: csstype.Property.FontStyle | undefined;
1993
+ fontSynthesis?: csstype.Property.FontSynthesis | undefined;
1994
+ fontSynthesisPosition?: csstype.Property.FontSynthesisPosition | undefined;
1995
+ fontSynthesisSmallCaps?: csstype.Property.FontSynthesisSmallCaps | undefined;
1996
+ fontSynthesisStyle?: csstype.Property.FontSynthesisStyle | undefined;
1997
+ fontSynthesisWeight?: csstype.Property.FontSynthesisWeight | undefined;
1998
+ fontVariant?: csstype.Property.FontVariant | undefined;
1999
+ fontVariantAlternates?: csstype.Property.FontVariantAlternates | undefined;
2000
+ fontVariantCaps?: csstype.Property.FontVariantCaps | undefined;
2001
+ fontVariantEastAsian?: csstype.Property.FontVariantEastAsian | undefined;
2002
+ fontVariantEmoji?: csstype.Property.FontVariantEmoji | undefined;
2003
+ fontVariantLigatures?: csstype.Property.FontVariantLigatures | undefined;
2004
+ fontVariantNumeric?: csstype.Property.FontVariantNumeric | undefined;
2005
+ fontVariantPosition?: csstype.Property.FontVariantPosition | undefined;
2006
+ fontVariationSettings?: csstype.Property.FontVariationSettings | undefined;
2007
+ fontWeight?: csstype.Property.FontWeight | undefined;
2008
+ fontWidth?: csstype.Property.FontWidth | undefined;
2009
+ forcedColorAdjust?: csstype.Property.ForcedColorAdjust | undefined;
2010
+ gridAutoColumns?: csstype.Property.GridAutoColumns<string | number> | undefined;
2011
+ gridAutoFlow?: csstype.Property.GridAutoFlow | undefined;
2012
+ gridAutoRows?: csstype.Property.GridAutoRows<string | number> | undefined;
2013
+ gridColumnEnd?: csstype.Property.GridColumnEnd | undefined;
2014
+ gridColumnStart?: csstype.Property.GridColumnStart | undefined;
2015
+ gridRowEnd?: csstype.Property.GridRowEnd | undefined;
2016
+ gridRowStart?: csstype.Property.GridRowStart | undefined;
2017
+ gridTemplateAreas?: csstype.Property.GridTemplateAreas | undefined;
2018
+ gridTemplateColumns?: csstype.Property.GridTemplateColumns<string | number> | undefined;
2019
+ gridTemplateRows?: csstype.Property.GridTemplateRows<string | number> | undefined;
2020
+ hangingPunctuation?: csstype.Property.HangingPunctuation | undefined;
2021
+ height?: csstype.Property.Height<string | number> | undefined;
2022
+ hyphenateCharacter?: csstype.Property.HyphenateCharacter | undefined;
2023
+ hyphenateLimitChars?: csstype.Property.HyphenateLimitChars | undefined;
2024
+ hyphens?: csstype.Property.Hyphens | undefined;
2025
+ imageOrientation?: csstype.Property.ImageOrientation | undefined;
2026
+ imageRendering?: csstype.Property.ImageRendering | undefined;
2027
+ imageResolution?: csstype.Property.ImageResolution | undefined;
2028
+ initialLetter?: csstype.Property.InitialLetter | undefined;
2029
+ initialLetterAlign?: csstype.Property.InitialLetterAlign | undefined;
2030
+ inlineSize?: csstype.Property.InlineSize<string | number> | undefined;
2031
+ insetBlockEnd?: csstype.Property.InsetBlockEnd<string | number> | undefined;
2032
+ insetBlockStart?: csstype.Property.InsetBlockStart<string | number> | undefined;
2033
+ insetInlineEnd?: csstype.Property.InsetInlineEnd<string | number> | undefined;
2034
+ insetInlineStart?: csstype.Property.InsetInlineStart<string | number> | undefined;
2035
+ interpolateSize?: csstype.Property.InterpolateSize | undefined;
2036
+ isolation?: csstype.Property.Isolation | undefined;
2037
+ justifyContent?: csstype.Property.JustifyContent | undefined;
2038
+ justifyItems?: csstype.Property.JustifyItems | undefined;
2039
+ justifySelf?: csstype.Property.JustifySelf | undefined;
2040
+ justifyTracks?: csstype.Property.JustifyTracks | undefined;
2041
+ left?: csstype.Property.Left<string | number> | undefined;
2042
+ letterSpacing?: csstype.Property.LetterSpacing<string | number> | undefined;
2043
+ lightingColor?: csstype.Property.LightingColor | undefined;
2044
+ lineBreak?: csstype.Property.LineBreak | undefined;
2045
+ lineHeight?: csstype.Property.LineHeight<string | number> | undefined;
2046
+ lineHeightStep?: csstype.Property.LineHeightStep<string | number> | undefined;
2047
+ listStyleImage?: csstype.Property.ListStyleImage | undefined;
2048
+ listStylePosition?: csstype.Property.ListStylePosition | undefined;
2049
+ listStyleType?: csstype.Property.ListStyleType | undefined;
2050
+ marginBlockEnd?: csstype.Property.MarginBlockEnd<string | number> | undefined;
2051
+ marginBlockStart?: csstype.Property.MarginBlockStart<string | number> | undefined;
2052
+ marginBottom?: csstype.Property.MarginBottom<string | number> | undefined;
2053
+ marginInlineEnd?: csstype.Property.MarginInlineEnd<string | number> | undefined;
2054
+ marginInlineStart?: csstype.Property.MarginInlineStart<string | number> | undefined;
2055
+ marginLeft?: csstype.Property.MarginLeft<string | number> | undefined;
2056
+ marginRight?: csstype.Property.MarginRight<string | number> | undefined;
2057
+ marginTop?: csstype.Property.MarginTop<string | number> | undefined;
2058
+ marginTrim?: csstype.Property.MarginTrim | undefined;
2059
+ marker?: csstype.Property.Marker | undefined;
2060
+ markerEnd?: csstype.Property.MarkerEnd | undefined;
2061
+ markerMid?: csstype.Property.MarkerMid | undefined;
2062
+ markerStart?: csstype.Property.MarkerStart | undefined;
2063
+ maskBorderMode?: csstype.Property.MaskBorderMode | undefined;
2064
+ maskBorderOutset?: csstype.Property.MaskBorderOutset<string | number> | undefined;
2065
+ maskBorderRepeat?: csstype.Property.MaskBorderRepeat | undefined;
2066
+ maskBorderSlice?: csstype.Property.MaskBorderSlice | undefined;
2067
+ maskBorderSource?: csstype.Property.MaskBorderSource | undefined;
2068
+ maskBorderWidth?: csstype.Property.MaskBorderWidth<string | number> | undefined;
2069
+ maskClip?: csstype.Property.MaskClip | undefined;
2070
+ maskComposite?: csstype.Property.MaskComposite | undefined;
2071
+ maskImage?: csstype.Property.MaskImage | undefined;
2072
+ maskMode?: csstype.Property.MaskMode | undefined;
2073
+ maskOrigin?: csstype.Property.MaskOrigin | undefined;
2074
+ maskPosition?: csstype.Property.MaskPosition<string | number> | undefined;
2075
+ maskRepeat?: csstype.Property.MaskRepeat | undefined;
2076
+ maskSize?: csstype.Property.MaskSize<string | number> | undefined;
2077
+ maskType?: csstype.Property.MaskType | undefined;
2078
+ masonryAutoFlow?: csstype.Property.MasonryAutoFlow | undefined;
2079
+ mathDepth?: csstype.Property.MathDepth | undefined;
2080
+ mathShift?: csstype.Property.MathShift | undefined;
2081
+ mathStyle?: csstype.Property.MathStyle | undefined;
2082
+ maxBlockSize?: csstype.Property.MaxBlockSize<string | number> | undefined;
2083
+ maxHeight?: csstype.Property.MaxHeight<string | number> | undefined;
2084
+ maxInlineSize?: csstype.Property.MaxInlineSize<string | number> | undefined;
2085
+ maxLines?: csstype.Property.MaxLines | undefined;
2086
+ maxWidth?: csstype.Property.MaxWidth<string | number> | undefined;
2087
+ minBlockSize?: csstype.Property.MinBlockSize<string | number> | undefined;
2088
+ minHeight?: csstype.Property.MinHeight<string | number> | undefined;
2089
+ minInlineSize?: csstype.Property.MinInlineSize<string | number> | undefined;
2090
+ minWidth?: csstype.Property.MinWidth<string | number> | undefined;
2091
+ mixBlendMode?: csstype.Property.MixBlendMode | undefined;
2092
+ motionDistance?: csstype.Property.OffsetDistance<string | number> | undefined;
2093
+ motionPath?: csstype.Property.OffsetPath | undefined;
2094
+ motionRotation?: csstype.Property.OffsetRotate | undefined;
2095
+ objectFit?: csstype.Property.ObjectFit | undefined;
2096
+ objectPosition?: csstype.Property.ObjectPosition<string | number> | undefined;
2097
+ objectViewBox?: csstype.Property.ObjectViewBox | undefined;
2098
+ offsetAnchor?: csstype.Property.OffsetAnchor<string | number> | undefined;
2099
+ offsetDistance?: csstype.Property.OffsetDistance<string | number> | undefined;
2100
+ offsetPath?: csstype.Property.OffsetPath | undefined;
2101
+ offsetPosition?: csstype.Property.OffsetPosition<string | number> | undefined;
2102
+ offsetRotate?: csstype.Property.OffsetRotate | undefined;
2103
+ offsetRotation?: csstype.Property.OffsetRotate | undefined;
2104
+ opacity?: csstype.Property.Opacity | undefined;
2105
+ order?: csstype.Property.Order | undefined;
2106
+ orphans?: csstype.Property.Orphans | undefined;
2107
+ outlineColor?: csstype.Property.OutlineColor | undefined;
2108
+ outlineOffset?: csstype.Property.OutlineOffset<string | number> | undefined;
2109
+ outlineStyle?: csstype.Property.OutlineStyle | undefined;
2110
+ outlineWidth?: csstype.Property.OutlineWidth<string | number> | undefined;
2111
+ overflowAnchor?: csstype.Property.OverflowAnchor | undefined;
2112
+ overflowBlock?: csstype.Property.OverflowBlock | undefined;
2113
+ overflowClipBox?: csstype.Property.OverflowClipBox | undefined;
2114
+ overflowClipMargin?: csstype.Property.OverflowClipMargin<string | number> | undefined;
2115
+ overflowInline?: csstype.Property.OverflowInline | undefined;
2116
+ overflowWrap?: csstype.Property.OverflowWrap | undefined;
2117
+ overflowX?: csstype.Property.OverflowX | undefined;
2118
+ overflowY?: csstype.Property.OverflowY | undefined;
2119
+ overlay?: csstype.Property.Overlay | undefined;
2120
+ overscrollBehaviorBlock?: csstype.Property.OverscrollBehaviorBlock | undefined;
2121
+ overscrollBehaviorInline?: csstype.Property.OverscrollBehaviorInline | undefined;
2122
+ overscrollBehaviorX?: csstype.Property.OverscrollBehaviorX | undefined;
2123
+ overscrollBehaviorY?: csstype.Property.OverscrollBehaviorY | undefined;
2124
+ paddingBlockEnd?: csstype.Property.PaddingBlockEnd<string | number> | undefined;
2125
+ paddingBlockStart?: csstype.Property.PaddingBlockStart<string | number> | undefined;
2126
+ paddingBottom?: csstype.Property.PaddingBottom<string | number> | undefined;
2127
+ paddingInlineEnd?: csstype.Property.PaddingInlineEnd<string | number> | undefined;
2128
+ paddingInlineStart?: csstype.Property.PaddingInlineStart<string | number> | undefined;
2129
+ paddingLeft?: csstype.Property.PaddingLeft<string | number> | undefined;
2130
+ paddingRight?: csstype.Property.PaddingRight<string | number> | undefined;
2131
+ paddingTop?: csstype.Property.PaddingTop<string | number> | undefined;
2132
+ page?: csstype.Property.Page | undefined;
2133
+ paintOrder?: csstype.Property.PaintOrder | undefined;
2134
+ perspective?: csstype.Property.Perspective<string | number> | undefined;
2135
+ perspectiveOrigin?: csstype.Property.PerspectiveOrigin<string | number> | undefined;
2136
+ pointerEvents?: csstype.Property.PointerEvents | undefined;
2137
+ position?: csstype.Property.Position | undefined;
2138
+ positionAnchor?: csstype.Property.PositionAnchor | undefined;
2139
+ positionArea?: csstype.Property.PositionArea | undefined;
2140
+ positionTryFallbacks?: csstype.Property.PositionTryFallbacks | undefined;
2141
+ positionTryOrder?: csstype.Property.PositionTryOrder | undefined;
2142
+ positionVisibility?: csstype.Property.PositionVisibility | undefined;
2143
+ printColorAdjust?: csstype.Property.PrintColorAdjust | undefined;
2144
+ quotes?: csstype.Property.Quotes | undefined;
2145
+ r?: csstype.Property.R<string | number> | undefined;
2146
+ resize?: csstype.Property.Resize | undefined;
2147
+ right?: csstype.Property.Right<string | number> | undefined;
2148
+ rotate?: csstype.Property.Rotate | undefined;
2149
+ rowGap?: csstype.Property.RowGap<string | number> | undefined;
2150
+ rubyAlign?: csstype.Property.RubyAlign | undefined;
2151
+ rubyMerge?: csstype.Property.RubyMerge | undefined;
2152
+ rubyOverhang?: csstype.Property.RubyOverhang | undefined;
2153
+ rubyPosition?: csstype.Property.RubyPosition | undefined;
2154
+ rx?: csstype.Property.Rx<string | number> | undefined;
2155
+ ry?: csstype.Property.Ry<string | number> | undefined;
2156
+ scale?: csstype.Property.Scale | undefined;
2157
+ scrollBehavior?: csstype.Property.ScrollBehavior | undefined;
2158
+ scrollInitialTarget?: csstype.Property.ScrollInitialTarget | undefined;
2159
+ scrollMarginBlockEnd?: csstype.Property.ScrollMarginBlockEnd<string | number> | undefined;
2160
+ scrollMarginBlockStart?: csstype.Property.ScrollMarginBlockStart<string | number> | undefined;
2161
+ scrollMarginBottom?: csstype.Property.ScrollMarginBottom<string | number> | undefined;
2162
+ scrollMarginInlineEnd?: csstype.Property.ScrollMarginInlineEnd<string | number> | undefined;
2163
+ scrollMarginInlineStart?: csstype.Property.ScrollMarginInlineStart<string | number> | undefined;
2164
+ scrollMarginLeft?: csstype.Property.ScrollMarginLeft<string | number> | undefined;
2165
+ scrollMarginRight?: csstype.Property.ScrollMarginRight<string | number> | undefined;
2166
+ scrollMarginTop?: csstype.Property.ScrollMarginTop<string | number> | undefined;
2167
+ scrollPaddingBlockEnd?: csstype.Property.ScrollPaddingBlockEnd<string | number> | undefined;
2168
+ scrollPaddingBlockStart?: csstype.Property.ScrollPaddingBlockStart<string | number> | undefined;
2169
+ scrollPaddingBottom?: csstype.Property.ScrollPaddingBottom<string | number> | undefined;
2170
+ scrollPaddingInlineEnd?: csstype.Property.ScrollPaddingInlineEnd<string | number> | undefined;
2171
+ scrollPaddingInlineStart?: csstype.Property.ScrollPaddingInlineStart<string | number> | undefined;
2172
+ scrollPaddingLeft?: csstype.Property.ScrollPaddingLeft<string | number> | undefined;
2173
+ scrollPaddingRight?: csstype.Property.ScrollPaddingRight<string | number> | undefined;
2174
+ scrollPaddingTop?: csstype.Property.ScrollPaddingTop<string | number> | undefined;
2175
+ scrollSnapAlign?: csstype.Property.ScrollSnapAlign | undefined;
2176
+ scrollSnapMarginBottom?: csstype.Property.ScrollMarginBottom<string | number> | undefined;
2177
+ scrollSnapMarginLeft?: csstype.Property.ScrollMarginLeft<string | number> | undefined;
2178
+ scrollSnapMarginRight?: csstype.Property.ScrollMarginRight<string | number> | undefined;
2179
+ scrollSnapMarginTop?: csstype.Property.ScrollMarginTop<string | number> | undefined;
2180
+ scrollSnapStop?: csstype.Property.ScrollSnapStop | undefined;
2181
+ scrollSnapType?: csstype.Property.ScrollSnapType | undefined;
2182
+ scrollTimelineAxis?: csstype.Property.ScrollTimelineAxis | undefined;
2183
+ scrollTimelineName?: csstype.Property.ScrollTimelineName | undefined;
2184
+ scrollbarColor?: csstype.Property.ScrollbarColor | undefined;
2185
+ scrollbarGutter?: csstype.Property.ScrollbarGutter | undefined;
2186
+ scrollbarWidth?: csstype.Property.ScrollbarWidth | undefined;
2187
+ shapeImageThreshold?: csstype.Property.ShapeImageThreshold | undefined;
2188
+ shapeMargin?: csstype.Property.ShapeMargin<string | number> | undefined;
2189
+ shapeOutside?: csstype.Property.ShapeOutside | undefined;
2190
+ shapeRendering?: csstype.Property.ShapeRendering | undefined;
2191
+ speakAs?: csstype.Property.SpeakAs | undefined;
2192
+ stopColor?: csstype.Property.StopColor | undefined;
2193
+ stopOpacity?: csstype.Property.StopOpacity | undefined;
2194
+ stroke?: csstype.Property.Stroke | undefined;
2195
+ strokeColor?: csstype.Property.StrokeColor | undefined;
2196
+ strokeDasharray?: csstype.Property.StrokeDasharray<string | number> | undefined;
2197
+ strokeDashoffset?: csstype.Property.StrokeDashoffset<string | number> | undefined;
2198
+ strokeLinecap?: csstype.Property.StrokeLinecap | undefined;
2199
+ strokeLinejoin?: csstype.Property.StrokeLinejoin | undefined;
2200
+ strokeMiterlimit?: csstype.Property.StrokeMiterlimit | undefined;
2201
+ strokeOpacity?: csstype.Property.StrokeOpacity | undefined;
2202
+ strokeWidth?: csstype.Property.StrokeWidth<string | number> | undefined;
2203
+ tabSize?: csstype.Property.TabSize<string | number> | undefined;
2204
+ tableLayout?: csstype.Property.TableLayout | undefined;
2205
+ textAlign?: csstype.Property.TextAlign | undefined;
2206
+ textAlignLast?: csstype.Property.TextAlignLast | undefined;
2207
+ textAnchor?: csstype.Property.TextAnchor | undefined;
2208
+ textAutospace?: csstype.Property.TextAutospace | undefined;
2209
+ textBox?: csstype.Property.TextBox | undefined;
2210
+ textBoxEdge?: csstype.Property.TextBoxEdge | undefined;
2211
+ textBoxTrim?: csstype.Property.TextBoxTrim | undefined;
2212
+ textCombineUpright?: csstype.Property.TextCombineUpright | undefined;
2213
+ textDecorationColor?: csstype.Property.TextDecorationColor | undefined;
2214
+ textDecorationLine?: csstype.Property.TextDecorationLine | undefined;
2215
+ textDecorationSkip?: csstype.Property.TextDecorationSkip | undefined;
2216
+ textDecorationSkipInk?: csstype.Property.TextDecorationSkipInk | undefined;
2217
+ textDecorationStyle?: csstype.Property.TextDecorationStyle | undefined;
2218
+ textDecorationThickness?: csstype.Property.TextDecorationThickness<string | number> | undefined;
2219
+ textEmphasisColor?: csstype.Property.TextEmphasisColor | undefined;
2220
+ textEmphasisPosition?: csstype.Property.TextEmphasisPosition | undefined;
2221
+ textEmphasisStyle?: csstype.Property.TextEmphasisStyle | undefined;
2222
+ textIndent?: csstype.Property.TextIndent<string | number> | undefined;
2223
+ textJustify?: csstype.Property.TextJustify | undefined;
2224
+ textOrientation?: csstype.Property.TextOrientation | undefined;
2225
+ textOverflow?: csstype.Property.TextOverflow | undefined;
2226
+ textRendering?: csstype.Property.TextRendering | undefined;
2227
+ textShadow?: csstype.Property.TextShadow | undefined;
2228
+ textSizeAdjust?: csstype.Property.TextSizeAdjust | undefined;
2229
+ textSpacingTrim?: csstype.Property.TextSpacingTrim | undefined;
2230
+ textTransform?: csstype.Property.TextTransform | undefined;
2231
+ textUnderlineOffset?: csstype.Property.TextUnderlineOffset<string | number> | undefined;
2232
+ textUnderlinePosition?: csstype.Property.TextUnderlinePosition | undefined;
2233
+ textWrapMode?: csstype.Property.TextWrapMode | undefined;
2234
+ textWrapStyle?: csstype.Property.TextWrapStyle | undefined;
2235
+ timelineScope?: csstype.Property.TimelineScope | undefined;
2236
+ top?: csstype.Property.Top<string | number> | undefined;
2237
+ touchAction?: csstype.Property.TouchAction | undefined;
2238
+ transform?: csstype.Property.Transform | undefined;
2239
+ transformBox?: csstype.Property.TransformBox | undefined;
2240
+ transformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
2241
+ transformStyle?: csstype.Property.TransformStyle | undefined;
2242
+ transitionBehavior?: csstype.Property.TransitionBehavior | undefined;
2243
+ transitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
2244
+ transitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
2245
+ transitionProperty?: csstype.Property.TransitionProperty | undefined;
2246
+ transitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
2247
+ translate?: csstype.Property.Translate<string | number> | undefined;
2248
+ unicodeBidi?: csstype.Property.UnicodeBidi | undefined;
2249
+ userSelect?: csstype.Property.UserSelect | undefined;
2250
+ vectorEffect?: csstype.Property.VectorEffect | undefined;
2251
+ verticalAlign?: csstype.Property.VerticalAlign<string | number> | undefined;
2252
+ viewTimelineAxis?: csstype.Property.ViewTimelineAxis | undefined;
2253
+ viewTimelineInset?: csstype.Property.ViewTimelineInset<string | number> | undefined;
2254
+ viewTimelineName?: csstype.Property.ViewTimelineName | undefined;
2255
+ viewTransitionClass?: csstype.Property.ViewTransitionClass | undefined;
2256
+ viewTransitionName?: csstype.Property.ViewTransitionName | undefined;
2257
+ visibility?: csstype.Property.Visibility | undefined;
2258
+ whiteSpace?: csstype.Property.WhiteSpace | undefined;
2259
+ whiteSpaceCollapse?: csstype.Property.WhiteSpaceCollapse | undefined;
2260
+ widows?: csstype.Property.Widows | undefined;
2261
+ width?: csstype.Property.Width<string | number> | undefined;
2262
+ willChange?: csstype.Property.WillChange | undefined;
2263
+ wordBreak?: csstype.Property.WordBreak | undefined;
2264
+ wordSpacing?: csstype.Property.WordSpacing<string | number> | undefined;
2265
+ wordWrap?: csstype.Property.WordWrap | undefined;
2266
+ writingMode?: csstype.Property.WritingMode | undefined;
2267
+ x?: csstype.Property.X<string | number> | undefined;
2268
+ y?: csstype.Property.Y<string | number> | undefined;
2269
+ zIndex?: csstype.Property.ZIndex | undefined;
2270
+ zoom?: csstype.Property.Zoom | undefined;
2271
+ all?: csstype.Property.All | undefined;
2272
+ animation?: csstype.Property.Animation<string & {}> | undefined;
2273
+ animationRange?: csstype.Property.AnimationRange<string | number> | undefined;
2274
+ background?: csstype.Property.Background<string | number> | undefined;
2275
+ backgroundPosition?: csstype.Property.BackgroundPosition<string | number> | undefined;
2276
+ border?: csstype.Property.Border<string | number> | undefined;
2277
+ borderBlock?: csstype.Property.BorderBlock<string | number> | undefined;
2278
+ borderBlockColor?: csstype.Property.BorderBlockColor | undefined;
2279
+ borderBlockEnd?: csstype.Property.BorderBlockEnd<string | number> | undefined;
2280
+ borderBlockStart?: csstype.Property.BorderBlockStart<string | number> | undefined;
2281
+ borderBlockStyle?: csstype.Property.BorderBlockStyle | undefined;
2282
+ borderBlockWidth?: csstype.Property.BorderBlockWidth<string | number> | undefined;
2283
+ borderBottom?: csstype.Property.BorderBottom<string | number> | undefined;
2284
+ borderColor?: csstype.Property.BorderColor | undefined;
2285
+ borderImage?: csstype.Property.BorderImage | undefined;
2286
+ borderInline?: csstype.Property.BorderInline<string | number> | undefined;
2287
+ borderInlineColor?: csstype.Property.BorderInlineColor | undefined;
2288
+ borderInlineEnd?: csstype.Property.BorderInlineEnd<string | number> | undefined;
2289
+ borderInlineStart?: csstype.Property.BorderInlineStart<string | number> | undefined;
2290
+ borderInlineStyle?: csstype.Property.BorderInlineStyle | undefined;
2291
+ borderInlineWidth?: csstype.Property.BorderInlineWidth<string | number> | undefined;
2292
+ borderLeft?: csstype.Property.BorderLeft<string | number> | undefined;
2293
+ borderRadius?: csstype.Property.BorderRadius<string | number> | undefined;
2294
+ borderRight?: csstype.Property.BorderRight<string | number> | undefined;
2295
+ borderStyle?: csstype.Property.BorderStyle | undefined;
2296
+ borderTop?: csstype.Property.BorderTop<string | number> | undefined;
2297
+ borderWidth?: csstype.Property.BorderWidth<string | number> | undefined;
2298
+ caret?: csstype.Property.Caret | undefined;
2299
+ columnRule?: csstype.Property.ColumnRule<string | number> | undefined;
2300
+ columns?: csstype.Property.Columns<string | number> | undefined;
2301
+ containIntrinsicSize?: csstype.Property.ContainIntrinsicSize<string | number> | undefined;
2302
+ container?: csstype.Property.Container | undefined;
2303
+ flex?: csstype.Property.Flex<string | number> | undefined;
2304
+ flexFlow?: csstype.Property.FlexFlow | undefined;
2305
+ font?: csstype.Property.Font | undefined;
2306
+ gap?: csstype.Property.Gap<string | number> | undefined;
2307
+ grid?: csstype.Property.Grid | undefined;
2308
+ gridArea?: csstype.Property.GridArea | undefined;
2309
+ gridColumn?: csstype.Property.GridColumn | undefined;
2310
+ gridRow?: csstype.Property.GridRow | undefined;
2311
+ gridTemplate?: csstype.Property.GridTemplate | undefined;
2312
+ inset?: csstype.Property.Inset<string | number> | undefined;
2313
+ insetBlock?: csstype.Property.InsetBlock<string | number> | undefined;
2314
+ insetInline?: csstype.Property.InsetInline<string | number> | undefined;
2315
+ lineClamp?: csstype.Property.LineClamp | undefined;
2316
+ listStyle?: csstype.Property.ListStyle | undefined;
2317
+ margin?: csstype.Property.Margin<string | number> | undefined;
2318
+ marginBlock?: csstype.Property.MarginBlock<string | number> | undefined;
2319
+ marginInline?: csstype.Property.MarginInline<string | number> | undefined;
2320
+ mask?: csstype.Property.Mask<string | number> | undefined;
2321
+ maskBorder?: csstype.Property.MaskBorder | undefined;
2322
+ motion?: csstype.Property.Offset<string | number> | undefined;
2323
+ offset?: csstype.Property.Offset<string | number> | undefined;
2324
+ outline?: csstype.Property.Outline<string | number> | undefined;
2325
+ overflow?: csstype.Property.Overflow | undefined;
2326
+ overscrollBehavior?: csstype.Property.OverscrollBehavior | undefined;
2327
+ padding?: csstype.Property.Padding<string | number> | undefined;
2328
+ paddingBlock?: csstype.Property.PaddingBlock<string | number> | undefined;
2329
+ paddingInline?: csstype.Property.PaddingInline<string | number> | undefined;
2330
+ placeContent?: csstype.Property.PlaceContent | undefined;
2331
+ placeItems?: csstype.Property.PlaceItems | undefined;
2332
+ placeSelf?: csstype.Property.PlaceSelf | undefined;
2333
+ positionTry?: csstype.Property.PositionTry | undefined;
2334
+ scrollMargin?: csstype.Property.ScrollMargin<string | number> | undefined;
2335
+ scrollMarginBlock?: csstype.Property.ScrollMarginBlock<string | number> | undefined;
2336
+ scrollMarginInline?: csstype.Property.ScrollMarginInline<string | number> | undefined;
2337
+ scrollPadding?: csstype.Property.ScrollPadding<string | number> | undefined;
2338
+ scrollPaddingBlock?: csstype.Property.ScrollPaddingBlock<string | number> | undefined;
2339
+ scrollPaddingInline?: csstype.Property.ScrollPaddingInline<string | number> | undefined;
2340
+ scrollSnapMargin?: csstype.Property.ScrollMargin<string | number> | undefined;
2341
+ scrollTimeline?: csstype.Property.ScrollTimeline | undefined;
2342
+ textDecoration?: csstype.Property.TextDecoration<string | number> | undefined;
2343
+ textEmphasis?: csstype.Property.TextEmphasis | undefined;
2344
+ textWrap?: csstype.Property.TextWrap | undefined;
2345
+ transition?: csstype.Property.Transition<string & {}> | undefined;
2346
+ viewTimeline?: csstype.Property.ViewTimeline | undefined;
2347
+ MozAnimationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
2348
+ MozAnimationDirection?: csstype.Property.AnimationDirection | undefined;
2349
+ MozAnimationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
2350
+ MozAnimationFillMode?: csstype.Property.AnimationFillMode | undefined;
2351
+ MozAnimationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
2352
+ MozAnimationName?: csstype.Property.AnimationName | undefined;
2353
+ MozAnimationPlayState?: csstype.Property.AnimationPlayState | undefined;
2354
+ MozAnimationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
2355
+ MozAppearance?: csstype.Property.MozAppearance | undefined;
2356
+ MozBackfaceVisibility?: csstype.Property.BackfaceVisibility | undefined;
2357
+ MozBinding?: csstype.Property.MozBinding | undefined;
2358
+ MozBorderBottomColors?: csstype.Property.MozBorderBottomColors | undefined;
2359
+ MozBorderEndColor?: csstype.Property.BorderInlineEndColor | undefined;
2360
+ MozBorderEndStyle?: csstype.Property.BorderInlineEndStyle | undefined;
2361
+ MozBorderEndWidth?: csstype.Property.BorderInlineEndWidth<string | number> | undefined;
2362
+ MozBorderLeftColors?: csstype.Property.MozBorderLeftColors | undefined;
2363
+ MozBorderRightColors?: csstype.Property.MozBorderRightColors | undefined;
2364
+ MozBorderStartColor?: csstype.Property.BorderInlineStartColor | undefined;
2365
+ MozBorderStartStyle?: csstype.Property.BorderInlineStartStyle | undefined;
2366
+ MozBorderTopColors?: csstype.Property.MozBorderTopColors | undefined;
2367
+ MozBoxSizing?: csstype.Property.BoxSizing | undefined;
2368
+ MozColumnRuleColor?: csstype.Property.ColumnRuleColor | undefined;
2369
+ MozColumnRuleStyle?: csstype.Property.ColumnRuleStyle | undefined;
2370
+ MozColumnRuleWidth?: csstype.Property.ColumnRuleWidth<string | number> | undefined;
2371
+ MozColumnWidth?: csstype.Property.ColumnWidth<string | number> | undefined;
2372
+ MozContextProperties?: csstype.Property.MozContextProperties | undefined;
2373
+ MozFontFeatureSettings?: csstype.Property.FontFeatureSettings | undefined;
2374
+ MozFontLanguageOverride?: csstype.Property.FontLanguageOverride | undefined;
2375
+ MozHyphens?: csstype.Property.Hyphens | undefined;
2376
+ MozMarginEnd?: csstype.Property.MarginInlineEnd<string | number> | undefined;
2377
+ MozMarginStart?: csstype.Property.MarginInlineStart<string | number> | undefined;
2378
+ MozOrient?: csstype.Property.MozOrient | undefined;
2379
+ MozOsxFontSmoothing?: csstype.Property.FontSmooth<string | number> | undefined;
2380
+ MozOutlineRadiusBottomleft?: csstype.Property.MozOutlineRadiusBottomleft<string | number> | undefined;
2381
+ MozOutlineRadiusBottomright?: csstype.Property.MozOutlineRadiusBottomright<string | number> | undefined;
2382
+ MozOutlineRadiusTopleft?: csstype.Property.MozOutlineRadiusTopleft<string | number> | undefined;
2383
+ MozOutlineRadiusTopright?: csstype.Property.MozOutlineRadiusTopright<string | number> | undefined;
2384
+ MozPaddingEnd?: csstype.Property.PaddingInlineEnd<string | number> | undefined;
2385
+ MozPaddingStart?: csstype.Property.PaddingInlineStart<string | number> | undefined;
2386
+ MozPerspective?: csstype.Property.Perspective<string | number> | undefined;
2387
+ MozPerspectiveOrigin?: csstype.Property.PerspectiveOrigin<string | number> | undefined;
2388
+ MozStackSizing?: csstype.Property.MozStackSizing | undefined;
2389
+ MozTabSize?: csstype.Property.TabSize<string | number> | undefined;
2390
+ MozTextBlink?: csstype.Property.MozTextBlink | undefined;
2391
+ MozTextSizeAdjust?: csstype.Property.TextSizeAdjust | undefined;
2392
+ MozTransform?: csstype.Property.Transform | undefined;
2393
+ MozTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
2394
+ MozTransformStyle?: csstype.Property.TransformStyle | undefined;
2395
+ MozUserModify?: csstype.Property.MozUserModify | undefined;
2396
+ MozUserSelect?: csstype.Property.UserSelect | undefined;
2397
+ MozWindowDragging?: csstype.Property.MozWindowDragging | undefined;
2398
+ MozWindowShadow?: csstype.Property.MozWindowShadow | undefined;
2399
+ msAccelerator?: csstype.Property.MsAccelerator | undefined;
2400
+ msBlockProgression?: csstype.Property.MsBlockProgression | undefined;
2401
+ msContentZoomChaining?: csstype.Property.MsContentZoomChaining | undefined;
2402
+ msContentZoomLimitMax?: csstype.Property.MsContentZoomLimitMax | undefined;
2403
+ msContentZoomLimitMin?: csstype.Property.MsContentZoomLimitMin | undefined;
2404
+ msContentZoomSnapPoints?: csstype.Property.MsContentZoomSnapPoints | undefined;
2405
+ msContentZoomSnapType?: csstype.Property.MsContentZoomSnapType | undefined;
2406
+ msContentZooming?: csstype.Property.MsContentZooming | undefined;
2407
+ msFilter?: csstype.Property.MsFilter | undefined;
2408
+ msFlexDirection?: csstype.Property.FlexDirection | undefined;
2409
+ msFlexPositive?: csstype.Property.FlexGrow | undefined;
2410
+ msFlowFrom?: csstype.Property.MsFlowFrom | undefined;
2411
+ msFlowInto?: csstype.Property.MsFlowInto | undefined;
2412
+ msGridColumns?: csstype.Property.MsGridColumns<string | number> | undefined;
2413
+ msGridRows?: csstype.Property.MsGridRows<string | number> | undefined;
2414
+ msHighContrastAdjust?: csstype.Property.MsHighContrastAdjust | undefined;
2415
+ msHyphenateLimitChars?: csstype.Property.MsHyphenateLimitChars | undefined;
2416
+ msHyphenateLimitLines?: csstype.Property.MsHyphenateLimitLines | undefined;
2417
+ msHyphenateLimitZone?: csstype.Property.MsHyphenateLimitZone<string | number> | undefined;
2418
+ msHyphens?: csstype.Property.Hyphens | undefined;
2419
+ msImeAlign?: csstype.Property.MsImeAlign | undefined;
2420
+ msLineBreak?: csstype.Property.LineBreak | undefined;
2421
+ msOrder?: csstype.Property.Order | undefined;
2422
+ msOverflowStyle?: csstype.Property.MsOverflowStyle | undefined;
2423
+ msOverflowX?: csstype.Property.OverflowX | undefined;
2424
+ msOverflowY?: csstype.Property.OverflowY | undefined;
2425
+ msScrollChaining?: csstype.Property.MsScrollChaining | undefined;
2426
+ msScrollLimitXMax?: csstype.Property.MsScrollLimitXMax<string | number> | undefined;
2427
+ msScrollLimitXMin?: csstype.Property.MsScrollLimitXMin<string | number> | undefined;
2428
+ msScrollLimitYMax?: csstype.Property.MsScrollLimitYMax<string | number> | undefined;
2429
+ msScrollLimitYMin?: csstype.Property.MsScrollLimitYMin<string | number> | undefined;
2430
+ msScrollRails?: csstype.Property.MsScrollRails | undefined;
2431
+ msScrollSnapPointsX?: csstype.Property.MsScrollSnapPointsX | undefined;
2432
+ msScrollSnapPointsY?: csstype.Property.MsScrollSnapPointsY | undefined;
2433
+ msScrollSnapType?: csstype.Property.MsScrollSnapType | undefined;
2434
+ msScrollTranslation?: csstype.Property.MsScrollTranslation | undefined;
2435
+ msScrollbar3dlightColor?: csstype.Property.MsScrollbar3dlightColor | undefined;
2436
+ msScrollbarArrowColor?: csstype.Property.MsScrollbarArrowColor | undefined;
2437
+ msScrollbarBaseColor?: csstype.Property.MsScrollbarBaseColor | undefined;
2438
+ msScrollbarDarkshadowColor?: csstype.Property.MsScrollbarDarkshadowColor | undefined;
2439
+ msScrollbarFaceColor?: csstype.Property.MsScrollbarFaceColor | undefined;
2440
+ msScrollbarHighlightColor?: csstype.Property.MsScrollbarHighlightColor | undefined;
2441
+ msScrollbarShadowColor?: csstype.Property.MsScrollbarShadowColor | undefined;
2442
+ msScrollbarTrackColor?: csstype.Property.MsScrollbarTrackColor | undefined;
2443
+ msTextAutospace?: csstype.Property.MsTextAutospace | undefined;
2444
+ msTextCombineHorizontal?: csstype.Property.TextCombineUpright | undefined;
2445
+ msTextOverflow?: csstype.Property.TextOverflow | undefined;
2446
+ msTouchAction?: csstype.Property.TouchAction | undefined;
2447
+ msTouchSelect?: csstype.Property.MsTouchSelect | undefined;
2448
+ msTransform?: csstype.Property.Transform | undefined;
2449
+ msTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
2450
+ msTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
2451
+ msTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
2452
+ msTransitionProperty?: csstype.Property.TransitionProperty | undefined;
2453
+ msTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
2454
+ msUserSelect?: csstype.Property.MsUserSelect | undefined;
2455
+ msWordBreak?: csstype.Property.WordBreak | undefined;
2456
+ msWrapFlow?: csstype.Property.MsWrapFlow | undefined;
2457
+ msWrapMargin?: csstype.Property.MsWrapMargin<string | number> | undefined;
2458
+ msWrapThrough?: csstype.Property.MsWrapThrough | undefined;
2459
+ msWritingMode?: csstype.Property.WritingMode | undefined;
2460
+ WebkitAlignContent?: csstype.Property.AlignContent | undefined;
2461
+ WebkitAlignItems?: csstype.Property.AlignItems | undefined;
2462
+ WebkitAlignSelf?: csstype.Property.AlignSelf | undefined;
2463
+ WebkitAnimationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
2464
+ WebkitAnimationDirection?: csstype.Property.AnimationDirection | undefined;
2465
+ WebkitAnimationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
2466
+ WebkitAnimationFillMode?: csstype.Property.AnimationFillMode | undefined;
2467
+ WebkitAnimationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
2468
+ WebkitAnimationName?: csstype.Property.AnimationName | undefined;
2469
+ WebkitAnimationPlayState?: csstype.Property.AnimationPlayState | undefined;
2470
+ WebkitAnimationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
2471
+ WebkitAppearance?: csstype.Property.WebkitAppearance | undefined;
2472
+ WebkitBackdropFilter?: csstype.Property.BackdropFilter | undefined;
2473
+ WebkitBackfaceVisibility?: csstype.Property.BackfaceVisibility | undefined;
2474
+ WebkitBackgroundClip?: csstype.Property.BackgroundClip | undefined;
2475
+ WebkitBackgroundOrigin?: csstype.Property.BackgroundOrigin | undefined;
2476
+ WebkitBackgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
2477
+ WebkitBorderBeforeColor?: csstype.Property.WebkitBorderBeforeColor | undefined;
2478
+ WebkitBorderBeforeStyle?: csstype.Property.WebkitBorderBeforeStyle | undefined;
2479
+ WebkitBorderBeforeWidth?: csstype.Property.WebkitBorderBeforeWidth<string | number> | undefined;
2480
+ WebkitBorderBottomLeftRadius?: csstype.Property.BorderBottomLeftRadius<string | number> | undefined;
2481
+ WebkitBorderBottomRightRadius?: csstype.Property.BorderBottomRightRadius<string | number> | undefined;
2482
+ WebkitBorderImageSlice?: csstype.Property.BorderImageSlice | undefined;
2483
+ WebkitBorderTopLeftRadius?: csstype.Property.BorderTopLeftRadius<string | number> | undefined;
2484
+ WebkitBorderTopRightRadius?: csstype.Property.BorderTopRightRadius<string | number> | undefined;
2485
+ WebkitBoxDecorationBreak?: csstype.Property.BoxDecorationBreak | undefined;
2486
+ WebkitBoxReflect?: csstype.Property.WebkitBoxReflect<string | number> | undefined;
2487
+ WebkitBoxShadow?: csstype.Property.BoxShadow | undefined;
2488
+ WebkitBoxSizing?: csstype.Property.BoxSizing | undefined;
2489
+ WebkitClipPath?: csstype.Property.ClipPath | undefined;
2490
+ WebkitColumnCount?: csstype.Property.ColumnCount | undefined;
2491
+ WebkitColumnFill?: csstype.Property.ColumnFill | undefined;
2492
+ WebkitColumnRuleColor?: csstype.Property.ColumnRuleColor | undefined;
2493
+ WebkitColumnRuleStyle?: csstype.Property.ColumnRuleStyle | undefined;
2494
+ WebkitColumnRuleWidth?: csstype.Property.ColumnRuleWidth<string | number> | undefined;
2495
+ WebkitColumnSpan?: csstype.Property.ColumnSpan | undefined;
2496
+ WebkitColumnWidth?: csstype.Property.ColumnWidth<string | number> | undefined;
2497
+ WebkitFilter?: csstype.Property.Filter | undefined;
2498
+ WebkitFlexBasis?: csstype.Property.FlexBasis<string | number> | undefined;
2499
+ WebkitFlexDirection?: csstype.Property.FlexDirection | undefined;
2500
+ WebkitFlexGrow?: csstype.Property.FlexGrow | undefined;
2501
+ WebkitFlexShrink?: csstype.Property.FlexShrink | undefined;
2502
+ WebkitFlexWrap?: csstype.Property.FlexWrap | undefined;
2503
+ WebkitFontFeatureSettings?: csstype.Property.FontFeatureSettings | undefined;
2504
+ WebkitFontKerning?: csstype.Property.FontKerning | undefined;
2505
+ WebkitFontSmoothing?: csstype.Property.FontSmooth<string | number> | undefined;
2506
+ WebkitFontVariantLigatures?: csstype.Property.FontVariantLigatures | undefined;
2507
+ WebkitHyphenateCharacter?: csstype.Property.HyphenateCharacter | undefined;
2508
+ WebkitHyphens?: csstype.Property.Hyphens | undefined;
2509
+ WebkitInitialLetter?: csstype.Property.InitialLetter | undefined;
2510
+ WebkitJustifyContent?: csstype.Property.JustifyContent | undefined;
2511
+ WebkitLineBreak?: csstype.Property.LineBreak | undefined;
2512
+ WebkitLineClamp?: csstype.Property.WebkitLineClamp | undefined;
2513
+ WebkitLogicalHeight?: csstype.Property.BlockSize<string | number> | undefined;
2514
+ WebkitLogicalWidth?: csstype.Property.InlineSize<string | number> | undefined;
2515
+ WebkitMarginEnd?: csstype.Property.MarginInlineEnd<string | number> | undefined;
2516
+ WebkitMarginStart?: csstype.Property.MarginInlineStart<string | number> | undefined;
2517
+ WebkitMaskAttachment?: csstype.Property.WebkitMaskAttachment | undefined;
2518
+ WebkitMaskBoxImageOutset?: csstype.Property.MaskBorderOutset<string | number> | undefined;
2519
+ WebkitMaskBoxImageRepeat?: csstype.Property.MaskBorderRepeat | undefined;
2520
+ WebkitMaskBoxImageSlice?: csstype.Property.MaskBorderSlice | undefined;
2521
+ WebkitMaskBoxImageSource?: csstype.Property.MaskBorderSource | undefined;
2522
+ WebkitMaskBoxImageWidth?: csstype.Property.MaskBorderWidth<string | number> | undefined;
2523
+ WebkitMaskClip?: csstype.Property.WebkitMaskClip | undefined;
2524
+ WebkitMaskComposite?: csstype.Property.WebkitMaskComposite | undefined;
2525
+ WebkitMaskImage?: csstype.Property.WebkitMaskImage | undefined;
2526
+ WebkitMaskOrigin?: csstype.Property.WebkitMaskOrigin | undefined;
2527
+ WebkitMaskPosition?: csstype.Property.WebkitMaskPosition<string | number> | undefined;
2528
+ WebkitMaskPositionX?: csstype.Property.WebkitMaskPositionX<string | number> | undefined;
2529
+ WebkitMaskPositionY?: csstype.Property.WebkitMaskPositionY<string | number> | undefined;
2530
+ WebkitMaskRepeat?: csstype.Property.WebkitMaskRepeat | undefined;
2531
+ WebkitMaskRepeatX?: csstype.Property.WebkitMaskRepeatX | undefined;
2532
+ WebkitMaskRepeatY?: csstype.Property.WebkitMaskRepeatY | undefined;
2533
+ WebkitMaskSize?: csstype.Property.WebkitMaskSize<string | number> | undefined;
2534
+ WebkitMaxInlineSize?: csstype.Property.MaxInlineSize<string | number> | undefined;
2535
+ WebkitOrder?: csstype.Property.Order | undefined;
2536
+ WebkitOverflowScrolling?: csstype.Property.WebkitOverflowScrolling | undefined;
2537
+ WebkitPaddingEnd?: csstype.Property.PaddingInlineEnd<string | number> | undefined;
2538
+ WebkitPaddingStart?: csstype.Property.PaddingInlineStart<string | number> | undefined;
2539
+ WebkitPerspective?: csstype.Property.Perspective<string | number> | undefined;
2540
+ WebkitPerspectiveOrigin?: csstype.Property.PerspectiveOrigin<string | number> | undefined;
2541
+ WebkitPrintColorAdjust?: csstype.Property.PrintColorAdjust | undefined;
2542
+ WebkitRubyPosition?: csstype.Property.RubyPosition | undefined;
2543
+ WebkitScrollSnapType?: csstype.Property.ScrollSnapType | undefined;
2544
+ WebkitShapeMargin?: csstype.Property.ShapeMargin<string | number> | undefined;
2545
+ WebkitTapHighlightColor?: csstype.Property.WebkitTapHighlightColor | undefined;
2546
+ WebkitTextCombine?: csstype.Property.TextCombineUpright | undefined;
2547
+ WebkitTextDecorationColor?: csstype.Property.TextDecorationColor | undefined;
2548
+ WebkitTextDecorationLine?: csstype.Property.TextDecorationLine | undefined;
2549
+ WebkitTextDecorationSkip?: csstype.Property.TextDecorationSkip | undefined;
2550
+ WebkitTextDecorationStyle?: csstype.Property.TextDecorationStyle | undefined;
2551
+ WebkitTextEmphasisColor?: csstype.Property.TextEmphasisColor | undefined;
2552
+ WebkitTextEmphasisPosition?: csstype.Property.TextEmphasisPosition | undefined;
2553
+ WebkitTextEmphasisStyle?: csstype.Property.TextEmphasisStyle | undefined;
2554
+ WebkitTextFillColor?: csstype.Property.WebkitTextFillColor | undefined;
2555
+ WebkitTextOrientation?: csstype.Property.TextOrientation | undefined;
2556
+ WebkitTextSizeAdjust?: csstype.Property.TextSizeAdjust | undefined;
2557
+ WebkitTextStrokeColor?: csstype.Property.WebkitTextStrokeColor | undefined;
2558
+ WebkitTextStrokeWidth?: csstype.Property.WebkitTextStrokeWidth<string | number> | undefined;
2559
+ WebkitTextUnderlinePosition?: csstype.Property.TextUnderlinePosition | undefined;
2560
+ WebkitTouchCallout?: csstype.Property.WebkitTouchCallout | undefined;
2561
+ WebkitTransform?: csstype.Property.Transform | undefined;
2562
+ WebkitTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
2563
+ WebkitTransformStyle?: csstype.Property.TransformStyle | undefined;
2564
+ WebkitTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
2565
+ WebkitTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
2566
+ WebkitTransitionProperty?: csstype.Property.TransitionProperty | undefined;
2567
+ WebkitTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
2568
+ WebkitUserModify?: csstype.Property.WebkitUserModify | undefined;
2569
+ WebkitUserSelect?: csstype.Property.WebkitUserSelect | undefined;
2570
+ WebkitWritingMode?: csstype.Property.WritingMode | undefined;
2571
+ MozAnimation?: csstype.Property.Animation<string & {}> | undefined;
2572
+ MozBorderImage?: csstype.Property.BorderImage | undefined;
2573
+ MozColumnRule?: csstype.Property.ColumnRule<string | number> | undefined;
2574
+ MozColumns?: csstype.Property.Columns<string | number> | undefined;
2575
+ MozOutlineRadius?: csstype.Property.MozOutlineRadius<string | number> | undefined;
2576
+ MozTransition?: csstype.Property.Transition<string & {}> | undefined;
2577
+ msContentZoomLimit?: csstype.Property.MsContentZoomLimit | undefined;
2578
+ msContentZoomSnap?: csstype.Property.MsContentZoomSnap | undefined;
2579
+ msFlex?: csstype.Property.Flex<string | number> | undefined;
2580
+ msScrollLimit?: csstype.Property.MsScrollLimit | undefined;
2581
+ msScrollSnapX?: csstype.Property.MsScrollSnapX | undefined;
2582
+ msScrollSnapY?: csstype.Property.MsScrollSnapY | undefined;
2583
+ msTransition?: csstype.Property.Transition<string & {}> | undefined;
2584
+ WebkitAnimation?: csstype.Property.Animation<string & {}> | undefined;
2585
+ WebkitBorderBefore?: csstype.Property.WebkitBorderBefore<string | number> | undefined;
2586
+ WebkitBorderImage?: csstype.Property.BorderImage | undefined;
2587
+ WebkitBorderRadius?: csstype.Property.BorderRadius<string | number> | undefined;
2588
+ WebkitColumnRule?: csstype.Property.ColumnRule<string | number> | undefined;
2589
+ WebkitColumns?: csstype.Property.Columns<string | number> | undefined;
2590
+ WebkitFlex?: csstype.Property.Flex<string | number> | undefined;
2591
+ WebkitFlexFlow?: csstype.Property.FlexFlow | undefined;
2592
+ WebkitMask?: csstype.Property.WebkitMask<string | number> | undefined;
2593
+ WebkitMaskBoxImage?: csstype.Property.MaskBorder | undefined;
2594
+ WebkitTextEmphasis?: csstype.Property.TextEmphasis | undefined;
2595
+ WebkitTextStroke?: csstype.Property.WebkitTextStroke<string | number> | undefined;
2596
+ WebkitTransition?: csstype.Property.Transition<string & {}> | undefined;
2597
+ boxAlign?: csstype.Property.BoxAlign | undefined;
2598
+ boxDirection?: csstype.Property.BoxDirection | undefined;
2599
+ boxFlex?: csstype.Property.BoxFlex | undefined;
2600
+ boxFlexGroup?: csstype.Property.BoxFlexGroup | undefined;
2601
+ boxLines?: csstype.Property.BoxLines | undefined;
2602
+ boxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
2603
+ boxOrient?: csstype.Property.BoxOrient | undefined;
2604
+ boxPack?: csstype.Property.BoxPack | undefined;
2605
+ clip?: csstype.Property.Clip | undefined;
2606
+ fontStretch?: csstype.Property.FontStretch | undefined;
2607
+ gridColumnGap?: csstype.Property.GridColumnGap<string | number> | undefined;
2608
+ gridGap?: csstype.Property.GridGap<string | number> | undefined;
2609
+ gridRowGap?: csstype.Property.GridRowGap<string | number> | undefined;
2610
+ imeMode?: csstype.Property.ImeMode | undefined;
2611
+ insetArea?: csstype.Property.PositionArea | undefined;
2612
+ offsetBlock?: csstype.Property.InsetBlock<string | number> | undefined;
2613
+ offsetBlockEnd?: csstype.Property.InsetBlockEnd<string | number> | undefined;
2614
+ offsetBlockStart?: csstype.Property.InsetBlockStart<string | number> | undefined;
2615
+ offsetInline?: csstype.Property.InsetInline<string | number> | undefined;
2616
+ offsetInlineEnd?: csstype.Property.InsetInlineEnd<string | number> | undefined;
2617
+ offsetInlineStart?: csstype.Property.InsetInlineStart<string | number> | undefined;
2618
+ pageBreakAfter?: csstype.Property.PageBreakAfter | undefined;
2619
+ pageBreakBefore?: csstype.Property.PageBreakBefore | undefined;
2620
+ pageBreakInside?: csstype.Property.PageBreakInside | undefined;
2621
+ positionTryOptions?: csstype.Property.PositionTryFallbacks | undefined;
2622
+ scrollSnapCoordinate?: csstype.Property.ScrollSnapCoordinate<string | number> | undefined;
2623
+ scrollSnapDestination?: csstype.Property.ScrollSnapDestination<string | number> | undefined;
2624
+ scrollSnapPointsX?: csstype.Property.ScrollSnapPointsX | undefined;
2625
+ scrollSnapPointsY?: csstype.Property.ScrollSnapPointsY | undefined;
2626
+ scrollSnapTypeX?: csstype.Property.ScrollSnapTypeX | undefined;
2627
+ scrollSnapTypeY?: csstype.Property.ScrollSnapTypeY | undefined;
2628
+ KhtmlBoxAlign?: csstype.Property.BoxAlign | undefined;
2629
+ KhtmlBoxDirection?: csstype.Property.BoxDirection | undefined;
2630
+ KhtmlBoxFlex?: csstype.Property.BoxFlex | undefined;
2631
+ KhtmlBoxFlexGroup?: csstype.Property.BoxFlexGroup | undefined;
2632
+ KhtmlBoxLines?: csstype.Property.BoxLines | undefined;
2633
+ KhtmlBoxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
2634
+ KhtmlBoxOrient?: csstype.Property.BoxOrient | undefined;
2635
+ KhtmlBoxPack?: csstype.Property.BoxPack | undefined;
2636
+ KhtmlLineBreak?: csstype.Property.LineBreak | undefined;
2637
+ KhtmlOpacity?: csstype.Property.Opacity | undefined;
2638
+ KhtmlUserSelect?: csstype.Property.UserSelect | undefined;
2639
+ MozBackgroundClip?: csstype.Property.BackgroundClip | undefined;
2640
+ MozBackgroundOrigin?: csstype.Property.BackgroundOrigin | undefined;
2641
+ MozBackgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
2642
+ MozBorderRadius?: csstype.Property.BorderRadius<string | number> | undefined;
2643
+ MozBorderRadiusBottomleft?: csstype.Property.BorderBottomLeftRadius<string | number> | undefined;
2644
+ MozBorderRadiusBottomright?: csstype.Property.BorderBottomRightRadius<string | number> | undefined;
2645
+ MozBorderRadiusTopleft?: csstype.Property.BorderTopLeftRadius<string | number> | undefined;
2646
+ MozBorderRadiusTopright?: csstype.Property.BorderTopRightRadius<string | number> | undefined;
2647
+ MozBoxAlign?: csstype.Property.BoxAlign | undefined;
2648
+ MozBoxDirection?: csstype.Property.BoxDirection | undefined;
2649
+ MozBoxFlex?: csstype.Property.BoxFlex | undefined;
2650
+ MozBoxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
2651
+ MozBoxOrient?: csstype.Property.BoxOrient | undefined;
2652
+ MozBoxPack?: csstype.Property.BoxPack | undefined;
2653
+ MozBoxShadow?: csstype.Property.BoxShadow | undefined;
2654
+ MozColumnCount?: csstype.Property.ColumnCount | undefined;
2655
+ MozColumnFill?: csstype.Property.ColumnFill | undefined;
2656
+ MozFloatEdge?: csstype.Property.MozFloatEdge | undefined;
2657
+ MozForceBrokenImageIcon?: csstype.Property.MozForceBrokenImageIcon | undefined;
2658
+ MozOpacity?: csstype.Property.Opacity | undefined;
2659
+ MozOutline?: csstype.Property.Outline<string | number> | undefined;
2660
+ MozOutlineColor?: csstype.Property.OutlineColor | undefined;
2661
+ MozOutlineStyle?: csstype.Property.OutlineStyle | undefined;
2662
+ MozOutlineWidth?: csstype.Property.OutlineWidth<string | number> | undefined;
2663
+ MozTextAlignLast?: csstype.Property.TextAlignLast | undefined;
2664
+ MozTextDecorationColor?: csstype.Property.TextDecorationColor | undefined;
2665
+ MozTextDecorationLine?: csstype.Property.TextDecorationLine | undefined;
2666
+ MozTextDecorationStyle?: csstype.Property.TextDecorationStyle | undefined;
2667
+ MozTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
2668
+ MozTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
2669
+ MozTransitionProperty?: csstype.Property.TransitionProperty | undefined;
2670
+ MozTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
2671
+ MozUserFocus?: csstype.Property.MozUserFocus | undefined;
2672
+ MozUserInput?: csstype.Property.MozUserInput | undefined;
2673
+ msImeMode?: csstype.Property.ImeMode | undefined;
2674
+ OAnimation?: csstype.Property.Animation<string & {}> | undefined;
2675
+ OAnimationDelay?: csstype.Property.AnimationDelay<string & {}> | undefined;
2676
+ OAnimationDirection?: csstype.Property.AnimationDirection | undefined;
2677
+ OAnimationDuration?: csstype.Property.AnimationDuration<string & {}> | undefined;
2678
+ OAnimationFillMode?: csstype.Property.AnimationFillMode | undefined;
2679
+ OAnimationIterationCount?: csstype.Property.AnimationIterationCount | undefined;
2680
+ OAnimationName?: csstype.Property.AnimationName | undefined;
2681
+ OAnimationPlayState?: csstype.Property.AnimationPlayState | undefined;
2682
+ OAnimationTimingFunction?: csstype.Property.AnimationTimingFunction | undefined;
2683
+ OBackgroundSize?: csstype.Property.BackgroundSize<string | number> | undefined;
2684
+ OBorderImage?: csstype.Property.BorderImage | undefined;
2685
+ OObjectFit?: csstype.Property.ObjectFit | undefined;
2686
+ OObjectPosition?: csstype.Property.ObjectPosition<string | number> | undefined;
2687
+ OTabSize?: csstype.Property.TabSize<string | number> | undefined;
2688
+ OTextOverflow?: csstype.Property.TextOverflow | undefined;
2689
+ OTransform?: csstype.Property.Transform | undefined;
2690
+ OTransformOrigin?: csstype.Property.TransformOrigin<string | number> | undefined;
2691
+ OTransition?: csstype.Property.Transition<string & {}> | undefined;
2692
+ OTransitionDelay?: csstype.Property.TransitionDelay<string & {}> | undefined;
2693
+ OTransitionDuration?: csstype.Property.TransitionDuration<string & {}> | undefined;
2694
+ OTransitionProperty?: csstype.Property.TransitionProperty | undefined;
2695
+ OTransitionTimingFunction?: csstype.Property.TransitionTimingFunction | undefined;
2696
+ WebkitBoxAlign?: csstype.Property.BoxAlign | undefined;
2697
+ WebkitBoxDirection?: csstype.Property.BoxDirection | undefined;
2698
+ WebkitBoxFlex?: csstype.Property.BoxFlex | undefined;
2699
+ WebkitBoxFlexGroup?: csstype.Property.BoxFlexGroup | undefined;
2700
+ WebkitBoxLines?: csstype.Property.BoxLines | undefined;
2701
+ WebkitBoxOrdinalGroup?: csstype.Property.BoxOrdinalGroup | undefined;
2702
+ WebkitBoxOrient?: csstype.Property.BoxOrient | undefined;
2703
+ WebkitBoxPack?: csstype.Property.BoxPack | undefined;
2704
+ colorInterpolation?: csstype.Property.ColorInterpolation | undefined;
2705
+ colorRendering?: csstype.Property.ColorRendering | undefined;
2706
+ glyphOrientationVertical?: csstype.Property.GlyphOrientationVertical | undefined;
2707
+ };
2708
+ getConditionalClassName: (row: T, column?: ColumnDef<T>) => string;
2709
+ };
2710
+
2711
+ interface UseRowGroupingOptions<T> {
2712
+ config?: RowGroupingConfig<T>;
2713
+ columns: ColumnDef<T>[];
2714
+ }
2715
+ /**
2716
+ * Hook for row grouping with multi-level support and aggregation.
2717
+ */
2718
+ declare function useRowGrouping<T>({ config, columns }: UseRowGroupingOptions<T>): {
2719
+ enabled: boolean;
2720
+ expandedGroups: Set<string>;
2721
+ isGroupExpanded: (groupKey: string) => boolean;
2722
+ toggleGroup: (groupKey: string) => void;
2723
+ expandAllGroups: () => void;
2724
+ collapseAllGroups: () => void;
2725
+ applyGrouping: (data: T[]) => (T | GroupedRow<T>)[];
2726
+ };
2727
+
2728
+ interface UseEditingOptions<T> {
2729
+ config?: RowEditConfig<T>;
2730
+ columns: ColumnDef<T>[];
2731
+ data: T[];
2732
+ getKey: (row: T, index: number) => string;
2733
+ }
2734
+ declare function useEditing<T>({ config, columns, data, getKey }: UseEditingOptions<T>): {
2735
+ editingCell: {
2736
+ rowKey: string;
2737
+ columnId: string;
2738
+ } | null;
2739
+ startCellEdit: (rowKey: string, columnId: string) => void;
2740
+ saveCellEdit: (rowKey: string, columnId: string, value: any) => string | null;
2741
+ cancelCellEdit: () => void;
2742
+ editingRowKey: string | null;
2743
+ pendingEdits: Record<string, any>;
2744
+ validationErrors: Record<string, string>;
2745
+ startRowEdit: (rowKey: string) => void;
2746
+ updatePendingEdit: (columnId: string, value: any) => void;
2747
+ validateRow: () => boolean;
2748
+ saveRowEdit: () => Promise<boolean>;
2749
+ cancelRowEdit: () => void;
2750
+ isEditingRow: (rowKey: string) => boolean;
2751
+ getCellError: (columnId: string) => string;
2752
+ };
2753
+
2754
+ interface ChartDataPoint {
2755
+ label: string;
2756
+ [key: string]: any;
2757
+ }
2758
+ interface UseChartDataOptions<T> {
2759
+ data: T[];
2760
+ config: ChartConfig;
2761
+ columns: ColumnDef<T>[];
2762
+ }
2763
+ /**
2764
+ * Transforms raw table data into chart-friendly data points
2765
+ * based on the chart configuration.
2766
+ */
2767
+ declare function useChartData<T>({ data, config, columns }: UseChartDataOptions<T>): {
2768
+ chartData: ChartDataPoint[];
2769
+ series: {
2770
+ key: string;
2771
+ name: string;
2772
+ color: string;
2773
+ }[];
2774
+ };
2775
+
2776
+ interface UseChartConfigOptions {
2777
+ tableId?: string;
2778
+ }
2779
+ /**
2780
+ * Manages chart instances — create, update, delete, persist to localStorage.
2781
+ */
2782
+ declare function useChartConfig({ tableId }?: UseChartConfigOptions): {
2783
+ charts: ChartInstance[];
2784
+ addChart: (config: ChartConfig) => ChartInstance;
2785
+ updateChart: (id: string, config: Partial<ChartConfig>) => void;
2786
+ removeChart: (id: string) => void;
2787
+ clearCharts: () => void;
2788
+ builderOpen: boolean;
2789
+ openBuilder: (chartId?: string) => void;
2790
+ closeBuilder: () => void;
2791
+ editingChart: ChartInstance | null;
2792
+ editingChartId: string | null;
2793
+ };
2794
+
2795
+ declare const lightTheme: TableThemeConfig;
2796
+ declare const darkTheme: TableThemeConfig;
2797
+ declare const quartzTheme: TableThemeConfig;
2798
+ declare const alpineTheme: TableThemeConfig;
2799
+ /** All built-in themes indexed by name */
2800
+ declare const builtInThemes: Record<string, TableThemeConfig>;
2801
+ /**
2802
+ * Deep-merge overrides onto a base theme.
2803
+ * Supports partial overrides at every level.
2804
+ */
2805
+ declare function createTheme(base: TableThemeConfig, overrides: Partial<TableThemeConfig>): TableThemeConfig;
2806
+
2807
+ declare function getNestedValue(obj: any, path: string): any;
2808
+ declare function getCellValue<T>(row: T, column: ColumnDef<T>): any;
2809
+ declare function getRowKey<T>(row: T, rowKey: string | ((row: T) => string) | undefined, index: number): string;
2810
+ declare function sortData<T>(data: T[], sorts: SortState[], columns: ColumnDef<T>[]): T[];
2811
+ declare function filterData<T>(data: T[], filters: FilterValue[], globalSearch: string, columns: ColumnDef<T>[]): T[];
2812
+ declare function paginateData<T>(data: T[], page: number, pageSize: number): T[];
2813
+ declare function groupData<T>(data: T[], groupBy: string): Map<any, T[]>;
2814
+ declare function exportToCSV$1<T>(data: T[], columns: ColumnDef<T>[], filename?: string): void;
2815
+ declare function exportToJSON<T>(data: T[], filename?: string): void;
2816
+ declare function handleExport<T>(format: ExportFormat, data: T[], columns: ColumnDef<T>[], onExport?: (format: ExportFormat, data: T[]) => void): void;
2817
+ declare function reorderArray<T>(arr: T[], fromIndex: number, toIndex: number): T[];
2818
+
2819
+ /**
2820
+ * Export data to CSV format.
2821
+ * @param data - Array of data rows
2822
+ * @param columns - All column definitions
2823
+ * @param columnIds - Optional subset of column IDs to export
2824
+ * @param filename - Output filename (without extension)
2825
+ */
2826
+ declare function exportToCSV<T>(data: T[], columns: ColumnDef<T>[], columnIds?: string[], filename?: string): void;
2827
+ /**
2828
+ * Export data to Excel (.xlsx) format using the xlsx library.
2829
+ * @param data - Array of data rows
2830
+ * @param columns - All column definitions
2831
+ * @param columnIds - Optional subset of column IDs to export
2832
+ * @param filename - Output filename (without extension)
2833
+ * @param sheetName - Excel sheet name
2834
+ */
2835
+ declare function exportToExcel<T>(data: T[], columns: ColumnDef<T>[], columnIds?: string[], filename?: string, sheetName?: string): Promise<void>;
2836
+
2837
+ /**
2838
+ * Row numbering plugin — adds a virtual "#" column showing row index.
2839
+ */
2840
+ declare function createRowNumberPlugin(): DataTablePlugin;
2841
+ /**
2842
+ * Row grouping plugin — groups data by a field and injects group headers.
2843
+ * Use with custom row rendering for best results.
2844
+ */
2845
+ declare function createGroupingPlugin<T>(groupByField: string, renderGroupHeader?: (groupValue: any, rows: T[]) => React__default.ReactNode): DataTablePlugin<T>;
2846
+ /**
2847
+ * Selection summary plugin — renders a footer showing selection count.
2848
+ */
2849
+ declare function createSelectionSummaryPlugin<T>(): DataTablePlugin<T>;
2850
+ /**
2851
+ * Data transformation plugin — apply a custom transform to data.
2852
+ */
2853
+ declare function createTransformPlugin<T>(name: string, transform: (data: T[]) => T[]): DataTablePlugin<T>;
2854
+
2855
+ interface ToolbarProps<T> {
2856
+ globalSearch: string;
2857
+ onSearchChange: (value: string) => void;
2858
+ searchDebounce?: number;
2859
+ viewMode: ViewMode;
2860
+ onViewModeChange: (mode: ViewMode) => void;
2861
+ views?: ViewMode[];
2862
+ exportFormats?: ExportFormat[];
2863
+ onExport?: (format: ExportFormat) => void;
2864
+ columns?: ColumnDef<T>[];
2865
+ hiddenColumns?: Set<string>;
2866
+ onToggleColumn?: (columnId: string) => void;
2867
+ enableColumnVisibility?: boolean;
2868
+ hasActiveFilters?: boolean;
2869
+ onClearFilters?: () => void;
2870
+ presets?: FilterPreset[];
2871
+ pluginToolbar?: React__default.ReactNode;
2872
+ className?: string;
2873
+ }
2874
+ declare function Toolbar<T>({ globalSearch, onSearchChange, searchDebounce, viewMode, onViewModeChange, views, exportFormats, onExport, hasActiveFilters, onClearFilters, pluginToolbar, className, }: ToolbarProps<T>): react_jsx_runtime.JSX.Element;
2875
+
2876
+ interface BulkActionsProps<T> {
2877
+ selectedCount: number;
2878
+ selectedRows: T[];
2879
+ actions: BulkAction<T>[];
2880
+ onClearSelection: () => void;
2881
+ }
2882
+ declare function BulkActions<T>({ selectedCount, selectedRows, actions, onClearSelection, }: BulkActionsProps<T>): react_jsx_runtime.JSX.Element | null;
2883
+
2884
+ interface ColumnFilterProps<T> {
2885
+ column: ColumnDef<T>;
2886
+ value: unknown;
2887
+ onChange: (columnId: string, value: unknown, operator?: FilterValue['operator']) => void;
2888
+ }
2889
+ declare function ColumnFilter<T>({ column, value, onChange }: ColumnFilterProps<T>): react_jsx_runtime.JSX.Element;
2890
+
2891
+ interface DataTableHeaderProps<T> {
2892
+ columns: ColumnDef<T>[];
2893
+ getSortDirection: (columnId: string) => SortDirection;
2894
+ onSort: (columnId: string) => void;
2895
+ columnWidths: Record<string, number>;
2896
+ onResize?: (columnId: string, width: number) => void;
2897
+ enableResizing?: boolean;
2898
+ enableReordering?: boolean;
2899
+ onReorder?: (fromIndex: number, toIndex: number) => void;
2900
+ onReorderById?: (fromId: string, toId: string) => void;
2901
+ showCheckbox?: boolean;
2902
+ isAllSelected?: boolean;
2903
+ isSomeSelected?: boolean;
2904
+ onToggleAll?: () => void;
2905
+ showExpandToggle?: boolean;
2906
+ showActions?: boolean;
2907
+ compact?: boolean;
2908
+ getFilterValue?: (columnId: string) => unknown;
2909
+ onFilterChange?: (columnId: string, value: unknown, operator?: FilterValue['operator']) => void;
2910
+ floatingFilters?: boolean;
2911
+ showColumnGroups?: boolean;
2912
+ }
2913
+ declare function DataTableHeaderInner<T>({ columns, getSortDirection, onSort, columnWidths, onResize, enableResizing, enableReordering, onReorder, onReorderById, showCheckbox, isAllSelected, isSomeSelected, onToggleAll, showExpandToggle, showActions, compact, getFilterValue, onFilterChange, floatingFilters, showColumnGroups, }: DataTableHeaderProps<T>): react_jsx_runtime.JSX.Element;
2914
+ declare const DataTableHeader: typeof DataTableHeaderInner;
2915
+
2916
+ interface DataTableRowProps<T> {
2917
+ row: T;
2918
+ rowIndex: number;
2919
+ rowKey: string;
2920
+ columns: ColumnDef<T>[];
2921
+ columnWidths: Record<string, number>;
2922
+ isSelected: boolean;
2923
+ isExpanded: boolean;
2924
+ showCheckbox: boolean;
2925
+ showExpandToggle: boolean;
2926
+ rowActions?: RowAction<T>[];
2927
+ onToggleSelect: (key: string) => void;
2928
+ onShiftSelect?: (key: string) => void;
2929
+ onToggleExpand: (key: string) => void;
2930
+ onClick?: (row: T) => void;
2931
+ onDoubleClick?: (row: T) => void;
2932
+ editingCell: {
2933
+ rowKey: string;
2934
+ columnId: string;
2935
+ } | null;
2936
+ onStartEdit: (rowKey: string, columnId: string) => void;
2937
+ onSaveEdit: (rowKey: string, columnId: string, value: unknown) => void;
2938
+ onCancelEdit: () => void;
2939
+ expandContent?: React__default.ReactNode;
2940
+ striped?: boolean;
2941
+ compact?: boolean;
2942
+ rowClassName?: string;
2943
+ /** Theme-resolved inline style for this row */
2944
+ rowStyle?: React__default.CSSProperties;
2945
+ onContextMenu?: (e: React__default.MouseEvent) => void;
2946
+ validationErrors?: Record<string, string>;
2947
+ pendingEdits?: Record<string, unknown>;
2948
+ isEditingRow?: boolean;
2949
+ onPendingChange?: (columnId: string, value: unknown) => void;
2950
+ /** Enable cell tooltips */
2951
+ enableTooltips?: boolean;
2952
+ /** Theme tooltip style */
2953
+ tooltipStyle?: React__default.CSSProperties;
2954
+ /** Theme cell style resolver */
2955
+ getCellStyle?: (row: T, column: ColumnDef<T>, value?: unknown) => React__default.CSSProperties;
2956
+ }
2957
+ declare function DataTableRowInner<T>({ row, rowIndex, rowKey, columns, columnWidths, isSelected, isExpanded, showCheckbox, showExpandToggle, rowActions, onToggleSelect, onShiftSelect, onToggleExpand, onClick, onDoubleClick, editingCell, onStartEdit, onSaveEdit, onCancelEdit, expandContent, striped, compact, rowClassName, rowStyle, onContextMenu, validationErrors, pendingEdits, isEditingRow, onPendingChange, enableTooltips, tooltipStyle, getCellStyle, }: DataTableRowProps<T>): react_jsx_runtime.JSX.Element;
2958
+ declare const DataTableRow: typeof DataTableRowInner;
2959
+
2960
+ interface TableCellComponentProps<T> {
2961
+ row: T;
2962
+ rowIndex: number;
2963
+ column: ColumnDef<T>;
2964
+ isEditing: boolean;
2965
+ onStartEdit: () => void;
2966
+ onSaveEdit: (value: unknown) => void;
2967
+ onCancelEdit: () => void;
2968
+ width?: number;
2969
+ className?: string;
2970
+ validationError?: string | null;
2971
+ pendingValue?: unknown;
2972
+ onPendingChange?: (value: unknown) => void;
2973
+ /** Enable tooltip for this cell */
2974
+ enableTooltip?: boolean;
2975
+ /** Theme tooltip style */
2976
+ tooltipStyle?: React__default.CSSProperties;
2977
+ /** Theme-resolved cell style */
2978
+ themeCellStyle?: React__default.CSSProperties;
2979
+ }
2980
+ declare function TableCellInner<T>({ row, rowIndex, column, isEditing, onStartEdit, onSaveEdit, onCancelEdit, width, className, validationError, pendingValue, onPendingChange, enableTooltip, tooltipStyle, themeCellStyle, }: TableCellComponentProps<T>): react_jsx_runtime.JSX.Element;
2981
+ declare const DataTableCell: typeof TableCellInner;
2982
+
2983
+ interface DataTablePaginationProps {
2984
+ page: number;
2985
+ pageSize: number;
2986
+ totalPages: number;
2987
+ totalItems: number;
2988
+ pageSizeOptions: number[];
2989
+ onPageChange: (page: number) => void;
2990
+ onPageSizeChange: (size: number) => void;
2991
+ }
2992
+ declare const DataTablePagination: React__default.FC<DataTablePaginationProps>;
2993
+
2994
+ interface TableViewProps<T> {
2995
+ table: UseDataTableReturn<T>;
2996
+ props: DataTableProps<T>;
2997
+ onContextMenu?: (e: React__default.MouseEvent, row: T) => void;
2998
+ }
2999
+ declare function TableView<T>({ table, props, onContextMenu }: TableViewProps<T>): react_jsx_runtime.JSX.Element;
3000
+
3001
+ interface GridViewProps<T> {
3002
+ table: UseDataTableReturn<T>;
3003
+ props: DataTableProps<T>;
3004
+ }
3005
+ declare function GridView<T>({ table, props }: GridViewProps<T>): react_jsx_runtime.JSX.Element;
3006
+
3007
+ interface ListViewProps<T> {
3008
+ table: UseDataTableReturn<T>;
3009
+ props: DataTableProps<T>;
3010
+ }
3011
+ declare function ListView<T>({ table, props }: ListViewProps<T>): react_jsx_runtime.JSX.Element;
3012
+
3013
+ interface SidebarPanelProps<T> {
3014
+ panels: SidebarPanelConfig[];
3015
+ activePanel: string | null;
3016
+ onClose: () => void;
3017
+ columns?: ColumnDef<T>[];
3018
+ hiddenColumns?: Set<string>;
3019
+ columnOrder?: string[];
3020
+ onToggleColumn?: (columnId: string) => void;
3021
+ onReorderColumns?: (fromId: string, toId: string) => void;
3022
+ filters?: FilterValue[];
3023
+ onFilterChange?: (columnId: string, value: unknown, operator?: FilterValue['operator']) => void;
3024
+ onClearFilters?: () => void;
3025
+ }
3026
+ declare function SidebarPanel<T>({ panels, activePanel, onClose, columns, hiddenColumns, columnOrder, onToggleColumn, onReorderColumns, filters, onFilterChange, onClearFilters, }: SidebarPanelProps<T>): react_jsx_runtime.JSX.Element | null;
3027
+
3028
+ interface PresetManagerProps {
3029
+ presets: TablePreset[];
3030
+ onSave: (name: string, config: TablePresetConfig) => void;
3031
+ onLoad: (id: string) => void;
3032
+ onDelete: (id: string) => void;
3033
+ onRename: (id: string, name: string) => void;
3034
+ getCurrentConfig: () => TablePresetConfig;
3035
+ }
3036
+ declare const PresetManager: React__default.FC<PresetManagerProps>;
3037
+
3038
+ interface ContextMenuProps<T> {
3039
+ x: number;
3040
+ y: number;
3041
+ row: T;
3042
+ items: ContextMenuItem<T>[];
3043
+ onClose: () => void;
3044
+ }
3045
+ declare function ContextMenu<T>({ x, y, row, items, onClose }: ContextMenuProps<T>): react_jsx_runtime.JSX.Element | null;
3046
+
3047
+ interface GroupRowProps<T> {
3048
+ group: GroupedRow<T>;
3049
+ colSpan: number;
3050
+ isExpanded: boolean;
3051
+ onToggle: (groupKey: string) => void;
3052
+ renderGroupHeader?: (groupKey: string, groupValue: any, rows: T[], level: number) => React__default.ReactNode;
3053
+ }
3054
+ declare function GroupRowComponent<T>({ group, colSpan, isExpanded, onToggle, renderGroupHeader, }: GroupRowProps<T>): react_jsx_runtime.JSX.Element;
3055
+
3056
+ interface StatusBarProps<T> {
3057
+ config: StatusBarConfig<T>;
3058
+ data: T[];
3059
+ state: DataTableState<T>;
3060
+ }
3061
+ declare function StatusBar<T>({ config, data, state }: StatusBarProps<T>): react_jsx_runtime.JSX.Element | null;
3062
+
3063
+ interface FloatingFilterRowProps<T> {
3064
+ columns: ColumnDef<T>[];
3065
+ getFilterValue: (columnId: string) => unknown;
3066
+ onFilterChange: (columnId: string, value: unknown, operator?: FilterValue['operator']) => void;
3067
+ showCheckbox?: boolean;
3068
+ showExpandToggle?: boolean;
3069
+ showActions?: boolean;
3070
+ compact?: boolean;
3071
+ }
3072
+ declare function FloatingFilterRow<T>({ columns, getFilterValue, onFilterChange, showCheckbox, showExpandToggle, showActions, compact, }: FloatingFilterRowProps<T>): react_jsx_runtime.JSX.Element;
3073
+
3074
+ interface PortalDropdownProps {
3075
+ anchorRef: React.RefObject<HTMLElement | null>;
3076
+ open: boolean;
3077
+ onClose: () => void;
3078
+ children: ReactNode;
3079
+ /** Preferred alignment relative to anchor */
3080
+ align?: 'left' | 'right';
3081
+ /** Gap between anchor and dropdown in px */
3082
+ offset?: number;
3083
+ /** Min width of the dropdown */
3084
+ minWidth?: number;
3085
+ className?: string;
3086
+ }
3087
+ declare function PortalDropdown({ anchorRef, open, onClose, children, align, offset, minWidth, className, }: PortalDropdownProps): React$1.ReactPortal | null;
3088
+
3089
+ interface DataChartProps<T> {
3090
+ data: T[];
3091
+ config: ChartConfig;
3092
+ columns: ColumnDef<T>[];
3093
+ onRemove?: () => void;
3094
+ onEdit?: () => void;
3095
+ className?: string;
3096
+ }
3097
+ declare function DataChart<T>({ data, config, columns, onRemove, onEdit, className, }: DataChartProps<T>): react_jsx_runtime.JSX.Element;
3098
+
3099
+ interface ChartBuilderModalProps<T> {
3100
+ open: boolean;
3101
+ onClose: () => void;
3102
+ onSave: (config: ChartConfig) => void;
3103
+ onUpdate?: (id: string, config: Partial<ChartConfig>) => void;
3104
+ columns: ColumnDef<T>[];
3105
+ data: T[];
3106
+ editingChart?: ChartInstance | null;
3107
+ }
3108
+ declare function ChartBuilderModal<T>({ open, onClose, onSave, onUpdate, columns, data, editingChart, }: ChartBuilderModalProps<T>): react_jsx_runtime.JSX.Element | null;
3109
+
3110
+ interface ChartPanelProps<T> {
3111
+ charts: ChartInstance[];
3112
+ data: T[];
3113
+ columns: ColumnDef<T>[];
3114
+ onAddChart: () => void;
3115
+ onEditChart: (id: string) => void;
3116
+ onRemoveChart: (id: string) => void;
3117
+ }
3118
+ declare function ChartPanel<T>({ charts, data, columns, onAddChart, onEditChart, onRemoveChart, }: ChartPanelProps<T>): react_jsx_runtime.JSX.Element;
3119
+
3120
+ interface CellTooltipProps {
3121
+ content: string | ReactNode;
3122
+ children: ReactNode;
3123
+ /** Delay before showing in ms */
3124
+ delay?: number;
3125
+ /** Custom tooltip styles (from theme) */
3126
+ style?: React.CSSProperties;
3127
+ /** Disabled */
3128
+ disabled?: boolean;
3129
+ }
3130
+ declare function CellTooltip({ content, children, delay, style, disabled, }: CellTooltipProps): react_jsx_runtime.JSX.Element;
3131
+
3132
+ export { BulkActions, CellTooltip, ChartBuilderModal, ChartPanel, ColumnFilter, ContextMenu, DataChart, DataTable, DataTableCell, DataTableHeader, DataTablePagination, DataTableRow, FloatingFilterRow, GridView, GroupRowComponent, ListView, PortalDropdown, PresetManager, SidebarPanel, StatusBar, TableView, Toolbar, alpineTheme, builtInThemes, createGroupingPlugin, createRowNumberPlugin, createSelectionSummaryPlugin, createTheme, createTransformPlugin, darkTheme, exportToCSV, exportToCSV$1 as exportToCSVLegacy, exportToExcel, exportToJSON, filterData, getCellValue, getNestedValue, getRowKey, groupData, handleExport, lightTheme, paginateData, quartzTheme, reorderArray, sortData, useChartConfig, useChartData, useColumnManager, useDataTable, useEditing, useFilters, usePagination, usePersistence, usePresets, useRowGrouping, useSelection, useSorting, useTheme, useTreeData, useVirtualization };
3133
+ export type { AggregationType, BulkAction, CellRenderProps, CellValidationRule, ChartConfig, ChartInstance, ChartType, ColumnDef, ColumnFilterProps$1 as ColumnFilterProps, ConditionalStyleRule, ContextMenuItem, DataMode, DataTablePlugin, DataTableProps, DataTableState, DataTableTheme, EditCellProps, ExpandableConfig, ExportFormat, FilterConfig, FilterPreset, FilterType, FilterValue, FlattenedTreeRow, GroupedRow, HeaderRenderProps, MasterDetailConfig, PaginationConfig, PinPosition, RowAction, RowEditConfig, RowGroupConfig, RowGroupingConfig, RowPinPosition, RowPinningConfig, RowStyleRule, SelectionConfig, SelectionMode, ServerFetchParams, ServerFetchResult, ServerSideConfig, SidebarPanelConfig, SidebarPanelType, SortConfig, SortDirection, SortState, StatusBarConfig, StatusBarItem, TablePreset, TablePresetConfig, TableThemeConfig, ThemeColors, ThemeSpacing, ThemeTypography, TreeDataConfig, UseDataTableReturn, ViewMode, VirtualRange, VirtualizationConfig };