@expcat/tigercat-core 0.3.69 → 0.4.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/index.cjs +516 -3
- package/dist/index.d.cts +657 -5
- package/dist/index.d.ts +657 -5
- package/dist/index.js +448 -2
- package/package.json +1 -1
package/dist/index.d.ts
CHANGED
|
@@ -518,6 +518,18 @@ interface TigerLocaleFormWizard {
|
|
|
518
518
|
nextText?: string;
|
|
519
519
|
finishText?: string;
|
|
520
520
|
}
|
|
521
|
+
interface TigerLocaleTaskBoard {
|
|
522
|
+
/** Placeholder shown inside an empty column */
|
|
523
|
+
emptyColumnText?: string;
|
|
524
|
+
/** Label for the add-card button */
|
|
525
|
+
addCardText?: string;
|
|
526
|
+
/** Template: supports {limit} */
|
|
527
|
+
wipLimitText?: string;
|
|
528
|
+
/** Aria hint for draggable items */
|
|
529
|
+
dragHintText?: string;
|
|
530
|
+
/** Aria label for the board root region */
|
|
531
|
+
boardAriaLabel?: string;
|
|
532
|
+
}
|
|
521
533
|
interface TigerLocale {
|
|
522
534
|
common?: TigerLocaleCommon;
|
|
523
535
|
modal?: TigerLocaleModal;
|
|
@@ -525,6 +537,7 @@ interface TigerLocale {
|
|
|
525
537
|
upload?: TigerLocaleUpload;
|
|
526
538
|
pagination?: TigerLocalePagination;
|
|
527
539
|
formWizard?: TigerLocaleFormWizard;
|
|
540
|
+
taskBoard?: TigerLocaleTaskBoard;
|
|
528
541
|
}
|
|
529
542
|
|
|
530
543
|
declare function resolveLocaleText(fallback: string, ...candidates: Array<string | null | undefined>): string;
|
|
@@ -565,6 +578,9 @@ declare function formatPaginationTotal(template: string, total: number, range: [
|
|
|
565
578
|
* @returns Formatted string
|
|
566
579
|
*/
|
|
567
580
|
declare function formatPageAriaLabel(template: string, page: number): string;
|
|
581
|
+
declare const DEFAULT_TASK_BOARD_LABELS: Required<TigerLocaleTaskBoard>;
|
|
582
|
+
declare const ZH_CN_TASK_BOARD_LABELS: Required<TigerLocaleTaskBoard>;
|
|
583
|
+
declare function getTaskBoardLabels(locale?: Partial<TigerLocale>): Required<TigerLocaleTaskBoard>;
|
|
568
584
|
|
|
569
585
|
/**
|
|
570
586
|
* DatePicker component types and interfaces
|
|
@@ -7304,6 +7320,393 @@ interface TextProps {
|
|
|
7304
7320
|
*/
|
|
7305
7321
|
declare function getTextClasses(props: TextProps): string;
|
|
7306
7322
|
|
|
7323
|
+
/**
|
|
7324
|
+
* Image component types and interfaces
|
|
7325
|
+
*/
|
|
7326
|
+
/**
|
|
7327
|
+
* Image object-fit types
|
|
7328
|
+
*/
|
|
7329
|
+
type ImageFit = 'contain' | 'cover' | 'fill' | 'none' | 'scale-down';
|
|
7330
|
+
/**
|
|
7331
|
+
* Crop rectangle describing the cropped area
|
|
7332
|
+
*/
|
|
7333
|
+
interface CropRect {
|
|
7334
|
+
/** X offset from left edge */
|
|
7335
|
+
x: number;
|
|
7336
|
+
/** Y offset from top edge */
|
|
7337
|
+
y: number;
|
|
7338
|
+
/** Width of the crop area */
|
|
7339
|
+
width: number;
|
|
7340
|
+
/** Height of the crop area */
|
|
7341
|
+
height: number;
|
|
7342
|
+
}
|
|
7343
|
+
/**
|
|
7344
|
+
* Result returned by the cropper after cropping
|
|
7345
|
+
*/
|
|
7346
|
+
interface CropResult {
|
|
7347
|
+
/** The canvas element with the cropped image */
|
|
7348
|
+
canvas: HTMLCanvasElement;
|
|
7349
|
+
/** Blob of the cropped image */
|
|
7350
|
+
blob: Blob;
|
|
7351
|
+
/** Data URL of the cropped image */
|
|
7352
|
+
dataUrl: string;
|
|
7353
|
+
/** The crop rectangle used */
|
|
7354
|
+
cropRect: CropRect;
|
|
7355
|
+
}
|
|
7356
|
+
/**
|
|
7357
|
+
* Resize handle direction for cropper
|
|
7358
|
+
*/
|
|
7359
|
+
type CropHandle = 'nw' | 'n' | 'ne' | 'e' | 'se' | 's' | 'sw' | 'w';
|
|
7360
|
+
/**
|
|
7361
|
+
* Image preview toolbar action types
|
|
7362
|
+
*/
|
|
7363
|
+
type ImagePreviewToolbarAction = 'zoomIn' | 'zoomOut' | 'reset' | 'prev' | 'next' | 'close';
|
|
7364
|
+
/**
|
|
7365
|
+
* Navigation state for preview with multiple images
|
|
7366
|
+
*/
|
|
7367
|
+
interface PreviewNavState {
|
|
7368
|
+
hasPrev: boolean;
|
|
7369
|
+
hasNext: boolean;
|
|
7370
|
+
counter: string;
|
|
7371
|
+
}
|
|
7372
|
+
/**
|
|
7373
|
+
* Base Image component props
|
|
7374
|
+
*/
|
|
7375
|
+
interface ImageProps {
|
|
7376
|
+
/**
|
|
7377
|
+
* Image source URL
|
|
7378
|
+
*/
|
|
7379
|
+
src?: string;
|
|
7380
|
+
/**
|
|
7381
|
+
* Alternative text for image
|
|
7382
|
+
*/
|
|
7383
|
+
alt?: string;
|
|
7384
|
+
/**
|
|
7385
|
+
* Image width (CSS value)
|
|
7386
|
+
*/
|
|
7387
|
+
width?: number | string;
|
|
7388
|
+
/**
|
|
7389
|
+
* Image height (CSS value)
|
|
7390
|
+
*/
|
|
7391
|
+
height?: number | string;
|
|
7392
|
+
/**
|
|
7393
|
+
* Object-fit behavior for the image
|
|
7394
|
+
* @default 'cover'
|
|
7395
|
+
*/
|
|
7396
|
+
fit?: ImageFit;
|
|
7397
|
+
/**
|
|
7398
|
+
* Fallback image source when loading fails
|
|
7399
|
+
*/
|
|
7400
|
+
fallbackSrc?: string;
|
|
7401
|
+
/**
|
|
7402
|
+
* Whether clicking the image triggers preview
|
|
7403
|
+
* @default true
|
|
7404
|
+
*/
|
|
7405
|
+
preview?: boolean;
|
|
7406
|
+
/**
|
|
7407
|
+
* Whether to lazy load the image using IntersectionObserver
|
|
7408
|
+
* @default false
|
|
7409
|
+
*/
|
|
7410
|
+
lazy?: boolean;
|
|
7411
|
+
/**
|
|
7412
|
+
* Additional CSS classes
|
|
7413
|
+
*/
|
|
7414
|
+
className?: string;
|
|
7415
|
+
}
|
|
7416
|
+
/**
|
|
7417
|
+
* ImagePreview component props
|
|
7418
|
+
*/
|
|
7419
|
+
interface ImagePreviewProps {
|
|
7420
|
+
/**
|
|
7421
|
+
* Whether the preview is visible
|
|
7422
|
+
*/
|
|
7423
|
+
visible: boolean;
|
|
7424
|
+
/**
|
|
7425
|
+
* Array of image URLs to preview
|
|
7426
|
+
*/
|
|
7427
|
+
images: string[];
|
|
7428
|
+
/**
|
|
7429
|
+
* Current image index (for multi-image preview)
|
|
7430
|
+
* @default 0
|
|
7431
|
+
*/
|
|
7432
|
+
currentIndex?: number;
|
|
7433
|
+
/**
|
|
7434
|
+
* Custom z-index for the preview overlay
|
|
7435
|
+
* @default 1050
|
|
7436
|
+
*/
|
|
7437
|
+
zIndex?: number;
|
|
7438
|
+
/**
|
|
7439
|
+
* Whether clicking the mask closes the preview
|
|
7440
|
+
* @default true
|
|
7441
|
+
*/
|
|
7442
|
+
maskClosable?: boolean;
|
|
7443
|
+
/**
|
|
7444
|
+
* Scale step for zoom in/out
|
|
7445
|
+
* @default 0.5
|
|
7446
|
+
*/
|
|
7447
|
+
scaleStep?: number;
|
|
7448
|
+
/**
|
|
7449
|
+
* Minimum scale factor
|
|
7450
|
+
* @default 0.25
|
|
7451
|
+
*/
|
|
7452
|
+
minScale?: number;
|
|
7453
|
+
/**
|
|
7454
|
+
* Maximum scale factor
|
|
7455
|
+
* @default 5
|
|
7456
|
+
*/
|
|
7457
|
+
maxScale?: number;
|
|
7458
|
+
}
|
|
7459
|
+
/**
|
|
7460
|
+
* ImageGroup component props
|
|
7461
|
+
*/
|
|
7462
|
+
interface ImageGroupProps {
|
|
7463
|
+
/**
|
|
7464
|
+
* Whether to enable preview for all child images
|
|
7465
|
+
* @default true
|
|
7466
|
+
*/
|
|
7467
|
+
preview?: boolean;
|
|
7468
|
+
}
|
|
7469
|
+
/**
|
|
7470
|
+
* ImageCropper component props
|
|
7471
|
+
*/
|
|
7472
|
+
interface ImageCropperProps {
|
|
7473
|
+
/**
|
|
7474
|
+
* Image source URL to crop
|
|
7475
|
+
*/
|
|
7476
|
+
src: string;
|
|
7477
|
+
/**
|
|
7478
|
+
* Fixed aspect ratio (width / height). Leave undefined for free cropping.
|
|
7479
|
+
* @example 1 for square, 16/9 for widescreen
|
|
7480
|
+
*/
|
|
7481
|
+
aspectRatio?: number;
|
|
7482
|
+
/**
|
|
7483
|
+
* Minimum crop width in pixels
|
|
7484
|
+
* @default 20
|
|
7485
|
+
*/
|
|
7486
|
+
minWidth?: number;
|
|
7487
|
+
/**
|
|
7488
|
+
* Minimum crop height in pixels
|
|
7489
|
+
* @default 20
|
|
7490
|
+
*/
|
|
7491
|
+
minHeight?: number;
|
|
7492
|
+
/**
|
|
7493
|
+
* Output image MIME type
|
|
7494
|
+
* @default 'image/png'
|
|
7495
|
+
*/
|
|
7496
|
+
outputType?: 'image/png' | 'image/jpeg' | 'image/webp';
|
|
7497
|
+
/**
|
|
7498
|
+
* Output image quality (0-1, only for jpeg/webp)
|
|
7499
|
+
* @default 0.92
|
|
7500
|
+
*/
|
|
7501
|
+
quality?: number;
|
|
7502
|
+
/**
|
|
7503
|
+
* Whether to show crop guide lines (rule of thirds)
|
|
7504
|
+
* @default true
|
|
7505
|
+
*/
|
|
7506
|
+
guides?: boolean;
|
|
7507
|
+
/**
|
|
7508
|
+
* Additional CSS classes
|
|
7509
|
+
*/
|
|
7510
|
+
className?: string;
|
|
7511
|
+
}
|
|
7512
|
+
/**
|
|
7513
|
+
* CropUpload component props
|
|
7514
|
+
*/
|
|
7515
|
+
interface CropUploadProps {
|
|
7516
|
+
/**
|
|
7517
|
+
* Accepted file types
|
|
7518
|
+
* @default 'image/*'
|
|
7519
|
+
*/
|
|
7520
|
+
accept?: string;
|
|
7521
|
+
/**
|
|
7522
|
+
* Whether the component is disabled
|
|
7523
|
+
* @default false
|
|
7524
|
+
*/
|
|
7525
|
+
disabled?: boolean;
|
|
7526
|
+
/**
|
|
7527
|
+
* Maximum file size in bytes
|
|
7528
|
+
*/
|
|
7529
|
+
maxSize?: number;
|
|
7530
|
+
/**
|
|
7531
|
+
* Props to pass to the internal ImageCropper
|
|
7532
|
+
*/
|
|
7533
|
+
cropperProps?: Partial<Omit<ImageCropperProps, 'src'>>;
|
|
7534
|
+
/**
|
|
7535
|
+
* Title for the crop modal
|
|
7536
|
+
* @default '裁剪图片'
|
|
7537
|
+
*/
|
|
7538
|
+
modalTitle?: string;
|
|
7539
|
+
/**
|
|
7540
|
+
* Width of the crop modal
|
|
7541
|
+
* @default 520
|
|
7542
|
+
*/
|
|
7543
|
+
modalWidth?: number;
|
|
7544
|
+
/**
|
|
7545
|
+
* Additional CSS classes
|
|
7546
|
+
*/
|
|
7547
|
+
className?: string;
|
|
7548
|
+
}
|
|
7549
|
+
|
|
7550
|
+
/**
|
|
7551
|
+
* Image component utilities
|
|
7552
|
+
* Shared styles and helpers for Image, ImagePreview, ImageCropper components
|
|
7553
|
+
*/
|
|
7554
|
+
|
|
7555
|
+
/**
|
|
7556
|
+
* Base classes for Image wrapper
|
|
7557
|
+
*/
|
|
7558
|
+
declare const imageBaseClasses = "relative inline-block overflow-hidden";
|
|
7559
|
+
/**
|
|
7560
|
+
* Classes for the <img> element based on fit
|
|
7561
|
+
*/
|
|
7562
|
+
declare function getImageImgClasses(fit: ImageFit): string;
|
|
7563
|
+
/**
|
|
7564
|
+
* Classes for the error placeholder
|
|
7565
|
+
*/
|
|
7566
|
+
declare const imageErrorClasses = "flex items-center justify-center w-full h-full bg-[var(--tiger-image-error-bg,#f3f4f6)] text-[var(--tiger-image-error-text,#9ca3af)]";
|
|
7567
|
+
/**
|
|
7568
|
+
* Classes for the loading placeholder
|
|
7569
|
+
*/
|
|
7570
|
+
declare const imageLoadingClasses = "flex items-center justify-center w-full h-full bg-[var(--tiger-image-error-bg,#f3f4f6)] text-[var(--tiger-image-error-text,#9ca3af)] animate-pulse";
|
|
7571
|
+
/**
|
|
7572
|
+
* Cursor class when preview is enabled
|
|
7573
|
+
*/
|
|
7574
|
+
declare const imagePreviewCursorClass = "cursor-pointer";
|
|
7575
|
+
/** Broken image icon path (used in error state) */
|
|
7576
|
+
declare const imageErrorIconPath = "M4 16l4.586-4.586a2 2 0 012.828 0L16 16m-2-2l1.586-1.586a2 2 0 012.828 0L20 14m-6-6h.01M6 20h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z";
|
|
7577
|
+
/** Zoom in icon path */
|
|
7578
|
+
declare const zoomInIconPath = "M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0zM10 7v6m3-3H7";
|
|
7579
|
+
/** Zoom out icon path */
|
|
7580
|
+
declare const zoomOutIconPath = "M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0zM13 10H7";
|
|
7581
|
+
/** Reset icon path (arrows forming a circle) */
|
|
7582
|
+
declare const resetIconPath = "M4 4v5h.582m15.356 2A8.001 8.001 0 004.582 9m0 0H9m11 11v-5h-.581m0 0a8.003 8.003 0 01-15.357-2m15.357 2H15";
|
|
7583
|
+
/** Left arrow icon path */
|
|
7584
|
+
declare const prevIconPath = "M15 19l-7-7 7-7";
|
|
7585
|
+
/** Right arrow icon path */
|
|
7586
|
+
declare const nextIconPath = "M9 5l7 7-7 7";
|
|
7587
|
+
/** Close icon path */
|
|
7588
|
+
declare const previewCloseIconPath = "M6 18L18 6M6 6l12 12";
|
|
7589
|
+
/**
|
|
7590
|
+
* Preview mask/backdrop classes
|
|
7591
|
+
*/
|
|
7592
|
+
declare const imagePreviewMaskClasses = "fixed inset-0 bg-[var(--tiger-image-mask,rgba(0,0,0,0.85))] transition-opacity";
|
|
7593
|
+
/**
|
|
7594
|
+
* Preview wrapper classes (full screen container)
|
|
7595
|
+
*/
|
|
7596
|
+
declare const imagePreviewWrapperClasses = "fixed inset-0 flex items-center justify-center select-none";
|
|
7597
|
+
/**
|
|
7598
|
+
* Preview image classes
|
|
7599
|
+
*/
|
|
7600
|
+
declare const imagePreviewImgClasses = "max-w-none transition-transform duration-150 ease-out cursor-grab active:cursor-grabbing";
|
|
7601
|
+
/**
|
|
7602
|
+
* Preview toolbar classes
|
|
7603
|
+
*/
|
|
7604
|
+
declare const imagePreviewToolbarClasses = "absolute bottom-6 left-1/2 -translate-x-1/2 flex items-center gap-2 px-4 py-2 rounded-full bg-[var(--tiger-image-toolbar-bg,rgba(0,0,0,0.6))] text-white";
|
|
7605
|
+
/**
|
|
7606
|
+
* Preview toolbar button classes
|
|
7607
|
+
*/
|
|
7608
|
+
declare const imagePreviewToolbarBtnClasses = "flex items-center justify-center w-8 h-8 rounded-full hover:bg-white/20 transition-colors focus:outline-none focus:ring-2 focus:ring-white/50 disabled:opacity-40 disabled:cursor-not-allowed";
|
|
7609
|
+
/**
|
|
7610
|
+
* Preview navigation button classes (prev/next)
|
|
7611
|
+
*/
|
|
7612
|
+
declare const imagePreviewNavBtnClasses = "absolute top-1/2 -translate-y-1/2 flex items-center justify-center w-10 h-10 rounded-full bg-[var(--tiger-image-toolbar-bg,rgba(0,0,0,0.6))] text-white hover:bg-white/20 transition-colors focus:outline-none focus:ring-2 focus:ring-white/50 disabled:opacity-40 disabled:cursor-not-allowed";
|
|
7613
|
+
/**
|
|
7614
|
+
* Preview close button classes
|
|
7615
|
+
*/
|
|
7616
|
+
declare const imagePreviewCloseBtnClasses = "absolute top-4 right-4 flex items-center justify-center w-10 h-10 rounded-full bg-[var(--tiger-image-toolbar-bg,rgba(0,0,0,0.6))] text-white hover:bg-white/20 transition-colors focus:outline-none focus:ring-2 focus:ring-white/50";
|
|
7617
|
+
/**
|
|
7618
|
+
* Preview counter text classes
|
|
7619
|
+
*/
|
|
7620
|
+
declare const imagePreviewCounterClasses = "text-sm text-white/80 mx-2 tabular-nums";
|
|
7621
|
+
/**
|
|
7622
|
+
* Cropper container classes
|
|
7623
|
+
*/
|
|
7624
|
+
declare const imageCropperContainerClasses = "relative overflow-hidden bg-[var(--tiger-image-cropper-bg,#1a1a2e)] select-none touch-none";
|
|
7625
|
+
/**
|
|
7626
|
+
* Cropper image classes (the source image)
|
|
7627
|
+
*/
|
|
7628
|
+
declare const imageCropperImgClasses = "absolute top-0 left-0 max-w-none pointer-events-none";
|
|
7629
|
+
/**
|
|
7630
|
+
* Cropper mask overlay classes (semi-transparent overlay outside crop area)
|
|
7631
|
+
*/
|
|
7632
|
+
declare const imageCropperMaskClasses = "absolute inset-0 pointer-events-none";
|
|
7633
|
+
/**
|
|
7634
|
+
* Cropper selection border classes (the crop box border)
|
|
7635
|
+
*/
|
|
7636
|
+
declare const imageCropperSelectionClasses = "absolute border-2 border-[var(--tiger-image-cropper-border,#ffffff)] pointer-events-none";
|
|
7637
|
+
/**
|
|
7638
|
+
* Cropper guide line classes
|
|
7639
|
+
*/
|
|
7640
|
+
declare const imageCropperGuideClasses = "absolute border-[var(--tiger-image-cropper-border,rgba(255,255,255,0.4))] pointer-events-none";
|
|
7641
|
+
/**
|
|
7642
|
+
* Cropper drag area classes (inside the crop box, handles moving)
|
|
7643
|
+
*/
|
|
7644
|
+
declare const imageCropperDragAreaClasses = "absolute cursor-move";
|
|
7645
|
+
/**
|
|
7646
|
+
* Get classes for a resize handle
|
|
7647
|
+
*/
|
|
7648
|
+
declare function getCropperHandleClasses(handle: CropHandle): string;
|
|
7649
|
+
/**
|
|
7650
|
+
* All 8 crop handles
|
|
7651
|
+
*/
|
|
7652
|
+
declare const CROP_HANDLES: CropHandle[];
|
|
7653
|
+
/**
|
|
7654
|
+
* CropUpload trigger button classes
|
|
7655
|
+
*/
|
|
7656
|
+
declare const cropUploadTriggerClasses = "inline-flex items-center justify-center gap-2 px-4 py-2 border-2 border-dashed border-[var(--tiger-border,#d1d5db)] rounded-lg text-[var(--tiger-text-muted,#6b7280)] hover:border-[var(--tiger-primary,#2563eb)] hover:text-[var(--tiger-primary,#2563eb)] transition-colors cursor-pointer focus:outline-none focus:ring-2 focus:ring-[var(--tiger-primary,#2563eb)] focus:ring-offset-2";
|
|
7657
|
+
/**
|
|
7658
|
+
* CropUpload disabled trigger classes
|
|
7659
|
+
*/
|
|
7660
|
+
declare const cropUploadTriggerDisabledClasses = "inline-flex items-center justify-center gap-2 px-4 py-2 border-2 border-dashed border-[var(--tiger-border,#d1d5db)] rounded-lg text-[var(--tiger-text-muted,#9ca3af)] cursor-not-allowed opacity-50";
|
|
7661
|
+
/**
|
|
7662
|
+
* Upload icon path (plus sign in a frame)
|
|
7663
|
+
*/
|
|
7664
|
+
declare const uploadPlusIconPath = "M12 4v16m8-8H4";
|
|
7665
|
+
/**
|
|
7666
|
+
* Clamp a scale value between min and max
|
|
7667
|
+
*/
|
|
7668
|
+
declare function clampScale(scale: number, min: number, max: number): number;
|
|
7669
|
+
/**
|
|
7670
|
+
* Build CSS transform string from scale and offset
|
|
7671
|
+
*/
|
|
7672
|
+
declare function calculateTransform(scale: number, offsetX: number, offsetY: number): string;
|
|
7673
|
+
/**
|
|
7674
|
+
* Get navigation state for multi-image preview
|
|
7675
|
+
*/
|
|
7676
|
+
declare function getPreviewNavState(currentIndex: number, total: number): PreviewNavState;
|
|
7677
|
+
/**
|
|
7678
|
+
* Constrain a crop rect to stay within image bounds, optionally enforcing aspect ratio
|
|
7679
|
+
*/
|
|
7680
|
+
declare function constrainCropRect(rect: CropRect, imageWidth: number, imageHeight: number, aspectRatio?: number): CropRect;
|
|
7681
|
+
/**
|
|
7682
|
+
* Resize a crop rect by dragging a handle
|
|
7683
|
+
*/
|
|
7684
|
+
declare function resizeCropRect(rect: CropRect, handle: CropHandle, dx: number, dy: number, imageWidth: number, imageHeight: number, aspectRatio?: number, minW?: number, minH?: number): CropRect;
|
|
7685
|
+
/**
|
|
7686
|
+
* Move a crop rect by a delta, clamped within bounds
|
|
7687
|
+
*/
|
|
7688
|
+
declare function moveCropRect(rect: CropRect, dx: number, dy: number, boundW: number, boundH: number): CropRect;
|
|
7689
|
+
/**
|
|
7690
|
+
* Create an initial crop rect centered in the image, optionally with aspect ratio
|
|
7691
|
+
*/
|
|
7692
|
+
declare function getInitialCropRect(imageWidth: number, imageHeight: number, aspectRatio?: number): CropRect;
|
|
7693
|
+
/**
|
|
7694
|
+
* Perform canvas cropping and return the cropped canvas + dataUrl.
|
|
7695
|
+
* Note: Call canvas.toBlob() asynchronously in the component layer for the Blob.
|
|
7696
|
+
*/
|
|
7697
|
+
declare function cropCanvas(image: HTMLImageElement, cropRect: CropRect, displayWidth: number, displayHeight: number, outputType?: string, quality?: number): {
|
|
7698
|
+
canvas: HTMLCanvasElement;
|
|
7699
|
+
dataUrl: string;
|
|
7700
|
+
};
|
|
7701
|
+
/**
|
|
7702
|
+
* Get touch distance for pinch-to-zoom
|
|
7703
|
+
*/
|
|
7704
|
+
declare function getTouchDistance(touch1: Touch, touch2: Touch): number;
|
|
7705
|
+
/**
|
|
7706
|
+
* Convert a dimension value (number or string) to a CSS string
|
|
7707
|
+
*/
|
|
7708
|
+
declare function toCSSSize(value: number | string | undefined): string | undefined;
|
|
7709
|
+
|
|
7307
7710
|
/**
|
|
7308
7711
|
* Carousel component types and interfaces
|
|
7309
7712
|
*/
|
|
@@ -9553,10 +9956,6 @@ interface TagProps {
|
|
|
9553
9956
|
closeAriaLabel?: string;
|
|
9554
9957
|
}
|
|
9555
9958
|
|
|
9556
|
-
/**
|
|
9557
|
-
* Composite component types and interfaces
|
|
9558
|
-
*/
|
|
9559
|
-
|
|
9560
9959
|
/**
|
|
9561
9960
|
* Chat message direction
|
|
9562
9961
|
*/
|
|
@@ -10606,6 +11005,155 @@ interface FormWizardProps {
|
|
|
10606
11005
|
*/
|
|
10607
11006
|
style?: Record<string, unknown>;
|
|
10608
11007
|
}
|
|
11008
|
+
/**
|
|
11009
|
+
* A single card (task item) on the board.
|
|
11010
|
+
*/
|
|
11011
|
+
interface TaskBoardCard {
|
|
11012
|
+
/** Unique identifier */
|
|
11013
|
+
id: string | number;
|
|
11014
|
+
/** Card title */
|
|
11015
|
+
title: string;
|
|
11016
|
+
/** Optional description text */
|
|
11017
|
+
description?: string;
|
|
11018
|
+
/** Allow arbitrary extra fields (tags, assignee, priority, etc.) */
|
|
11019
|
+
[key: string]: unknown;
|
|
11020
|
+
}
|
|
11021
|
+
/**
|
|
11022
|
+
* A column (stage / lane) on the board.
|
|
11023
|
+
*/
|
|
11024
|
+
interface TaskBoardColumn {
|
|
11025
|
+
/** Unique identifier */
|
|
11026
|
+
id: string | number;
|
|
11027
|
+
/** Column header title */
|
|
11028
|
+
title: string;
|
|
11029
|
+
/** Optional description or subtitle */
|
|
11030
|
+
description?: string;
|
|
11031
|
+
/**
|
|
11032
|
+
* Work-in-progress limit. When cards.length > wipLimit the header shows a warning style.
|
|
11033
|
+
*/
|
|
11034
|
+
wipLimit?: number;
|
|
11035
|
+
/** Cards belonging to this column */
|
|
11036
|
+
cards: TaskBoardCard[];
|
|
11037
|
+
}
|
|
11038
|
+
/**
|
|
11039
|
+
* Payload emitted when a card is moved (same-column reorder or cross-column transfer).
|
|
11040
|
+
*/
|
|
11041
|
+
interface TaskBoardCardMoveEvent {
|
|
11042
|
+
/** The id of the card that was moved */
|
|
11043
|
+
cardId: string | number;
|
|
11044
|
+
/** Column the card was dragged from */
|
|
11045
|
+
fromColumnId: string | number;
|
|
11046
|
+
/** Column the card was dropped into */
|
|
11047
|
+
toColumnId: string | number;
|
|
11048
|
+
/** Original index inside the source column */
|
|
11049
|
+
fromIndex: number;
|
|
11050
|
+
/** New index inside the target column */
|
|
11051
|
+
toIndex: number;
|
|
11052
|
+
}
|
|
11053
|
+
/**
|
|
11054
|
+
* Payload emitted when a column is reordered.
|
|
11055
|
+
*/
|
|
11056
|
+
interface TaskBoardColumnMoveEvent {
|
|
11057
|
+
/** The id of the column that was moved */
|
|
11058
|
+
columnId: string | number;
|
|
11059
|
+
/** Original position */
|
|
11060
|
+
fromIndex: number;
|
|
11061
|
+
/** New position */
|
|
11062
|
+
toIndex: number;
|
|
11063
|
+
}
|
|
11064
|
+
/**
|
|
11065
|
+
* Validation callback for task board move operations.
|
|
11066
|
+
* Return `false` (sync) or resolve to `false` (async) to cancel the move.
|
|
11067
|
+
*/
|
|
11068
|
+
type TaskBoardMoveValidator<E> = (event: E) => boolean | Promise<boolean>;
|
|
11069
|
+
/**
|
|
11070
|
+
* TaskBoard (Kanban) component props.
|
|
11071
|
+
*/
|
|
11072
|
+
interface TaskBoardProps {
|
|
11073
|
+
/**
|
|
11074
|
+
* Controlled column data (with nested cards).
|
|
11075
|
+
* When provided the component is fully controlled — the consumer must
|
|
11076
|
+
* update this value in response to move events.
|
|
11077
|
+
*/
|
|
11078
|
+
columns?: TaskBoardColumn[];
|
|
11079
|
+
/**
|
|
11080
|
+
* Initial column data for uncontrolled usage.
|
|
11081
|
+
*/
|
|
11082
|
+
defaultColumns?: TaskBoardColumn[];
|
|
11083
|
+
/**
|
|
11084
|
+
* Enable card drag-and-drop.
|
|
11085
|
+
* @default true
|
|
11086
|
+
*/
|
|
11087
|
+
draggable?: boolean;
|
|
11088
|
+
/**
|
|
11089
|
+
* Enable column (stage) drag-and-drop reordering.
|
|
11090
|
+
* @default true
|
|
11091
|
+
*/
|
|
11092
|
+
columnDraggable?: boolean;
|
|
11093
|
+
/**
|
|
11094
|
+
* Enforce WIP limit — when `true`, cards cannot be dropped into a
|
|
11095
|
+
* column that has already reached its `wipLimit`.
|
|
11096
|
+
* @default false
|
|
11097
|
+
*/
|
|
11098
|
+
enforceWipLimit?: boolean;
|
|
11099
|
+
/**
|
|
11100
|
+
* Async / sync validation before a card move is committed.
|
|
11101
|
+
* Return `false` to cancel the move (the card snaps back).
|
|
11102
|
+
*/
|
|
11103
|
+
beforeCardMove?: TaskBoardMoveValidator<TaskBoardCardMoveEvent>;
|
|
11104
|
+
/**
|
|
11105
|
+
* Async / sync validation before a column reorder is committed.
|
|
11106
|
+
* Return `false` to cancel the reorder.
|
|
11107
|
+
*/
|
|
11108
|
+
beforeColumnMove?: TaskBoardMoveValidator<TaskBoardColumnMoveEvent>;
|
|
11109
|
+
/**
|
|
11110
|
+
* Callback fired after a card is moved.
|
|
11111
|
+
*/
|
|
11112
|
+
onCardMove?: (event: TaskBoardCardMoveEvent) => void;
|
|
11113
|
+
/**
|
|
11114
|
+
* Callback fired after a column is reordered.
|
|
11115
|
+
*/
|
|
11116
|
+
onColumnMove?: (event: TaskBoardColumnMoveEvent) => void;
|
|
11117
|
+
/**
|
|
11118
|
+
* Callback fired whenever the columns data changes (card move, column reorder, etc.).
|
|
11119
|
+
* In controlled mode the consumer should use this to update the `columns` prop.
|
|
11120
|
+
*/
|
|
11121
|
+
onColumnsChange?: (columns: TaskBoardColumn[]) => void;
|
|
11122
|
+
/**
|
|
11123
|
+
* Callback fired when the "add card" button of a column is clicked.
|
|
11124
|
+
* If not provided the add-card button is hidden.
|
|
11125
|
+
*/
|
|
11126
|
+
onCardAdd?: (columnId: string | number) => void;
|
|
11127
|
+
/**
|
|
11128
|
+
* Custom card renderer (framework-agnostic signature — each framework
|
|
11129
|
+
* layer narrows the return type to its own node type).
|
|
11130
|
+
*/
|
|
11131
|
+
renderCard?: (card: TaskBoardCard, columnId: string | number) => unknown;
|
|
11132
|
+
/**
|
|
11133
|
+
* Custom column header renderer.
|
|
11134
|
+
*/
|
|
11135
|
+
renderColumnHeader?: (column: TaskBoardColumn) => unknown;
|
|
11136
|
+
/**
|
|
11137
|
+
* Custom column footer renderer (e.g. an "add card" form).
|
|
11138
|
+
*/
|
|
11139
|
+
renderColumnFooter?: (column: TaskBoardColumn) => unknown;
|
|
11140
|
+
/**
|
|
11141
|
+
* Custom empty-column placeholder renderer.
|
|
11142
|
+
*/
|
|
11143
|
+
renderEmptyColumn?: (column: TaskBoardColumn) => unknown;
|
|
11144
|
+
/**
|
|
11145
|
+
* Locale overrides for TaskBoard UI text
|
|
11146
|
+
*/
|
|
11147
|
+
locale?: Partial<TigerLocale>;
|
|
11148
|
+
/**
|
|
11149
|
+
* Additional CSS classes
|
|
11150
|
+
*/
|
|
11151
|
+
className?: string;
|
|
11152
|
+
/**
|
|
11153
|
+
* Custom styles
|
|
11154
|
+
*/
|
|
11155
|
+
style?: Record<string, unknown>;
|
|
11156
|
+
}
|
|
10609
11157
|
|
|
10610
11158
|
/**
|
|
10611
11159
|
* ChatWindow component utilities
|
|
@@ -10641,6 +11189,110 @@ declare const clipCommentTreeDepth: (nodes?: CommentNode[], maxDepth?: number) =
|
|
|
10641
11189
|
declare const formatChatTime: (value?: string | number | Date) => string;
|
|
10642
11190
|
declare const formatCommentTime: (value?: string | number | Date) => string;
|
|
10643
11191
|
|
|
11192
|
+
/** Root wrapper — horizontal scroll container */
|
|
11193
|
+
declare const taskBoardBaseClasses = "tiger-task-board flex gap-4 overflow-x-auto p-4 min-h-[400px]";
|
|
11194
|
+
/** Single column shell */
|
|
11195
|
+
declare const taskBoardColumnClasses = "tiger-task-board-column flex flex-col shrink-0 w-72 rounded-lg border border-[var(--tiger-border,#e5e7eb)] bg-[var(--tiger-surface,#ffffff)] shadow-sm transition-shadow";
|
|
11196
|
+
/** Column header (sticky, never scrolls) */
|
|
11197
|
+
declare const taskBoardColumnHeaderClasses = "flex items-center justify-between px-3 py-2 border-b border-[var(--tiger-border,#e5e7eb)] text-sm font-semibold text-[var(--tiger-text,#1f2937)] select-none";
|
|
11198
|
+
/** Scrollable card area */
|
|
11199
|
+
declare const taskBoardColumnBodyClasses = "flex-1 overflow-y-auto p-2 space-y-2 min-h-[80px]";
|
|
11200
|
+
/** Card base styles */
|
|
11201
|
+
declare const taskBoardCardClasses = "tiger-task-board-card rounded-md border border-[var(--tiger-border,#e5e7eb)] bg-[var(--tiger-surface,#ffffff)] p-3 shadow-sm cursor-grab select-none transition-opacity";
|
|
11202
|
+
/** Card while being dragged */
|
|
11203
|
+
declare const taskBoardCardDraggingClasses = "opacity-50 shadow-lg";
|
|
11204
|
+
/** Thin line indicating the drop position */
|
|
11205
|
+
declare const taskBoardDropIndicatorClasses = "h-1 rounded-full bg-[var(--tiger-primary,#2563eb)] my-1 transition-all";
|
|
11206
|
+
/** Column highlighted when a card hovers over it */
|
|
11207
|
+
declare const taskBoardColumnDropTargetClasses = "ring-2 ring-[var(--tiger-primary,#2563eb)] ring-opacity-50";
|
|
11208
|
+
/** Column being dragged */
|
|
11209
|
+
declare const taskBoardColumnDraggingClasses = "opacity-50";
|
|
11210
|
+
/** Empty column placeholder */
|
|
11211
|
+
declare const taskBoardEmptyClasses = "flex items-center justify-center text-[var(--tiger-text-muted,#6b7280)] text-sm py-8";
|
|
11212
|
+
/** WIP exceeded badge / header tint */
|
|
11213
|
+
declare const taskBoardWipExceededClasses = "text-[var(--tiger-error,#ef4444)]";
|
|
11214
|
+
/** Add-card button inside column footer */
|
|
11215
|
+
declare const taskBoardAddCardClasses = "flex items-center justify-center gap-1 w-full py-1.5 text-sm text-[var(--tiger-text-muted,#6b7280)] hover:text-[var(--tiger-primary,#2563eb)] hover:bg-[var(--tiger-surface-muted,#f9fafb)] rounded transition-colors cursor-pointer";
|
|
11216
|
+
interface CardDragData {
|
|
11217
|
+
type: 'card';
|
|
11218
|
+
cardId: string | number;
|
|
11219
|
+
columnId: string | number;
|
|
11220
|
+
index: number;
|
|
11221
|
+
}
|
|
11222
|
+
interface ColumnDragData {
|
|
11223
|
+
type: 'column';
|
|
11224
|
+
columnId: string | number;
|
|
11225
|
+
index: number;
|
|
11226
|
+
}
|
|
11227
|
+
type TaskBoardDragData = CardDragData | ColumnDragData;
|
|
11228
|
+
declare function createCardDragData(cardId: string | number, columnId: string | number, index: number): string;
|
|
11229
|
+
declare function createColumnDragData(columnId: string | number, index: number): string;
|
|
11230
|
+
declare function parseDragData(dataTransfer: DataTransfer): TaskBoardDragData | null;
|
|
11231
|
+
declare function setDragData(dataTransfer: DataTransfer, json: string): void;
|
|
11232
|
+
interface TaskBoardDragState {
|
|
11233
|
+
type: 'card' | 'column';
|
|
11234
|
+
id: string | number;
|
|
11235
|
+
fromColumnId?: string | number;
|
|
11236
|
+
fromIndex: number;
|
|
11237
|
+
}
|
|
11238
|
+
/**
|
|
11239
|
+
* Options for `moveCard()`.
|
|
11240
|
+
*/
|
|
11241
|
+
interface MoveCardOptions {
|
|
11242
|
+
/** When `true`, reject a cross-column move if the destination column has reached its `wipLimit`. */
|
|
11243
|
+
enforceWipLimit?: boolean;
|
|
11244
|
+
}
|
|
11245
|
+
/**
|
|
11246
|
+
* Move a card from one column to another (or reorder within the same column).
|
|
11247
|
+
* Returns a **new** columns array — the original is not mutated.
|
|
11248
|
+
* Returns `null` when the move is a no-op or rejected by WIP enforcement.
|
|
11249
|
+
*/
|
|
11250
|
+
declare function moveCard(columns: TaskBoardColumn[], cardId: string | number, fromColumnId: string | number, toColumnId: string | number, toIndex: number, options?: MoveCardOptions): {
|
|
11251
|
+
columns: TaskBoardColumn[];
|
|
11252
|
+
event: TaskBoardCardMoveEvent;
|
|
11253
|
+
} | null;
|
|
11254
|
+
/**
|
|
11255
|
+
* Reorder a column. Returns a new array.
|
|
11256
|
+
*/
|
|
11257
|
+
declare function reorderColumns(columns: TaskBoardColumn[], fromIndex: number, toIndex: number): {
|
|
11258
|
+
columns: TaskBoardColumn[];
|
|
11259
|
+
event: TaskBoardColumnMoveEvent;
|
|
11260
|
+
} | null;
|
|
11261
|
+
/**
|
|
11262
|
+
* Check whether a column exceeds its WIP limit.
|
|
11263
|
+
*/
|
|
11264
|
+
declare function isWipExceeded(column: TaskBoardColumn): boolean;
|
|
11265
|
+
/**
|
|
11266
|
+
* Given the vertical centre of the pointer and the bounding rects of all
|
|
11267
|
+
* card elements in a column, return the insertion index.
|
|
11268
|
+
*/
|
|
11269
|
+
declare function getDropIndex(pointerY: number, cardRects: DOMRect[]): number;
|
|
11270
|
+
/**
|
|
11271
|
+
* Given the horizontal centre of the pointer and the bounding rects of all
|
|
11272
|
+
* column elements, return the insertion index for column reordering.
|
|
11273
|
+
*/
|
|
11274
|
+
declare function getColumnDropIndex(pointerX: number, columnRects: DOMRect[]): number;
|
|
11275
|
+
interface TouchDragState {
|
|
11276
|
+
startX: number;
|
|
11277
|
+
startY: number;
|
|
11278
|
+
currentX: number;
|
|
11279
|
+
currentY: number;
|
|
11280
|
+
active: boolean;
|
|
11281
|
+
sourceElement: HTMLElement | null;
|
|
11282
|
+
}
|
|
11283
|
+
interface TouchDragTracker {
|
|
11284
|
+
onTouchStart: (e: TouchEvent, source: HTMLElement) => void;
|
|
11285
|
+
onTouchMove: (e: TouchEvent) => void;
|
|
11286
|
+
onTouchEnd: () => TouchDragState;
|
|
11287
|
+
getState: () => TouchDragState;
|
|
11288
|
+
cancel: () => void;
|
|
11289
|
+
}
|
|
11290
|
+
declare function createTouchDragTracker(): TouchDragTracker;
|
|
11291
|
+
/**
|
|
11292
|
+
* Resolve the column element sitting under a point (touch or pointer position).
|
|
11293
|
+
*/
|
|
11294
|
+
declare function findColumnFromPoint(x: number, y: number, boardEl: HTMLElement | null): HTMLElement | null;
|
|
11295
|
+
|
|
10644
11296
|
/**
|
|
10645
11297
|
* Textarea component types and interfaces
|
|
10646
11298
|
*/
|
|
@@ -11401,4 +12053,4 @@ declare const tigercatPlugin: {
|
|
|
11401
12053
|
*/
|
|
11402
12054
|
declare const version = "0.2.0";
|
|
11403
12055
|
|
|
11404
|
-
export { ANIMATION_DURATION_FAST_MS, ANIMATION_DURATION_MS, ANIMATION_DURATION_SLOW_MS, type ActivityAction, type ActivityFeedProps, type ActivityGroup, type ActivityItem, type ActivityStatusTag, type ActivityUser, type AlertColorScheme, type AlertProps, type AlertSize, type AlertThemeColors, type AlertType, type Align, type AnchorChangeInfo, type AnchorClickInfo, type AnchorDirection, type AnchorLinkProps, type AnchorProps, type AreaChartDatum, type AreaChartProps, type AreaChartSeries, type AutoResizeTextareaOptions, type AvatarProps, type AvatarShape, type AvatarSize, type BackTopProps, type BadgeColorScheme, type BadgePosition, type BadgeProps, type BadgeSize, type BadgeThemeColors, type BadgeType, type BadgeVariant, type BandScaleOptions, type BarChartDatum, type BarChartProps, type BarValueLabelPosition, type BaseChartProps, type BaseFloatingPopupProps, type BeforeUploadHandler, type BreadcrumbItemProps, type BreadcrumbProps, type BreadcrumbSeparator, type Breakpoint, type BuildLegendItemsOptions, type ButtonColorScheme, type ButtonProps, type ButtonSize, type ButtonVariant, CalendarIconPath, type CardProps, type CardSize, type CardVariant, type CarouselBeforeChangeInfo, type CarouselChangeInfo, type CarouselDotPosition, type CarouselEffect, type CarouselMethods, type CarouselProps, type ChartAnimationConfig, type ChartAxisOrientation, type ChartAxisProps, type ChartAxisTick, type ChartCanvasProps, type ChartCurveType, type ChartGridLine, type ChartGridLineStyle, type ChartGridProps, type ChartInteractionHandlers, type ChartInteractionOptions, type ChartInteractionProps, type ChartInteractionState, type ChartLegendItem, type ChartLegendPosition, type ChartLegendProps, type ChartPadding, type ChartScale, type ChartScaleType, type ChartScaleValue, type ChartSeriesPoint, type ChartSeriesProps, type ChartSeriesType, type ChartTooltipProps, type ChartWithAxesProps, type ChatMessage, type ChatMessageDirection, type ChatMessageStatus, type ChatMessageStatusInfo, type ChatUser, type ChatWindowProps, type CheckboxGroupProps, type CheckboxGroupValue, type CheckboxProps, type CheckboxSize, type CheckboxValue, ChevronLeftIconPath, ChevronRightIconPath, type ClassValue, ClockIconPath, CloseIconPath, type CodeProps, type ColProps, type ColSpan, type CollapsePanelProps, type CollapseProps, type ColumnAlign, type ColumnFilter, type CommentAction, type CommentNode, type CommentTag, type CommentThreadProps, type CommentUser, type ContainerMaxWidth, type ContainerProps, type ContentProps, type CreateAriaIdOptions, DEFAULT_CHART_COLORS, DEFAULT_FORM_WIZARD_LABELS, DEFAULT_PAGINATION_LABELS, DONUT_BASE_SHADOW, DONUT_EMPHASIS_SHADOW, DROPDOWN_CHEVRON_PATH, DROPDOWN_ENTER_CLASS, DURATION_CLASS, DURATION_FAST_CLASS, DURATION_SLOW_CLASS, type DataTableWithToolbarProps, type DateFormat, type DatePickerInputDate, type DatePickerLabels, type DatePickerModelValue, type DatePickerProps, type DatePickerRangeModelValue, type DatePickerRangeValue, type DatePickerSingleModelValue, type DatePickerSingleValue, type DatePickerSize, type DescriptionsItem, type DescriptionsLayout, type DescriptionsProps, type DescriptionsSize, type DividerLineStyle, type DividerOrientation, type DividerProps, type DividerSpacing, type DonutChartDatum, type DonutChartProps, type DrawerPlacement, type DrawerProps, type DrawerSize, type DropdownItemProps, type DropdownMenuProps, type DropdownPlacement, type DropdownProps, type DropdownTrigger, EASING_DEFAULT, EASING_ENTER, EASING_LEAVE, type ElementLike, type ExpandIconPosition, type FilterOption, type FilterType, type FloatingCleanup, type FloatingOptions, type FloatingPlacement, type FloatingResult, type FloatingTrigger, type FocusElementOptions, type FocusTrapNavigation, type FooterProps, type FormError, type FormItemClassOptions, type FormItemLabelClassOptions, type FormItemProps, type FormLabelAlign, type FormLabelPosition, type FormProps, type FormRule, type FormRuleTrigger, type FormRuleType, type FormRules, type FormSize, type FormValidationResult, type FormValues, type FormWizardProps, type FormWizardValidateResult, type FormWizardValidator, type GetContainerClassesOptions, type GetInputClassesOptions, type GetRadioDotClassesOptions, type GetRadioGroupClassesOptions, type GetRadioLabelClassesOptions, type GetRadioVisualClassesOptions, type GutterSize, type HeaderProps, type IconProps, type IconSize, type InputProps, type InputSize, type InputStatus, type InputType, type IsEventOutsideOptions, type Justify, type KeyLikeEvent, type LayoutProps, type LineChartDatum, type LineChartProps, type LineChartSeries, type LinkColorScheme, type LinkProps, type LinkSize, type LinkThemeColors, type LinkVariant, type ListBorderStyle, type ListItem, type ListItemLayout, type ListPaginationConfig, type ListProps, type ListSize, type LoadingAnimationIndex, type LoadingColor, type LoadingProps, type LoadingSize, type LoadingVariant, type MenuItem, type MenuItemGroupProps, type MenuItemProps, type MenuKey, type MenuMode, type MenuProps, type MenuTheme, type MessageColorScheme, type MessageConfig, type MessageInstance, type MessageOptions, type MessagePosition, type MessageProps, type MessageType, type ModalProps, type ModalSize, type NotificationCenterProps, type NotificationColorScheme, type NotificationConfig, type NotificationGroup, type NotificationInstance, type NotificationItem, type NotificationOptions, type NotificationPosition, type NotificationProps, type NotificationReadFilter, type NotificationType, PIE_BASE_SHADOW, PIE_EMPHASIS_SHADOW, POPOVER_TEXT_CLASSES, POPOVER_TITLE_CLASSES, type PageChangeInfo, type PageSizeChangeInfo, type PaginationAlign, type PaginationConfig, type PaginationPageSizeOption, type PaginationPageSizeOptionItem, type PaginationProps, type PaginationSize, type PieArcDatum, type PieChartDatum, type PieChartProps, type PointScaleOptions, type PopconfirmIconType, type PopconfirmProps, type PopoverProps, type PopoverTrigger, type PrepareUploadFilesOptions, type PrepareUploadFilesResult, type ProgressColorScheme, type ProgressProps, type ProgressSize, type ProgressStatus, type ProgressThemeColors, type ProgressType, type ProgressVariant, RADAR_SPLIT_AREA_COLORS, type RadarChartDatum, type RadarChartProps, type RadarChartSeries, type RadarPoint, type RadioColorScheme, type RadioGroupProps, type RadioProps, type RadioSize, type RowProps, type RowSelectionConfig, SCATTER_ENTRANCE_CLASS, SCATTER_ENTRANCE_KEYFRAMES, SHAKE_CLASS, SVG_ANIMATION_CLASSES, SVG_ANIMATION_VARS, SVG_DEFAULT_FILL, SVG_DEFAULT_STROKE, SVG_DEFAULT_VIEWBOX_20, SVG_DEFAULT_VIEWBOX_24, SVG_DEFAULT_XMLNS, SVG_PATH_ANIMATION_CSS, type ScatterChartDatum, type ScatterChartProps, type SelectModelValue, type SelectOption, type SelectOptionGroup, type SelectOptions, type SelectProps, type SelectSize, type SelectValue, type SelectValues, type SidebarProps, type SkeletonAnimation, type SkeletonProps, type SkeletonShape, type SkeletonVariant, type SliderProps, type SliderSize, type SortDirection, type SortState, type SpaceAlign, type SpaceDirection, type SpaceProps, type SpaceSize, type StatusIconType, type StepItem, type StepSize, type StepStatus, type StepsDirection, type StepsProps, type StyleAtom, type StyleObject, type StyleValue, type SubMenuProps, type SwitchProps, type SwitchSize, THEME_CSS_VARS, TRANSITION_BASE, TRANSITION_OPACITY, TRANSITION_TRANSFORM, type TabChangeInfo, type TabEditInfo, type TabPaneProps, type TabPosition, type TabSize, type TabType, type TableColumn, type TableProps, type TableSize, type TableToolbarAction, type TableToolbarFilter, type TableToolbarFilterValue, type TableToolbarProps, type TabsProps, type TagColorScheme, type TagProps, type TagSize, type TagThemeColors, type TagVariant, type TextAlign, type TextColor, type TextProps, type TextSize, type TextTag, type TextWeight, type TextareaProps, type TextareaSize, type ThemeColors, type TigerLocale, type TigerLocaleCommon, type TigerLocaleDrawer, type TigerLocaleFormWizard, type TigerLocaleModal, type TigerLocalePagination, type TigerLocaleUpload, type TimeFormat, TimePickerCloseIconPath, type TimePickerLabels, type TimePickerModelValue, type TimePickerOptionUnit, type TimePickerProps, type TimePickerRangeValue, type TimePickerSingleValue, type TimePickerSize, type TimelineItem, type TimelineItemPosition, type TimelineMode, type TimelineProps, type TooltipProps, type TooltipTrigger, type TreeCheckStrategy, type TreeCheckedState, type TreeExpandedState, type TreeFilterFn, type TreeLoadDataFn, type TreeNode, type TreeProps, type TreeSelectionMode, type TriggerHandlerMap, type UploadFile, type UploadFileStatus, type UploadLabelOverrides, type UploadLabels, type UploadListType, type UploadProps, type UploadRejectReason, type UploadRejectedFile, type UploadRequestOptions, type UploadStatusIconSize, type VisibleTreeItem, type WizardStep, ZH_CN_FORM_WIZARD_LABELS, ZH_CN_PAGINATION_LABELS, activeOpacityClasses, activePressClasses, alertBaseClasses, alertCloseButtonBaseClasses, alertCloseIconPath, alertContentClasses, alertDescriptionSizeClasses, alertIconContainerClasses, alertIconSizeClasses, alertSizeClasses, alertTitleSizeClasses, anchorAffixClasses, anchorBaseClasses, anchorInkActiveHorizontalClasses, anchorInkActiveVerticalClasses, anchorInkContainerHorizontalClasses, anchorInkContainerVerticalClasses, anchorLinkActiveClasses, anchorLinkBaseClasses, anchorLinkListHorizontalClasses, anchorLinkListVerticalClasses, animationDelayClasses, animationDelayStyles, applyFloatingStyles, autoResizeTextarea, autoUpdateFloating, avatarBaseClasses, avatarDefaultBgColor, avatarDefaultTextColor, avatarImageClasses, avatarShapeClasses, avatarSizeClasses, backTopButtonClasses, backTopContainerClasses, backTopHiddenClasses, backTopIconPath, backTopVisibleClasses, badgeBaseClasses, badgePositionClasses, badgeSizeClasses, badgeTypeClasses, badgeWrapperClasses, barAnimatedTransition, barValueLabelClasses, barValueLabelInsideClasses, barsVariantConfig, breadcrumbContainerClasses, breadcrumbCurrentClasses, breadcrumbItemBaseClasses, breadcrumbLinkClasses, breadcrumbSeparatorBaseClasses, buildActivityGroups, buildChartLegendItems, buildCommentTree, buildNotificationGroups, buildTriggerHandlerMap, buttonBaseClasses, buttonDisabledClasses, buttonSizeClasses, calculateCheckedState, calculateCirclePath, calculatePagination, calculateStepStatus, calendarSolidIcon20PathD, captureActiveElement, cardActionsClasses, cardBaseClasses, cardCoverClasses, cardCoverWrapperClasses, cardFooterClasses, cardHeaderClasses, cardHoverClasses, cardSizeClasses, cardVariantClasses, carouselArrowBaseClasses, carouselArrowDisabledClasses, carouselBaseClasses, carouselDotActiveClasses, carouselDotClasses, carouselDotsBaseClasses, carouselDotsPositionClasses, carouselNextArrowClasses, carouselNextArrowPath, carouselPrevArrowClasses, carouselPrevArrowPath, carouselSlideBaseClasses, carouselTrackFadeClasses, carouselTrackScrollClasses, chartAxisLabelClasses, chartAxisLineClasses, chartAxisTickLineClasses, chartAxisTickTextClasses, chartCanvasBaseClasses, chartGridLineClasses, chartInteractiveClasses, checkSolidIcon20PathD, checkboxLabelSizeClasses, checkboxSizeClasses, checkedSetsFromState, chevronDownSolidIcon20PathD, chevronLeftSolidIcon20PathD, chevronRightSolidIcon20PathD, clampBarWidth, clampPercentage, clampSlideIndex, classNames, clearFieldErrors, clipCommentTreeDepth, clockSolidIcon20PathD, closeIconPathD, closeIconPathStrokeLinecap, closeIconPathStrokeLinejoin, closeIconPathStrokeWidth, closeIconViewBox, closeSolidIcon20PathD, codeBlockContainerClasses, codeBlockCopyButtonBaseClasses, codeBlockCopyButtonCopiedClasses, codeBlockPreClasses, coerceClassValue, coerceStyleValue, collapseBaseClasses, collapseBorderlessClasses, collapseGhostClasses, collapseHeaderTextClasses, collapseIconBaseClasses, collapseIconExpandedClasses, collapseIconPositionClasses, collapsePanelBaseClasses, collapsePanelContentBaseClasses, collapsePanelContentWrapperClasses, collapsePanelHeaderActiveClasses, collapsePanelHeaderBaseClasses, collapsePanelHeaderDisabledClasses, computeFloatingPosition, computePieHoverOffset, computePieLabelLine, containerBaseClasses, containerCenteredClasses, containerMaxWidthClasses, containerPaddingClasses, copyTextToClipboard, createAreaPath, createAriaId, createBandScale, createChartInteractionHandlers, createFloatingIdFactory, createLinePath, createLinearScale, createPieArcPath, createPointScale, createPolygonPath, datePickerBaseClasses, datePickerCalendarClasses, datePickerCalendarGridClasses, datePickerCalendarHeaderClasses, datePickerClearButtonClasses, datePickerDayNameClasses, datePickerFooterButtonClasses, datePickerFooterClasses, datePickerInputWrapperClasses, datePickerMonthYearClasses, datePickerNavButtonClasses, defaultAlertThemeColors, defaultBadgeThemeColors, defaultChatMessageStatusInfo, defaultLinkThemeColors, defaultMessageThemeColors, defaultNotificationThemeColors, defaultProgressThemeColors, defaultRadarTooltipFormatter, defaultRadioColors, defaultSeriesXYTooltipFormatter, defaultSortFn, defaultTagThemeColors, defaultThemeColors, defaultTooltipFormatter, defaultTotalText, defaultXYTooltipFormatter, descriptionsBaseClasses, descriptionsCellSizeClasses, descriptionsContentBorderedClasses, descriptionsContentClasses, descriptionsExtraClasses, descriptionsHeaderClasses, descriptionsLabelBorderedClasses, descriptionsLabelClasses, descriptionsSizeClasses, descriptionsTableBorderedClasses, descriptionsTableClasses, descriptionsTitleClasses, descriptionsVerticalContentClasses, descriptionsVerticalItemClasses, descriptionsVerticalLabelClasses, descriptionsVerticalWrapperClasses, descriptionsWrapperClasses, dotSizeClasses, dotsVariantConfig, ensureBarMinHeight, errorCircleSolidIcon20PathD, fileToUploadFile, filterData, filterOptions, filterTreeNodes, findActiveAnchor, findNode, flattenSelectOptions, focusElement, focusFirst, focusFirstChildItem, focusMenuEdge, focusRingClasses, focusRingInsetClasses, formatActivityTime, formatBadgeContent, formatChatTime, formatCommentTime, formatDate, formatFileSize, formatMonthYear, formatPageAriaLabel, formatPaginationTotal, formatProgressText, formatTime, formatTimeDisplay, formatTimeDisplayWithLocale, generateAvatarColor, generateFileId, generateHours, generateMinutes, generateSeconds, getActiveElement, getActiveIndex, getAlertIconPath, getAlertTypeClasses, getAlignClasses, getAllKeys, getAnchorInkActiveClasses, getAnchorInkContainerClasses, getAnchorLinkClasses, getAnchorLinkListClasses, getAnchorTargetElement, getAnchorWrapperClasses, getAreaGradientPrefix, getArrowStyles, getAutoExpandKeys, getBadgeVariantClasses, getBarGradientPrefix, getBarGrowAnimationStyle, getBarValueLabelY, getBreadcrumbItemClasses, getBreadcrumbLinkClasses, getBreadcrumbSeparatorClasses, getButtonVariantClasses, getCalendarDays, getCardClasses, getCarouselArrowClasses, getCarouselContainerClasses, getCarouselDotClasses, getCarouselDotsClasses, getChartAnimationStyle, getChartAxisTicks, getChartElementOpacity, getChartEntranceTransform, getChartGridLineDasharray, getChartInnerRect, getChatMessageStatusInfo, getCheckboxCellClasses, getCheckboxClasses, getCheckboxLabelClasses, getCheckedKeysByStrategy, getCircleSize, getColMergedStyleVars, getColOrderStyleVars, getColStyleVars, getCollapseContainerClasses, getCollapseIconClasses, getCollapsePanelClasses, getCollapsePanelHeaderClasses, getContainerClasses, getContainerHeight, getContainerScrollTop, getCurrentTime, getDatePickerDayCellClasses, getDatePickerIconButtonClasses, getDatePickerInputClasses, getDatePickerLabels, getDayNames, getDaysInMonth, getDescendantKeys, getDescriptionsClasses, getDescriptionsContentClasses, getDescriptionsLabelClasses, getDescriptionsTableClasses, getDescriptionsVerticalItemClasses, getDividerClasses, getDividerStyle, getDragAreaClasses, getDrawerBodyClasses, getDrawerCloseButtonClasses, getDrawerContainerClasses, getDrawerFooterClasses, getDrawerHeaderClasses, getDrawerMaskClasses, getDrawerPanelClasses, getDrawerTitleClasses, getDropdownChevronClasses, getDropdownContainerClasses, getDropdownItemClasses, getDropdownMenuClasses, getDropdownTriggerClasses, getElementOffsetTop, getErrorFields, getFieldError, getFileListItemClasses, getFirstDayOfMonth, getFixedColumnOffsets, getFlexClasses, getFocusTrapNavigation, getFocusableElements, getFormItemAsteriskClasses, getFormItemClasses, getFormItemContentClasses, getFormItemErrorClasses, getFormItemFieldClasses, getFormItemLabelClasses, getFormWizardLabels, getGridColumnClasses, getGutterStyles, getInitials, getInputAffixClasses, getInputClasses, getInputErrorClasses, getInputWrapperClasses, getJustifyClasses, getLeafKeys, getLineGradientPrefix, getLinkVariantClasses, getListClasses, getListHeaderFooterClasses, getListItemClasses, getLoadingBarClasses, getLoadingBarsWrapperClasses, getLoadingClasses, getLoadingDotClasses, getLoadingDotsWrapperClasses, getLoadingOverlaySpinnerClasses, getLoadingTextClasses, getMenuButtons, getMenuClasses, getMenuItemClasses, getMenuItemIndent, getMessageIconPath, getMessageTypeClasses, getModalContainerClasses, getModalContentClasses, getMonthNames, getNextActiveKey, getNextSlideIndex, getNotificationIconPath, getNotificationTypeClasses, getNumberExtent, getOffsetClasses, getOrderClasses, getPageNumbers, getPageRange, getPageSizeSelectorClasses, getPaginationButtonActiveClasses, getPaginationButtonBaseClasses, getPaginationContainerClasses, getPaginationEllipsisClasses, getPaginationLabels, getParagraphRowWidth, getParentKeys, getPathDrawAnimationStyle, getPathDrawStyles, getPathLength, getPendingDotClasses, getPictureCardClasses, getPieArcs, getPieDrawAnimationStyle, getPlacementSide, getPopconfirmArrowClasses, getPopconfirmButtonBaseClasses, getPopconfirmButtonsClasses, getPopconfirmCancelButtonClasses, getPopconfirmContainerClasses, getPopconfirmContentClasses, getPopconfirmDescriptionClasses, getPopconfirmIconClasses, getPopconfirmIconPath, getPopconfirmOkButtonClasses, getPopconfirmTitleClasses, getPopconfirmTriggerClasses, getPopoverContainerClasses, getPopoverContentClasses, getPopoverContentTextClasses, getPopoverTitleClasses, getPopoverTriggerClasses, getPrevSlideIndex, getProgressTextColorClasses, getProgressVariantClasses, getQuickJumperInputClasses, getRadarAngles, getRadarLabelAlign, getRadarPoints, getRadioColorClasses, getRadioDotClasses, getRadioGroupClasses, getRadioLabelClasses, getRadioVisualClasses, getRowKey, getScatterGradientPrefix, getScatterHoverShadow, getScatterHoverSize, getScatterPointPath, getScrollTop, getScrollTransform, getSecureRel, getSelectOptionClasses, getSelectSizeClasses, getSelectTriggerClasses, getSeparatorContent, getShortDayNames, getShortMonthNames, getSimplePaginationButtonClasses, getSimplePaginationButtonsWrapperClasses, getSimplePaginationContainerClasses, getSimplePaginationControlsClasses, getSimplePaginationPageIndicatorClasses, getSimplePaginationSelectClasses, getSimplePaginationTotalClasses, getSizeTextClasses, getSkeletonClasses, getSkeletonDimensions, getSliderThumbClasses, getSliderTooltipClasses, getSliderTrackClasses, getSortIconClasses, getSpaceClasses, getSpaceStyle, getSpanClasses, getSpinnerSVG, getStatusVariant, getStepContentClasses, getStepDescriptionClasses, getStepIconClasses, getStepItemClasses, getStepTailClasses, getStepTitleClasses, getStepsContainerClasses, getSubMenuExpandIconClasses, getSubMenuTitleClasses, getSvgDefaultAttrs, getSwitchClasses, getSwitchThumbClasses, getTabItemClasses, getTabNavClasses, getTabNavListClasses, getTabPaneClasses, getTableCellClasses, getTableHeaderCellClasses, getTableHeaderClasses, getTableRowClasses, getTableWrapperClasses, getTabsContainerClasses, getTagVariantClasses, getTextClasses, getThemeColor, getTimePeriodLabels, getTimePickerIconButtonClasses, getTimePickerInputClasses, getTimePickerItemClasses, getTimePickerLabels, getTimePickerOptionAriaLabel, getTimePickerPeriodButtonClasses, getTimePickerRangeTabButtonClasses, getTimelineContainerClasses, getTimelineContentClasses, getTimelineDotClasses, getTimelineHeadClasses, getTimelineItemClasses, getTimelineTailClasses, getTooltipContainerClasses, getTooltipContentClasses, getTooltipTriggerClasses, getTotalPages, getTotalTextClasses, getTransformOrigin, getTreeNodeClasses, getTreeNodeExpandIconClasses, getUploadButtonClasses, getUploadLabels, getUploadStatusIconClasses, getValueByPath, getVisibleTreeItems, groupItemsIntoRows, handleNodeCheck, hasErrors, icon16ViewBox, icon20ViewBox, icon24PathStrokeLinecap, icon24PathStrokeLinejoin, icon24StrokeWidth, icon24ViewBox, iconSizeClasses, iconSvgBaseClasses, iconSvgDefaultStrokeLinecap, iconSvgDefaultStrokeLinejoin, iconSvgDefaultStrokeWidth, iconWrapperClasses, initRovingTabIndex, injectDropdownStyles, injectLoadingAnimationStyles, injectShakeStyle, injectSvgAnimationStyles, inputFocusClasses, interactiveClasses, interpolateUploadLabel, isActivationKey, isBrowser, isDateInRange, isEnterKey, isEscapeKey, isEventOutside, isHTMLElement, isKeyActive, isKeyOpen, isKeySelected, isNextDisabled, isOptionGroup, isPanelActive, isPrevDisabled, isSameDay, isSpaceKey, isTabKey, isTimeInRange, isToday, layoutContentClasses, layoutFooterClasses, layoutHeaderClasses, layoutRootClasses, layoutSidebarClasses, linePointTransitionClasses, linkBaseClasses, linkDisabledClasses, linkSizeClasses, listBaseClasses, listBorderClasses, listEmptyStateClasses, listFooterClasses, listGridContainerClasses, listHeaderFooterBaseClasses, listItemAvatarClasses, listItemBaseClasses, listItemContentClasses, listItemDescriptionClasses, listItemDividedClasses, listItemExtraClasses, listItemHoverClasses, listItemLayoutClasses, listItemMetaClasses, listItemSizeClasses, listItemTitleClasses, listLoadingOverlayClasses, listSizeClasses, listWrapperClasses, loadingBarBaseClasses, loadingBarsWrapperBaseClasses, loadingColorClasses, loadingContainerBaseClasses, loadingDotBaseClasses, loadingDotsWrapperBaseClasses, loadingFullscreenBaseClasses, loadingOverlaySpinnerBaseClasses, loadingSizeClasses, loadingSpinnerBaseClasses, loadingTextSizeClasses, lockClosedIcon24PathD, lockOpenIcon24PathD, menuBaseClasses, menuCollapsedClasses, menuCollapsedItemClasses, menuDarkThemeClasses, menuItemBaseClasses, menuItemDisabledClasses, menuItemFocusClasses, menuItemGroupTitleClasses, menuItemHoverDarkClasses, menuItemHoverLightClasses, menuItemIconClasses, menuItemSelectedDarkClasses, menuItemSelectedLightClasses, menuLightThemeClasses, menuModeClasses, mergeStyleValues, mergeTigerLocale, messageBaseClasses, messageCloseButtonClasses, messageCloseIconPath, messageContainerBaseClasses, messageContentClasses, messageIconClasses, messageIconPaths, messageLoadingSpinnerClasses, messagePositionClasses, modalBodyClasses, modalCloseButtonClasses, modalContentWrapperClasses, modalFooterClasses, modalHeaderClasses, modalMaskClasses, modalSizeClasses, modalTitleClasses, modalWrapperClasses, moveFocusInMenu, normalizeActiveKeys, normalizeChartPadding, normalizeDate, normalizeStringOption, normalizeSvgAttrs, notificationBaseClasses, notificationCloseButtonClasses, notificationCloseIconClasses, notificationCloseIconPath, notificationContainerBaseClasses, notificationContentClasses, notificationDescriptionClasses, notificationIconClasses, notificationIconPaths, notificationPositionClasses, notificationTitleClasses, paginateData, parseDate, parseInputValue, parseTime, parseWidthToPx, polarToCartesian, popconfirmErrorIconPath, popconfirmIconPathStrokeLinecap, popconfirmIconPathStrokeLinejoin, popconfirmIconStrokeWidth, popconfirmIconViewBox, popconfirmInfoIconPath, popconfirmQuestionIconPath, popconfirmSuccessIconPath, popconfirmWarningIconPath, prepareUploadFiles, progressCircleBaseClasses, progressCircleSizeClasses, progressCircleTextClasses, progressCircleTrackStrokeClasses, progressLineBaseClasses, progressLineInnerClasses, progressLineSizeClasses, progressStripedAnimationClasses, progressStripedClasses, progressTextBaseClasses, progressTextSizeClasses, progressTrackBgClasses, radioDisabledCursorClasses, radioDotBaseClasses, radioFocusVisibleClasses, radioGroupDefaultClasses, radioHoverBorderClasses, radioLabelBaseClasses, radioRootBaseClasses, radioSizeClasses, radioVisualBaseClasses, replaceKeys, resetAreaGradientCounter, resetBarGradientCounter, resetLineGradientCounter, resetScatterGradientCounter, resolveChartPalette, resolveChartTooltipContent, resolveLocaleText, resolveMultiSeriesTooltipContent, resolveSeriesData, restoreFocus, scatterPointTransitionClasses, scrollToAnchor, scrollToTop, selectBaseClasses, selectDropdownBaseClasses, selectEmptyStateClasses, selectGroupLabelClasses, selectOptionBaseClasses, selectOptionDisabledClasses, selectOptionSelectedClasses, selectSearchInputClasses, setThemeColors, shouldHideBadge, skeletonAnimationClasses, skeletonBaseClasses, skeletonShapeClasses, skeletonVariantDefaults, sliderBaseClasses, sliderDisabledClasses, sliderGetKeyboardValue, sliderGetPercentage, sliderGetValueFromPosition, sliderNormalizeValue, sliderRangeClasses, sliderSizeClasses, sliderThumbClasses, sliderTooltipClasses, sliderTrackClasses, sortActivityGroups, sortAscIcon16PathD, sortBothIcon16PathD, sortData, sortDescIcon16PathD, sortNotificationGroups, stackSeriesData, statusErrorIconPath, statusIconPaths, statusInfoIconPath, statusSuccessIconPath, statusWarningIconPath, stepFinishChar, submenuContentHorizontalClasses, submenuContentInlineClasses, submenuContentPopupClasses, submenuContentVerticalClasses, submenuExpandIconClasses, submenuExpandIconExpandedClasses, submenuTitleClasses, successCircleSolidIcon20PathD, switchBaseClasses, switchSizeClasses, switchThumbSizeClasses, switchThumbTranslateClasses, tabAddButtonClasses, tabCloseButtonClasses, tabContentBaseClasses, tabFocusClasses, tabItemBaseClasses, tabItemCardActiveClasses, tabItemCardClasses, tabItemDisabledClasses, tabItemEditableCardActiveClasses, tabItemEditableCardClasses, tabItemLineActiveClasses, tabItemLineClasses, tabItemSizeClasses, tabNavBaseClasses, tabNavLineBorderClasses, tabNavListBaseClasses, tabNavListCenteredClasses, tabNavListPositionClasses, tabNavPositionClasses, tabPaneBaseClasses, tabPaneHiddenClasses, tableBaseClasses, tableContainerClasses, tableEmptyStateClasses, tableLoadingOverlayClasses, tablePaginationContainerClasses, tabsBaseClasses, tagBaseClasses, tagCloseButtonBaseClasses, tagCloseIconPath, tagSizeClasses, textAlignClasses, textColorClasses, textDecorationClasses, textSizeClasses, textWeightClasses, tigercatPlugin, tigercatTheme, timePickerBaseClasses, timePickerClearButtonClasses, timePickerColumnClasses, timePickerColumnHeaderClasses, timePickerColumnListClasses, timePickerFooterButtonClasses, timePickerFooterClasses, timePickerInputWrapperClasses, timePickerPanelClasses, timePickerPanelContentClasses, timePickerRangeHeaderClasses, timelineContainerClasses, timelineContentClasses, timelineCustomDotClasses, timelineDescriptionClasses, timelineDotClasses, timelineHeadClasses, timelineItemClasses, timelineLabelClasses, timelineListClasses, timelineTailClasses, to12HourFormat, to24HourFormat, toActivityTimelineItems, toggleKey, togglePanelKey, treeBaseClasses, treeEmptyStateClasses, treeLineClasses, treeLoadingClasses, treeNodeCheckboxClasses, treeNodeChildrenClasses, treeNodeContentClasses, treeNodeDisabledClasses, treeNodeExpandIconClasses, treeNodeExpandIconExpandedClasses, treeNodeHoverClasses, treeNodeIconClasses, treeNodeIndentClasses, treeNodeLabelClasses, treeNodeSelectedClasses, treeNodeWrapperClasses, uploadStatusIconColorClasses, uploadStatusIconSizeClasses, validateCurrentPage, validateField, validateFileSize, validateFileType, validateForm, validateRule, version };
|
|
12056
|
+
export { ANIMATION_DURATION_FAST_MS, ANIMATION_DURATION_MS, ANIMATION_DURATION_SLOW_MS, type ActivityAction, type ActivityFeedProps, type ActivityGroup, type ActivityItem, type ActivityStatusTag, type ActivityUser, type AlertColorScheme, type AlertProps, type AlertSize, type AlertThemeColors, type AlertType, type Align, type AnchorChangeInfo, type AnchorClickInfo, type AnchorDirection, type AnchorLinkProps, type AnchorProps, type AreaChartDatum, type AreaChartProps, type AreaChartSeries, type AutoResizeTextareaOptions, type AvatarProps, type AvatarShape, type AvatarSize, type BackTopProps, type BadgeColorScheme, type BadgePosition, type BadgeProps, type BadgeSize, type BadgeThemeColors, type BadgeType, type BadgeVariant, type BandScaleOptions, type BarChartDatum, type BarChartProps, type BarValueLabelPosition, type BaseChartProps, type BaseFloatingPopupProps, type BeforeUploadHandler, type BreadcrumbItemProps, type BreadcrumbProps, type BreadcrumbSeparator, type Breakpoint, type BuildLegendItemsOptions, type ButtonColorScheme, type ButtonProps, type ButtonSize, type ButtonVariant, CROP_HANDLES, CalendarIconPath, type CardDragData, type CardProps, type CardSize, type CardVariant, type CarouselBeforeChangeInfo, type CarouselChangeInfo, type CarouselDotPosition, type CarouselEffect, type CarouselMethods, type CarouselProps, type ChartAnimationConfig, type ChartAxisOrientation, type ChartAxisProps, type ChartAxisTick, type ChartCanvasProps, type ChartCurveType, type ChartGridLine, type ChartGridLineStyle, type ChartGridProps, type ChartInteractionHandlers, type ChartInteractionOptions, type ChartInteractionProps, type ChartInteractionState, type ChartLegendItem, type ChartLegendPosition, type ChartLegendProps, type ChartPadding, type ChartScale, type ChartScaleType, type ChartScaleValue, type ChartSeriesPoint, type ChartSeriesProps, type ChartSeriesType, type ChartTooltipProps, type ChartWithAxesProps, type ChatMessage, type ChatMessageDirection, type ChatMessageStatus, type ChatMessageStatusInfo, type ChatUser, type ChatWindowProps, type CheckboxGroupProps, type CheckboxGroupValue, type CheckboxProps, type CheckboxSize, type CheckboxValue, ChevronLeftIconPath, ChevronRightIconPath, type ClassValue, ClockIconPath, CloseIconPath, type CodeProps, type ColProps, type ColSpan, type CollapsePanelProps, type CollapseProps, type ColumnAlign, type ColumnDragData, type ColumnFilter, type CommentAction, type CommentNode, type CommentTag, type CommentThreadProps, type CommentUser, type ContainerMaxWidth, type ContainerProps, type ContentProps, type CreateAriaIdOptions, type CropHandle, type CropRect, type CropResult, type CropUploadProps, DEFAULT_CHART_COLORS, DEFAULT_FORM_WIZARD_LABELS, DEFAULT_PAGINATION_LABELS, DEFAULT_TASK_BOARD_LABELS, DONUT_BASE_SHADOW, DONUT_EMPHASIS_SHADOW, DROPDOWN_CHEVRON_PATH, DROPDOWN_ENTER_CLASS, DURATION_CLASS, DURATION_FAST_CLASS, DURATION_SLOW_CLASS, type DataTableWithToolbarProps, type DateFormat, type DatePickerInputDate, type DatePickerLabels, type DatePickerModelValue, type DatePickerProps, type DatePickerRangeModelValue, type DatePickerRangeValue, type DatePickerSingleModelValue, type DatePickerSingleValue, type DatePickerSize, type DescriptionsItem, type DescriptionsLayout, type DescriptionsProps, type DescriptionsSize, type DividerLineStyle, type DividerOrientation, type DividerProps, type DividerSpacing, type DonutChartDatum, type DonutChartProps, type DrawerPlacement, type DrawerProps, type DrawerSize, type DropdownItemProps, type DropdownMenuProps, type DropdownPlacement, type DropdownProps, type DropdownTrigger, EASING_DEFAULT, EASING_ENTER, EASING_LEAVE, type ElementLike, type ExpandIconPosition, type FilterOption, type FilterType, type FloatingCleanup, type FloatingOptions, type FloatingPlacement, type FloatingResult, type FloatingTrigger, type FocusElementOptions, type FocusTrapNavigation, type FooterProps, type FormError, type FormItemClassOptions, type FormItemLabelClassOptions, type FormItemProps, type FormLabelAlign, type FormLabelPosition, type FormProps, type FormRule, type FormRuleTrigger, type FormRuleType, type FormRules, type FormSize, type FormValidationResult, type FormValues, type FormWizardProps, type FormWizardValidateResult, type FormWizardValidator, type GetContainerClassesOptions, type GetInputClassesOptions, type GetRadioDotClassesOptions, type GetRadioGroupClassesOptions, type GetRadioLabelClassesOptions, type GetRadioVisualClassesOptions, type GutterSize, type HeaderProps, type IconProps, type IconSize, type ImageCropperProps, type ImageFit, type ImageGroupProps, type ImagePreviewProps, type ImagePreviewToolbarAction, type ImageProps, type InputProps, type InputSize, type InputStatus, type InputType, type IsEventOutsideOptions, type Justify, type KeyLikeEvent, type LayoutProps, type LineChartDatum, type LineChartProps, type LineChartSeries, type LinkColorScheme, type LinkProps, type LinkSize, type LinkThemeColors, type LinkVariant, type ListBorderStyle, type ListItem, type ListItemLayout, type ListPaginationConfig, type ListProps, type ListSize, type LoadingAnimationIndex, type LoadingColor, type LoadingProps, type LoadingSize, type LoadingVariant, type MenuItem, type MenuItemGroupProps, type MenuItemProps, type MenuKey, type MenuMode, type MenuProps, type MenuTheme, type MessageColorScheme, type MessageConfig, type MessageInstance, type MessageOptions, type MessagePosition, type MessageProps, type MessageType, type ModalProps, type ModalSize, type MoveCardOptions, type NotificationCenterProps, type NotificationColorScheme, type NotificationConfig, type NotificationGroup, type NotificationInstance, type NotificationItem, type NotificationOptions, type NotificationPosition, type NotificationProps, type NotificationReadFilter, type NotificationType, PIE_BASE_SHADOW, PIE_EMPHASIS_SHADOW, POPOVER_TEXT_CLASSES, POPOVER_TITLE_CLASSES, type PageChangeInfo, type PageSizeChangeInfo, type PaginationAlign, type PaginationConfig, type PaginationPageSizeOption, type PaginationPageSizeOptionItem, type PaginationProps, type PaginationSize, type PieArcDatum, type PieChartDatum, type PieChartProps, type PointScaleOptions, type PopconfirmIconType, type PopconfirmProps, type PopoverProps, type PopoverTrigger, type PrepareUploadFilesOptions, type PrepareUploadFilesResult, type PreviewNavState, type ProgressColorScheme, type ProgressProps, type ProgressSize, type ProgressStatus, type ProgressThemeColors, type ProgressType, type ProgressVariant, RADAR_SPLIT_AREA_COLORS, type RadarChartDatum, type RadarChartProps, type RadarChartSeries, type RadarPoint, type RadioColorScheme, type RadioGroupProps, type RadioProps, type RadioSize, type RowProps, type RowSelectionConfig, SCATTER_ENTRANCE_CLASS, SCATTER_ENTRANCE_KEYFRAMES, SHAKE_CLASS, SVG_ANIMATION_CLASSES, SVG_ANIMATION_VARS, SVG_DEFAULT_FILL, SVG_DEFAULT_STROKE, SVG_DEFAULT_VIEWBOX_20, SVG_DEFAULT_VIEWBOX_24, SVG_DEFAULT_XMLNS, SVG_PATH_ANIMATION_CSS, type ScatterChartDatum, type ScatterChartProps, type SelectModelValue, type SelectOption, type SelectOptionGroup, type SelectOptions, type SelectProps, type SelectSize, type SelectValue, type SelectValues, type SidebarProps, type SkeletonAnimation, type SkeletonProps, type SkeletonShape, type SkeletonVariant, type SliderProps, type SliderSize, type SortDirection, type SortState, type SpaceAlign, type SpaceDirection, type SpaceProps, type SpaceSize, type StatusIconType, type StepItem, type StepSize, type StepStatus, type StepsDirection, type StepsProps, type StyleAtom, type StyleObject, type StyleValue, type SubMenuProps, type SwitchProps, type SwitchSize, THEME_CSS_VARS, TRANSITION_BASE, TRANSITION_OPACITY, TRANSITION_TRANSFORM, type TabChangeInfo, type TabEditInfo, type TabPaneProps, type TabPosition, type TabSize, type TabType, type TableColumn, type TableProps, type TableSize, type TableToolbarAction, type TableToolbarFilter, type TableToolbarFilterValue, type TableToolbarProps, type TabsProps, type TagColorScheme, type TagProps, type TagSize, type TagThemeColors, type TagVariant, type TaskBoardCard, type TaskBoardCardMoveEvent, type TaskBoardColumn, type TaskBoardColumnMoveEvent, type TaskBoardDragData, type TaskBoardDragState, type TaskBoardMoveValidator, type TaskBoardProps, type TextAlign, type TextColor, type TextProps, type TextSize, type TextTag, type TextWeight, type TextareaProps, type TextareaSize, type ThemeColors, type TigerLocale, type TigerLocaleCommon, type TigerLocaleDrawer, type TigerLocaleFormWizard, type TigerLocaleModal, type TigerLocalePagination, type TigerLocaleTaskBoard, type TigerLocaleUpload, type TimeFormat, TimePickerCloseIconPath, type TimePickerLabels, type TimePickerModelValue, type TimePickerOptionUnit, type TimePickerProps, type TimePickerRangeValue, type TimePickerSingleValue, type TimePickerSize, type TimelineItem, type TimelineItemPosition, type TimelineMode, type TimelineProps, type TooltipProps, type TooltipTrigger, type TouchDragState, type TouchDragTracker, type TreeCheckStrategy, type TreeCheckedState, type TreeExpandedState, type TreeFilterFn, type TreeLoadDataFn, type TreeNode, type TreeProps, type TreeSelectionMode, type TriggerHandlerMap, type UploadFile, type UploadFileStatus, type UploadLabelOverrides, type UploadLabels, type UploadListType, type UploadProps, type UploadRejectReason, type UploadRejectedFile, type UploadRequestOptions, type UploadStatusIconSize, type VisibleTreeItem, type WizardStep, ZH_CN_FORM_WIZARD_LABELS, ZH_CN_PAGINATION_LABELS, ZH_CN_TASK_BOARD_LABELS, activeOpacityClasses, activePressClasses, alertBaseClasses, alertCloseButtonBaseClasses, alertCloseIconPath, alertContentClasses, alertDescriptionSizeClasses, alertIconContainerClasses, alertIconSizeClasses, alertSizeClasses, alertTitleSizeClasses, anchorAffixClasses, anchorBaseClasses, anchorInkActiveHorizontalClasses, anchorInkActiveVerticalClasses, anchorInkContainerHorizontalClasses, anchorInkContainerVerticalClasses, anchorLinkActiveClasses, anchorLinkBaseClasses, anchorLinkListHorizontalClasses, anchorLinkListVerticalClasses, animationDelayClasses, animationDelayStyles, applyFloatingStyles, autoResizeTextarea, autoUpdateFloating, avatarBaseClasses, avatarDefaultBgColor, avatarDefaultTextColor, avatarImageClasses, avatarShapeClasses, avatarSizeClasses, backTopButtonClasses, backTopContainerClasses, backTopHiddenClasses, backTopIconPath, backTopVisibleClasses, badgeBaseClasses, badgePositionClasses, badgeSizeClasses, badgeTypeClasses, badgeWrapperClasses, barAnimatedTransition, barValueLabelClasses, barValueLabelInsideClasses, barsVariantConfig, breadcrumbContainerClasses, breadcrumbCurrentClasses, breadcrumbItemBaseClasses, breadcrumbLinkClasses, breadcrumbSeparatorBaseClasses, buildActivityGroups, buildChartLegendItems, buildCommentTree, buildNotificationGroups, buildTriggerHandlerMap, buttonBaseClasses, buttonDisabledClasses, buttonSizeClasses, calculateCheckedState, calculateCirclePath, calculatePagination, calculateStepStatus, calculateTransform, calendarSolidIcon20PathD, captureActiveElement, cardActionsClasses, cardBaseClasses, cardCoverClasses, cardCoverWrapperClasses, cardFooterClasses, cardHeaderClasses, cardHoverClasses, cardSizeClasses, cardVariantClasses, carouselArrowBaseClasses, carouselArrowDisabledClasses, carouselBaseClasses, carouselDotActiveClasses, carouselDotClasses, carouselDotsBaseClasses, carouselDotsPositionClasses, carouselNextArrowClasses, carouselNextArrowPath, carouselPrevArrowClasses, carouselPrevArrowPath, carouselSlideBaseClasses, carouselTrackFadeClasses, carouselTrackScrollClasses, chartAxisLabelClasses, chartAxisLineClasses, chartAxisTickLineClasses, chartAxisTickTextClasses, chartCanvasBaseClasses, chartGridLineClasses, chartInteractiveClasses, checkSolidIcon20PathD, checkboxLabelSizeClasses, checkboxSizeClasses, checkedSetsFromState, chevronDownSolidIcon20PathD, chevronLeftSolidIcon20PathD, chevronRightSolidIcon20PathD, clampBarWidth, clampPercentage, clampScale, clampSlideIndex, classNames, clearFieldErrors, clipCommentTreeDepth, clockSolidIcon20PathD, closeIconPathD, closeIconPathStrokeLinecap, closeIconPathStrokeLinejoin, closeIconPathStrokeWidth, closeIconViewBox, closeSolidIcon20PathD, codeBlockContainerClasses, codeBlockCopyButtonBaseClasses, codeBlockCopyButtonCopiedClasses, codeBlockPreClasses, coerceClassValue, coerceStyleValue, collapseBaseClasses, collapseBorderlessClasses, collapseGhostClasses, collapseHeaderTextClasses, collapseIconBaseClasses, collapseIconExpandedClasses, collapseIconPositionClasses, collapsePanelBaseClasses, collapsePanelContentBaseClasses, collapsePanelContentWrapperClasses, collapsePanelHeaderActiveClasses, collapsePanelHeaderBaseClasses, collapsePanelHeaderDisabledClasses, computeFloatingPosition, computePieHoverOffset, computePieLabelLine, constrainCropRect, containerBaseClasses, containerCenteredClasses, containerMaxWidthClasses, containerPaddingClasses, copyTextToClipboard, createAreaPath, createAriaId, createBandScale, createCardDragData, createChartInteractionHandlers, createColumnDragData, createFloatingIdFactory, createLinePath, createLinearScale, createPieArcPath, createPointScale, createPolygonPath, createTouchDragTracker, cropCanvas, cropUploadTriggerClasses, cropUploadTriggerDisabledClasses, datePickerBaseClasses, datePickerCalendarClasses, datePickerCalendarGridClasses, datePickerCalendarHeaderClasses, datePickerClearButtonClasses, datePickerDayNameClasses, datePickerFooterButtonClasses, datePickerFooterClasses, datePickerInputWrapperClasses, datePickerMonthYearClasses, datePickerNavButtonClasses, defaultAlertThemeColors, defaultBadgeThemeColors, defaultChatMessageStatusInfo, defaultLinkThemeColors, defaultMessageThemeColors, defaultNotificationThemeColors, defaultProgressThemeColors, defaultRadarTooltipFormatter, defaultRadioColors, defaultSeriesXYTooltipFormatter, defaultSortFn, defaultTagThemeColors, defaultThemeColors, defaultTooltipFormatter, defaultTotalText, defaultXYTooltipFormatter, descriptionsBaseClasses, descriptionsCellSizeClasses, descriptionsContentBorderedClasses, descriptionsContentClasses, descriptionsExtraClasses, descriptionsHeaderClasses, descriptionsLabelBorderedClasses, descriptionsLabelClasses, descriptionsSizeClasses, descriptionsTableBorderedClasses, descriptionsTableClasses, descriptionsTitleClasses, descriptionsVerticalContentClasses, descriptionsVerticalItemClasses, descriptionsVerticalLabelClasses, descriptionsVerticalWrapperClasses, descriptionsWrapperClasses, dotSizeClasses, dotsVariantConfig, ensureBarMinHeight, errorCircleSolidIcon20PathD, fileToUploadFile, filterData, filterOptions, filterTreeNodes, findActiveAnchor, findColumnFromPoint, findNode, flattenSelectOptions, focusElement, focusFirst, focusFirstChildItem, focusMenuEdge, focusRingClasses, focusRingInsetClasses, formatActivityTime, formatBadgeContent, formatChatTime, formatCommentTime, formatDate, formatFileSize, formatMonthYear, formatPageAriaLabel, formatPaginationTotal, formatProgressText, formatTime, formatTimeDisplay, formatTimeDisplayWithLocale, generateAvatarColor, generateFileId, generateHours, generateMinutes, generateSeconds, getActiveElement, getActiveIndex, getAlertIconPath, getAlertTypeClasses, getAlignClasses, getAllKeys, getAnchorInkActiveClasses, getAnchorInkContainerClasses, getAnchorLinkClasses, getAnchorLinkListClasses, getAnchorTargetElement, getAnchorWrapperClasses, getAreaGradientPrefix, getArrowStyles, getAutoExpandKeys, getBadgeVariantClasses, getBarGradientPrefix, getBarGrowAnimationStyle, getBarValueLabelY, getBreadcrumbItemClasses, getBreadcrumbLinkClasses, getBreadcrumbSeparatorClasses, getButtonVariantClasses, getCalendarDays, getCardClasses, getCarouselArrowClasses, getCarouselContainerClasses, getCarouselDotClasses, getCarouselDotsClasses, getChartAnimationStyle, getChartAxisTicks, getChartElementOpacity, getChartEntranceTransform, getChartGridLineDasharray, getChartInnerRect, getChatMessageStatusInfo, getCheckboxCellClasses, getCheckboxClasses, getCheckboxLabelClasses, getCheckedKeysByStrategy, getCircleSize, getColMergedStyleVars, getColOrderStyleVars, getColStyleVars, getCollapseContainerClasses, getCollapseIconClasses, getCollapsePanelClasses, getCollapsePanelHeaderClasses, getColumnDropIndex, getContainerClasses, getContainerHeight, getContainerScrollTop, getCropperHandleClasses, getCurrentTime, getDatePickerDayCellClasses, getDatePickerIconButtonClasses, getDatePickerInputClasses, getDatePickerLabels, getDayNames, getDaysInMonth, getDescendantKeys, getDescriptionsClasses, getDescriptionsContentClasses, getDescriptionsLabelClasses, getDescriptionsTableClasses, getDescriptionsVerticalItemClasses, getDividerClasses, getDividerStyle, getDragAreaClasses, getDrawerBodyClasses, getDrawerCloseButtonClasses, getDrawerContainerClasses, getDrawerFooterClasses, getDrawerHeaderClasses, getDrawerMaskClasses, getDrawerPanelClasses, getDrawerTitleClasses, getDropIndex, getDropdownChevronClasses, getDropdownContainerClasses, getDropdownItemClasses, getDropdownMenuClasses, getDropdownTriggerClasses, getElementOffsetTop, getErrorFields, getFieldError, getFileListItemClasses, getFirstDayOfMonth, getFixedColumnOffsets, getFlexClasses, getFocusTrapNavigation, getFocusableElements, getFormItemAsteriskClasses, getFormItemClasses, getFormItemContentClasses, getFormItemErrorClasses, getFormItemFieldClasses, getFormItemLabelClasses, getFormWizardLabels, getGridColumnClasses, getGutterStyles, getImageImgClasses, getInitialCropRect, getInitials, getInputAffixClasses, getInputClasses, getInputErrorClasses, getInputWrapperClasses, getJustifyClasses, getLeafKeys, getLineGradientPrefix, getLinkVariantClasses, getListClasses, getListHeaderFooterClasses, getListItemClasses, getLoadingBarClasses, getLoadingBarsWrapperClasses, getLoadingClasses, getLoadingDotClasses, getLoadingDotsWrapperClasses, getLoadingOverlaySpinnerClasses, getLoadingTextClasses, getMenuButtons, getMenuClasses, getMenuItemClasses, getMenuItemIndent, getMessageIconPath, getMessageTypeClasses, getModalContainerClasses, getModalContentClasses, getMonthNames, getNextActiveKey, getNextSlideIndex, getNotificationIconPath, getNotificationTypeClasses, getNumberExtent, getOffsetClasses, getOrderClasses, getPageNumbers, getPageRange, getPageSizeSelectorClasses, getPaginationButtonActiveClasses, getPaginationButtonBaseClasses, getPaginationContainerClasses, getPaginationEllipsisClasses, getPaginationLabels, getParagraphRowWidth, getParentKeys, getPathDrawAnimationStyle, getPathDrawStyles, getPathLength, getPendingDotClasses, getPictureCardClasses, getPieArcs, getPieDrawAnimationStyle, getPlacementSide, getPopconfirmArrowClasses, getPopconfirmButtonBaseClasses, getPopconfirmButtonsClasses, getPopconfirmCancelButtonClasses, getPopconfirmContainerClasses, getPopconfirmContentClasses, getPopconfirmDescriptionClasses, getPopconfirmIconClasses, getPopconfirmIconPath, getPopconfirmOkButtonClasses, getPopconfirmTitleClasses, getPopconfirmTriggerClasses, getPopoverContainerClasses, getPopoverContentClasses, getPopoverContentTextClasses, getPopoverTitleClasses, getPopoverTriggerClasses, getPrevSlideIndex, getPreviewNavState, getProgressTextColorClasses, getProgressVariantClasses, getQuickJumperInputClasses, getRadarAngles, getRadarLabelAlign, getRadarPoints, getRadioColorClasses, getRadioDotClasses, getRadioGroupClasses, getRadioLabelClasses, getRadioVisualClasses, getRowKey, getScatterGradientPrefix, getScatterHoverShadow, getScatterHoverSize, getScatterPointPath, getScrollTop, getScrollTransform, getSecureRel, getSelectOptionClasses, getSelectSizeClasses, getSelectTriggerClasses, getSeparatorContent, getShortDayNames, getShortMonthNames, getSimplePaginationButtonClasses, getSimplePaginationButtonsWrapperClasses, getSimplePaginationContainerClasses, getSimplePaginationControlsClasses, getSimplePaginationPageIndicatorClasses, getSimplePaginationSelectClasses, getSimplePaginationTotalClasses, getSizeTextClasses, getSkeletonClasses, getSkeletonDimensions, getSliderThumbClasses, getSliderTooltipClasses, getSliderTrackClasses, getSortIconClasses, getSpaceClasses, getSpaceStyle, getSpanClasses, getSpinnerSVG, getStatusVariant, getStepContentClasses, getStepDescriptionClasses, getStepIconClasses, getStepItemClasses, getStepTailClasses, getStepTitleClasses, getStepsContainerClasses, getSubMenuExpandIconClasses, getSubMenuTitleClasses, getSvgDefaultAttrs, getSwitchClasses, getSwitchThumbClasses, getTabItemClasses, getTabNavClasses, getTabNavListClasses, getTabPaneClasses, getTableCellClasses, getTableHeaderCellClasses, getTableHeaderClasses, getTableRowClasses, getTableWrapperClasses, getTabsContainerClasses, getTagVariantClasses, getTaskBoardLabels, getTextClasses, getThemeColor, getTimePeriodLabels, getTimePickerIconButtonClasses, getTimePickerInputClasses, getTimePickerItemClasses, getTimePickerLabels, getTimePickerOptionAriaLabel, getTimePickerPeriodButtonClasses, getTimePickerRangeTabButtonClasses, getTimelineContainerClasses, getTimelineContentClasses, getTimelineDotClasses, getTimelineHeadClasses, getTimelineItemClasses, getTimelineTailClasses, getTooltipContainerClasses, getTooltipContentClasses, getTooltipTriggerClasses, getTotalPages, getTotalTextClasses, getTouchDistance, getTransformOrigin, getTreeNodeClasses, getTreeNodeExpandIconClasses, getUploadButtonClasses, getUploadLabels, getUploadStatusIconClasses, getValueByPath, getVisibleTreeItems, groupItemsIntoRows, handleNodeCheck, hasErrors, icon16ViewBox, icon20ViewBox, icon24PathStrokeLinecap, icon24PathStrokeLinejoin, icon24StrokeWidth, icon24ViewBox, iconSizeClasses, iconSvgBaseClasses, iconSvgDefaultStrokeLinecap, iconSvgDefaultStrokeLinejoin, iconSvgDefaultStrokeWidth, iconWrapperClasses, imageBaseClasses, imageCropperContainerClasses, imageCropperDragAreaClasses, imageCropperGuideClasses, imageCropperImgClasses, imageCropperMaskClasses, imageCropperSelectionClasses, imageErrorClasses, imageErrorIconPath, imageLoadingClasses, imagePreviewCloseBtnClasses, imagePreviewCounterClasses, imagePreviewCursorClass, imagePreviewImgClasses, imagePreviewMaskClasses, imagePreviewNavBtnClasses, imagePreviewToolbarBtnClasses, imagePreviewToolbarClasses, imagePreviewWrapperClasses, initRovingTabIndex, injectDropdownStyles, injectLoadingAnimationStyles, injectShakeStyle, injectSvgAnimationStyles, inputFocusClasses, interactiveClasses, interpolateUploadLabel, isActivationKey, isBrowser, isDateInRange, isEnterKey, isEscapeKey, isEventOutside, isHTMLElement, isKeyActive, isKeyOpen, isKeySelected, isNextDisabled, isOptionGroup, isPanelActive, isPrevDisabled, isSameDay, isSpaceKey, isTabKey, isTimeInRange, isToday, isWipExceeded, layoutContentClasses, layoutFooterClasses, layoutHeaderClasses, layoutRootClasses, layoutSidebarClasses, linePointTransitionClasses, linkBaseClasses, linkDisabledClasses, linkSizeClasses, listBaseClasses, listBorderClasses, listEmptyStateClasses, listFooterClasses, listGridContainerClasses, listHeaderFooterBaseClasses, listItemAvatarClasses, listItemBaseClasses, listItemContentClasses, listItemDescriptionClasses, listItemDividedClasses, listItemExtraClasses, listItemHoverClasses, listItemLayoutClasses, listItemMetaClasses, listItemSizeClasses, listItemTitleClasses, listLoadingOverlayClasses, listSizeClasses, listWrapperClasses, loadingBarBaseClasses, loadingBarsWrapperBaseClasses, loadingColorClasses, loadingContainerBaseClasses, loadingDotBaseClasses, loadingDotsWrapperBaseClasses, loadingFullscreenBaseClasses, loadingOverlaySpinnerBaseClasses, loadingSizeClasses, loadingSpinnerBaseClasses, loadingTextSizeClasses, lockClosedIcon24PathD, lockOpenIcon24PathD, menuBaseClasses, menuCollapsedClasses, menuCollapsedItemClasses, menuDarkThemeClasses, menuItemBaseClasses, menuItemDisabledClasses, menuItemFocusClasses, menuItemGroupTitleClasses, menuItemHoverDarkClasses, menuItemHoverLightClasses, menuItemIconClasses, menuItemSelectedDarkClasses, menuItemSelectedLightClasses, menuLightThemeClasses, menuModeClasses, mergeStyleValues, mergeTigerLocale, messageBaseClasses, messageCloseButtonClasses, messageCloseIconPath, messageContainerBaseClasses, messageContentClasses, messageIconClasses, messageIconPaths, messageLoadingSpinnerClasses, messagePositionClasses, modalBodyClasses, modalCloseButtonClasses, modalContentWrapperClasses, modalFooterClasses, modalHeaderClasses, modalMaskClasses, modalSizeClasses, modalTitleClasses, modalWrapperClasses, moveCard, moveCropRect, moveFocusInMenu, nextIconPath, normalizeActiveKeys, normalizeChartPadding, normalizeDate, normalizeStringOption, normalizeSvgAttrs, notificationBaseClasses, notificationCloseButtonClasses, notificationCloseIconClasses, notificationCloseIconPath, notificationContainerBaseClasses, notificationContentClasses, notificationDescriptionClasses, notificationIconClasses, notificationIconPaths, notificationPositionClasses, notificationTitleClasses, paginateData, parseDate, parseDragData, parseInputValue, parseTime, parseWidthToPx, polarToCartesian, popconfirmErrorIconPath, popconfirmIconPathStrokeLinecap, popconfirmIconPathStrokeLinejoin, popconfirmIconStrokeWidth, popconfirmIconViewBox, popconfirmInfoIconPath, popconfirmQuestionIconPath, popconfirmSuccessIconPath, popconfirmWarningIconPath, prepareUploadFiles, prevIconPath, previewCloseIconPath, progressCircleBaseClasses, progressCircleSizeClasses, progressCircleTextClasses, progressCircleTrackStrokeClasses, progressLineBaseClasses, progressLineInnerClasses, progressLineSizeClasses, progressStripedAnimationClasses, progressStripedClasses, progressTextBaseClasses, progressTextSizeClasses, progressTrackBgClasses, radioDisabledCursorClasses, radioDotBaseClasses, radioFocusVisibleClasses, radioGroupDefaultClasses, radioHoverBorderClasses, radioLabelBaseClasses, radioRootBaseClasses, radioSizeClasses, radioVisualBaseClasses, reorderColumns, replaceKeys, resetAreaGradientCounter, resetBarGradientCounter, resetIconPath, resetLineGradientCounter, resetScatterGradientCounter, resizeCropRect, resolveChartPalette, resolveChartTooltipContent, resolveLocaleText, resolveMultiSeriesTooltipContent, resolveSeriesData, restoreFocus, scatterPointTransitionClasses, scrollToAnchor, scrollToTop, selectBaseClasses, selectDropdownBaseClasses, selectEmptyStateClasses, selectGroupLabelClasses, selectOptionBaseClasses, selectOptionDisabledClasses, selectOptionSelectedClasses, selectSearchInputClasses, setDragData, setThemeColors, shouldHideBadge, skeletonAnimationClasses, skeletonBaseClasses, skeletonShapeClasses, skeletonVariantDefaults, sliderBaseClasses, sliderDisabledClasses, sliderGetKeyboardValue, sliderGetPercentage, sliderGetValueFromPosition, sliderNormalizeValue, sliderRangeClasses, sliderSizeClasses, sliderThumbClasses, sliderTooltipClasses, sliderTrackClasses, sortActivityGroups, sortAscIcon16PathD, sortBothIcon16PathD, sortData, sortDescIcon16PathD, sortNotificationGroups, stackSeriesData, statusErrorIconPath, statusIconPaths, statusInfoIconPath, statusSuccessIconPath, statusWarningIconPath, stepFinishChar, submenuContentHorizontalClasses, submenuContentInlineClasses, submenuContentPopupClasses, submenuContentVerticalClasses, submenuExpandIconClasses, submenuExpandIconExpandedClasses, submenuTitleClasses, successCircleSolidIcon20PathD, switchBaseClasses, switchSizeClasses, switchThumbSizeClasses, switchThumbTranslateClasses, tabAddButtonClasses, tabCloseButtonClasses, tabContentBaseClasses, tabFocusClasses, tabItemBaseClasses, tabItemCardActiveClasses, tabItemCardClasses, tabItemDisabledClasses, tabItemEditableCardActiveClasses, tabItemEditableCardClasses, tabItemLineActiveClasses, tabItemLineClasses, tabItemSizeClasses, tabNavBaseClasses, tabNavLineBorderClasses, tabNavListBaseClasses, tabNavListCenteredClasses, tabNavListPositionClasses, tabNavPositionClasses, tabPaneBaseClasses, tabPaneHiddenClasses, tableBaseClasses, tableContainerClasses, tableEmptyStateClasses, tableLoadingOverlayClasses, tablePaginationContainerClasses, tabsBaseClasses, tagBaseClasses, tagCloseButtonBaseClasses, tagCloseIconPath, tagSizeClasses, taskBoardAddCardClasses, taskBoardBaseClasses, taskBoardCardClasses, taskBoardCardDraggingClasses, taskBoardColumnBodyClasses, taskBoardColumnClasses, taskBoardColumnDraggingClasses, taskBoardColumnDropTargetClasses, taskBoardColumnHeaderClasses, taskBoardDropIndicatorClasses, taskBoardEmptyClasses, taskBoardWipExceededClasses, textAlignClasses, textColorClasses, textDecorationClasses, textSizeClasses, textWeightClasses, tigercatPlugin, tigercatTheme, timePickerBaseClasses, timePickerClearButtonClasses, timePickerColumnClasses, timePickerColumnHeaderClasses, timePickerColumnListClasses, timePickerFooterButtonClasses, timePickerFooterClasses, timePickerInputWrapperClasses, timePickerPanelClasses, timePickerPanelContentClasses, timePickerRangeHeaderClasses, timelineContainerClasses, timelineContentClasses, timelineCustomDotClasses, timelineDescriptionClasses, timelineDotClasses, timelineHeadClasses, timelineItemClasses, timelineLabelClasses, timelineListClasses, timelineTailClasses, to12HourFormat, to24HourFormat, toActivityTimelineItems, toCSSSize, toggleKey, togglePanelKey, treeBaseClasses, treeEmptyStateClasses, treeLineClasses, treeLoadingClasses, treeNodeCheckboxClasses, treeNodeChildrenClasses, treeNodeContentClasses, treeNodeDisabledClasses, treeNodeExpandIconClasses, treeNodeExpandIconExpandedClasses, treeNodeHoverClasses, treeNodeIconClasses, treeNodeIndentClasses, treeNodeLabelClasses, treeNodeSelectedClasses, treeNodeWrapperClasses, uploadPlusIconPath, uploadStatusIconColorClasses, uploadStatusIconSizeClasses, validateCurrentPage, validateField, validateFileSize, validateFileType, validateForm, validateRule, version, zoomInIconPath, zoomOutIconPath };
|