@reeverdev/ui 0.5.6 → 0.5.8

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.d.cts CHANGED
@@ -5,11 +5,13 @@ import { VariantProps } from 'class-variance-authority';
5
5
  import * as react_jsx_runtime from 'react/jsx-runtime';
6
6
  import { Toaster as Toaster$1 } from 'sonner';
7
7
  export { toast } from 'sonner';
8
- import { DayPicker, DateRange } from 'react-day-picker';
8
+ import { AriaCalendarProps, AriaRangeCalendarProps } from '@react-aria/calendar';
9
+ import { Calendar as Calendar$1, DateValue } from '@internationalized/date';
9
10
  import { Command as Command$1 } from 'cmdk';
10
11
  import { GroupProps, Panel, SeparatorProps as SeparatorProps$1 } from 'react-resizable-panels';
11
12
  export { PanelProps as ResizablePanelProps } from 'react-resizable-panels';
12
13
  import * as lucide_react from 'lucide-react';
14
+ import { RangeValue } from '@react-types/shared';
13
15
  import useEmblaCarousel, { UseEmblaCarouselType } from 'embla-carousel-react';
14
16
  import { Crop } from 'react-image-crop';
15
17
  export { useTheme } from 'next-themes';
@@ -154,18 +156,18 @@ declare const colorMap: {
154
156
  };
155
157
  declare const sizeMap: {
156
158
  readonly sm: {
157
- readonly track: "h-5 w-9";
158
- readonly thumb: "h-4 w-4";
159
- readonly translate: "translate-x-4";
160
- };
161
- readonly md: {
162
- readonly track: "h-6 w-11";
159
+ readonly track: "h-7 w-12";
163
160
  readonly thumb: "h-5 w-5";
164
161
  readonly translate: "translate-x-5";
165
162
  };
166
- readonly lg: {
167
- readonly track: "h-7 w-14";
163
+ readonly md: {
164
+ readonly track: "h-8 w-14";
168
165
  readonly thumb: "h-6 w-6";
166
+ readonly translate: "translate-x-6";
167
+ };
168
+ readonly lg: {
169
+ readonly track: "h-9 w-16";
170
+ readonly thumb: "h-7 w-7";
169
171
  readonly translate: "translate-x-7";
170
172
  };
171
173
  };
@@ -935,10 +937,10 @@ interface TableColumn<T> {
935
937
  /** Custom cell renderer */
936
938
  cell?: (row: T, index: number) => React$1.ReactNode;
937
939
  }
938
- type SortDirection = "asc" | "desc" | null;
940
+ type SortDirection$1 = "asc" | "desc" | null;
939
941
  interface SortState {
940
942
  columnId: string | null;
941
- direction: SortDirection;
943
+ direction: SortDirection$1;
942
944
  }
943
945
  interface PaginationState {
944
946
  pageIndex: number;
@@ -1000,31 +1002,235 @@ interface SpinnerProps extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "col
1000
1002
  }
1001
1003
  declare const Spinner: React$1.ForwardRefExoticComponent<SpinnerProps & React$1.RefAttributes<HTMLDivElement>>;
1002
1004
 
1005
+ type Direction = "ltr" | "rtl";
1006
+ interface DirectionContextValue {
1007
+ /** Current direction (ltr or rtl) */
1008
+ direction: Direction;
1009
+ /** Whether the direction is RTL */
1010
+ isRTL: boolean;
1011
+ /** Set the direction */
1012
+ setDirection: (direction: Direction) => void;
1013
+ /** Toggle between LTR and RTL */
1014
+ toggleDirection: () => void;
1015
+ }
1016
+ declare const DirectionContext: React$1.Context<DirectionContextValue | undefined>;
1017
+ interface DirectionProviderProps {
1018
+ /** Child components */
1019
+ children: React$1.ReactNode;
1020
+ /** Initial direction (defaults to "ltr") */
1021
+ direction?: Direction;
1022
+ /** Storage key for direction preference (enables persistence) */
1023
+ storageKey?: string;
1024
+ /** Whether to detect direction from HTML dir attribute */
1025
+ detectFromHtml?: boolean;
1026
+ /** Whether to set dir attribute on HTML element */
1027
+ setHtmlDir?: boolean;
1028
+ }
1029
+ /**
1030
+ * DirectionProvider - Provides RTL/LTR direction context for the application.
1031
+ *
1032
+ * @example
1033
+ * ```tsx
1034
+ * // Basic usage
1035
+ * <DirectionProvider>
1036
+ * <App />
1037
+ * </DirectionProvider>
1038
+ *
1039
+ * // With RTL default
1040
+ * <DirectionProvider direction="rtl">
1041
+ * <App />
1042
+ * </DirectionProvider>
1043
+ *
1044
+ * // With persistence
1045
+ * <DirectionProvider storageKey="my-app-direction">
1046
+ * <App />
1047
+ * </DirectionProvider>
1048
+ * ```
1049
+ */
1050
+ declare const DirectionProvider: React$1.FC<DirectionProviderProps>;
1051
+ /**
1052
+ * useDirection - Hook to access and control the current direction.
1053
+ *
1054
+ * @example
1055
+ * ```tsx
1056
+ * function MyComponent() {
1057
+ * const { direction, isRTL, toggleDirection } = useDirection();
1058
+ *
1059
+ * return (
1060
+ * <div>
1061
+ * <p>Current direction: {direction}</p>
1062
+ * <button onClick={toggleDirection}>Toggle Direction</button>
1063
+ * {isRTL && <span>RTL Mode Active</span>}
1064
+ * </div>
1065
+ * );
1066
+ * }
1067
+ * ```
1068
+ */
1069
+ declare function useDirection(): DirectionContextValue;
1070
+ /**
1071
+ * useDirectionValue - Hook to get just the direction value.
1072
+ * Useful when you only need to read the direction, not control it.
1073
+ */
1074
+ declare function useDirectionValue(): Direction;
1075
+ /**
1076
+ * useIsRTL - Hook to check if the current direction is RTL.
1077
+ */
1078
+ declare function useIsRTL(): boolean;
1079
+
1080
+ type Locale = string;
1081
+ /** Supported calendar systems */
1082
+ type CalendarSystem = "gregory" | "buddhist" | "chinese" | "coptic" | "dangi" | "ethioaa" | "ethiopic" | "hebrew" | "indian" | "islamic" | "islamic-umalqura" | "islamic-civil" | "islamic-tbla" | "japanese" | "persian" | "roc";
1083
+ /** Calendar system display names */
1084
+ declare const CALENDAR_SYSTEM_NAMES: Record<CalendarSystem, string>;
1085
+ /** Default calendar systems for specific locales */
1086
+ declare const LOCALE_DEFAULT_CALENDARS: Record<string, CalendarSystem>;
1087
+ interface I18nContextValue {
1088
+ /** Current locale (e.g., "en", "ar", "tr") */
1089
+ locale: Locale;
1090
+ /** Current direction based on locale */
1091
+ direction: Direction;
1092
+ /** Whether the current locale is RTL */
1093
+ isRTL: boolean;
1094
+ /** Set the locale (also updates direction automatically) */
1095
+ setLocale: (locale: Locale) => void;
1096
+ /** Available locales */
1097
+ locales: Locale[];
1098
+ /** Current calendar system */
1099
+ calendarSystem: CalendarSystem;
1100
+ /** Set the calendar system */
1101
+ setCalendarSystem: (system: CalendarSystem) => void;
1102
+ /** Create a calendar instance for the current system */
1103
+ createCalendarInstance: () => Calendar$1;
1104
+ /** Full locale string with calendar extension */
1105
+ fullLocale: string;
1106
+ }
1107
+ declare const I18nContext: React$1.Context<I18nContextValue | undefined>;
1108
+ /** RTL languages - languages that use right-to-left text direction */
1109
+ declare const RTL_LOCALES: Set<string>;
1110
+ /**
1111
+ * Parse calendar system from locale string
1112
+ * e.g., "ar-SA-u-ca-islamic" → "islamic"
1113
+ */
1114
+ declare function parseCalendarFromLocale(locale: Locale): CalendarSystem | null;
1115
+ /**
1116
+ * Get the base locale without calendar extension
1117
+ * e.g., "ar-SA-u-ca-islamic" → "ar-SA"
1118
+ */
1119
+ declare function getBaseLocale(locale: Locale): string;
1120
+ /**
1121
+ * Build full locale string with calendar extension
1122
+ */
1123
+ declare function buildFullLocale(locale: Locale, calendarSystem: CalendarSystem): string;
1124
+ /**
1125
+ * Get direction for a given locale
1126
+ */
1127
+ declare function getDirectionForLocale(locale: Locale): Direction;
1128
+ /**
1129
+ * Check if a locale is RTL
1130
+ */
1131
+ declare function isRTLLocale(locale: Locale): boolean;
1132
+ /**
1133
+ * Get default calendar system for a locale
1134
+ */
1135
+ declare function getDefaultCalendarForLocale(locale: Locale): CalendarSystem;
1136
+ interface I18nProviderProps {
1137
+ /** Child components */
1138
+ children: React$1.ReactNode;
1139
+ /** Default locale (defaults to "en") */
1140
+ defaultLocale?: Locale;
1141
+ /** Available locales */
1142
+ locales?: Locale[];
1143
+ /** Default calendar system (auto-detected from locale if not provided) */
1144
+ defaultCalendarSystem?: CalendarSystem;
1145
+ /** Storage key for locale preference (enables persistence) */
1146
+ storageKey?: string;
1147
+ /** Whether to detect locale from browser */
1148
+ detectFromBrowser?: boolean;
1149
+ /** Callback when locale changes */
1150
+ onLocaleChange?: (locale: Locale, direction: Direction) => void;
1151
+ /** Callback when calendar system changes */
1152
+ onCalendarSystemChange?: (system: CalendarSystem) => void;
1153
+ }
1154
+ /**
1155
+ * I18nProvider wrapper that includes DirectionProvider
1156
+ */
1157
+ declare const I18nProvider: React$1.FC<I18nProviderProps>;
1158
+ /**
1159
+ * useI18n - Hook to access the i18n context.
1160
+ *
1161
+ * @example
1162
+ * ```tsx
1163
+ * function LanguageSwitcher() {
1164
+ * const { locale, setLocale, calendarSystem, setCalendarSystem } = useI18n();
1165
+ *
1166
+ * return (
1167
+ * <div>
1168
+ * <select value={locale} onChange={(e) => setLocale(e.target.value)}>
1169
+ * <option value="en">English</option>
1170
+ * <option value="ar">Arabic</option>
1171
+ * </select>
1172
+ * <select value={calendarSystem} onChange={(e) => setCalendarSystem(e.target.value)}>
1173
+ * <option value="gregory">Gregorian</option>
1174
+ * <option value="islamic">Islamic</option>
1175
+ * </select>
1176
+ * </div>
1177
+ * );
1178
+ * }
1179
+ * ```
1180
+ */
1181
+ declare function useI18n(): I18nContextValue;
1182
+ /**
1183
+ * useLocale - Hook to get just the current locale.
1184
+ */
1185
+ declare function useLocale(): Locale;
1186
+ /**
1187
+ * useCalendarSystem - Hook to get the current calendar system.
1188
+ */
1189
+ declare function useCalendarSystem(): CalendarSystem;
1190
+
1191
+ type CalendarSize$1 = "sm" | "md" | "lg";
1192
+ interface CalendarProps<T extends DateValue = DateValue> extends Omit<AriaCalendarProps<T>, "locale" | "createCalendar"> {
1193
+ /** Size of the calendar */
1194
+ size?: CalendarSize$1;
1195
+ /** Show month and year picker dropdowns */
1196
+ showMonthAndYearPickers?: boolean;
1197
+ /** The start year for the year picker */
1198
+ startYear?: number;
1199
+ /** The end year for the year picker */
1200
+ endYear?: number;
1201
+ /** Override calendar system (uses I18nProvider's calendar by default) */
1202
+ calendarSystem?: CalendarSystem;
1203
+ /** Override locale (uses I18nProvider's locale by default) */
1204
+ locale?: string;
1205
+ /** Additional className */
1206
+ className?: string;
1207
+ }
1208
+ declare function Calendar<T extends DateValue = DateValue>({ className, size, showMonthAndYearPickers, startYear, endYear, calendarSystem: propCalendarSystem, locale: propLocale, ...props }: CalendarProps<T>): react_jsx_runtime.JSX.Element;
1209
+ declare namespace Calendar {
1210
+ var displayName: string;
1211
+ }
1212
+
1003
1213
  type CalendarSize = "sm" | "md" | "lg";
1004
- type CalendarProps = React$1.ComponentProps<typeof DayPicker> & {
1005
- /**
1006
- * Size of the calendar
1007
- * @default "md"
1008
- */
1214
+ interface RangeCalendarProps<T extends DateValue = DateValue> extends Omit<AriaRangeCalendarProps<T>, "locale" | "createCalendar"> {
1215
+ /** Size of the calendar */
1009
1216
  size?: CalendarSize;
1010
- /**
1011
- * Show month and year picker dropdowns instead of text.
1012
- * @default false
1013
- */
1217
+ /** Show month and year picker dropdowns */
1014
1218
  showMonthAndYearPickers?: boolean;
1015
- /**
1016
- * The start year for the year picker dropdown.
1017
- * @default 1900
1018
- */
1219
+ /** The start year for the year picker */
1019
1220
  startYear?: number;
1020
- /**
1021
- * The end year for the year picker dropdown.
1022
- * @default current year + 50
1023
- */
1221
+ /** The end year for the year picker */
1024
1222
  endYear?: number;
1025
- };
1026
- declare function Calendar({ className, classNames, showOutsideDays, showMonthAndYearPickers, startYear, endYear, size, components: userComponents, ...props }: CalendarProps): react_jsx_runtime.JSX.Element;
1027
- declare namespace Calendar {
1223
+ /** Number of months to display */
1224
+ visibleMonths?: number;
1225
+ /** Override calendar system (uses I18nProvider's calendar by default) */
1226
+ calendarSystem?: CalendarSystem;
1227
+ /** Override locale (uses I18nProvider's locale by default) */
1228
+ locale?: string;
1229
+ /** Additional className */
1230
+ className?: string;
1231
+ }
1232
+ declare function RangeCalendar<T extends DateValue = DateValue>({ className, size, showMonthAndYearPickers, startYear, endYear, visibleMonths, calendarSystem: propCalendarSystem, locale: propLocale, ...props }: RangeCalendarProps<T>): react_jsx_runtime.JSX.Element;
1233
+ declare namespace RangeCalendar {
1028
1234
  var displayName: string;
1029
1235
  }
1030
1236
 
@@ -2560,6 +2766,8 @@ declare const dateRangePickerVariants: (props?: ({
2560
2766
  size?: "sm" | "md" | "lg" | null | undefined;
2561
2767
  } & class_variance_authority_types.ClassProp) | undefined) => string;
2562
2768
  type DateRangeFormat = "dd/MM/yyyy" | "MM/dd/yyyy" | "yyyy-MM-dd" | "dd.MM.yyyy";
2769
+ /** Date range value type */
2770
+ type DateRangeValue = RangeValue<DateValue> | null;
2563
2771
  interface DateRangePickerProps extends Omit<React$1.InputHTMLAttributes<HTMLInputElement>, "size" | "type" | "onChange" | "value" | "defaultValue" | "disabled">, VariantProps<typeof dateRangePickerVariants> {
2564
2772
  isDisabled?: boolean;
2565
2773
  label?: React$1.ReactNode;
@@ -2571,11 +2779,11 @@ interface DateRangePickerProps extends Omit<React$1.InputHTMLAttributes<HTMLInpu
2571
2779
  inputClassName?: string;
2572
2780
  descriptionClassName?: string;
2573
2781
  errorClassName?: string;
2574
- value?: DateRange;
2575
- defaultValue?: DateRange;
2576
- onChange?: (range: DateRange | undefined) => void;
2577
- minDate?: Date;
2578
- maxDate?: Date;
2782
+ value?: DateRangeValue;
2783
+ defaultValue?: DateRangeValue;
2784
+ onChange?: (range: DateRangeValue) => void;
2785
+ minValue?: DateValue;
2786
+ maxValue?: DateValue;
2579
2787
  dateFormat?: DateRangeFormat;
2580
2788
  /**
2581
2789
  * Show calendar picker icon and enable popup
@@ -2596,7 +2804,7 @@ interface DateRangePickerProps extends Omit<React$1.InputHTMLAttributes<HTMLInpu
2596
2804
  * Number of months to display
2597
2805
  * @default 2
2598
2806
  */
2599
- numberOfMonths?: number;
2807
+ visibleMonths?: number;
2600
2808
  /**
2601
2809
  * Alignment of the popover
2602
2810
  * @default "start"
@@ -3196,147 +3404,6 @@ declare const ReeverUIContext: React$1.Context<ReeverUIContextValue>;
3196
3404
  declare const useReeverUI: () => ReeverUIContextValue;
3197
3405
  declare const ReeverUIProvider: React$1.FC<ReeverUIProviderProps>;
3198
3406
 
3199
- type Direction = "ltr" | "rtl";
3200
- interface DirectionContextValue {
3201
- /** Current direction (ltr or rtl) */
3202
- direction: Direction;
3203
- /** Whether the direction is RTL */
3204
- isRTL: boolean;
3205
- /** Set the direction */
3206
- setDirection: (direction: Direction) => void;
3207
- /** Toggle between LTR and RTL */
3208
- toggleDirection: () => void;
3209
- }
3210
- declare const DirectionContext: React$1.Context<DirectionContextValue | undefined>;
3211
- interface DirectionProviderProps {
3212
- /** Child components */
3213
- children: React$1.ReactNode;
3214
- /** Initial direction (defaults to "ltr") */
3215
- direction?: Direction;
3216
- /** Storage key for direction preference (enables persistence) */
3217
- storageKey?: string;
3218
- /** Whether to detect direction from HTML dir attribute */
3219
- detectFromHtml?: boolean;
3220
- /** Whether to set dir attribute on HTML element */
3221
- setHtmlDir?: boolean;
3222
- }
3223
- /**
3224
- * DirectionProvider - Provides RTL/LTR direction context for the application.
3225
- *
3226
- * @example
3227
- * ```tsx
3228
- * // Basic usage
3229
- * <DirectionProvider>
3230
- * <App />
3231
- * </DirectionProvider>
3232
- *
3233
- * // With RTL default
3234
- * <DirectionProvider direction="rtl">
3235
- * <App />
3236
- * </DirectionProvider>
3237
- *
3238
- * // With persistence
3239
- * <DirectionProvider storageKey="my-app-direction">
3240
- * <App />
3241
- * </DirectionProvider>
3242
- * ```
3243
- */
3244
- declare const DirectionProvider: React$1.FC<DirectionProviderProps>;
3245
- /**
3246
- * useDirection - Hook to access and control the current direction.
3247
- *
3248
- * @example
3249
- * ```tsx
3250
- * function MyComponent() {
3251
- * const { direction, isRTL, toggleDirection } = useDirection();
3252
- *
3253
- * return (
3254
- * <div>
3255
- * <p>Current direction: {direction}</p>
3256
- * <button onClick={toggleDirection}>Toggle Direction</button>
3257
- * {isRTL && <span>RTL Mode Active</span>}
3258
- * </div>
3259
- * );
3260
- * }
3261
- * ```
3262
- */
3263
- declare function useDirection(): DirectionContextValue;
3264
- /**
3265
- * useDirectionValue - Hook to get just the direction value.
3266
- * Useful when you only need to read the direction, not control it.
3267
- */
3268
- declare function useDirectionValue(): Direction;
3269
- /**
3270
- * useIsRTL - Hook to check if the current direction is RTL.
3271
- */
3272
- declare function useIsRTL(): boolean;
3273
-
3274
- type Locale = string;
3275
- interface I18nContextValue {
3276
- /** Current locale (e.g., "en", "ar", "tr") */
3277
- locale: Locale;
3278
- /** Current direction based on locale */
3279
- direction: Direction;
3280
- /** Whether the current locale is RTL */
3281
- isRTL: boolean;
3282
- /** Set the locale (also updates direction automatically) */
3283
- setLocale: (locale: Locale) => void;
3284
- /** Available locales */
3285
- locales: Locale[];
3286
- }
3287
- declare const I18nContext: React$1.Context<I18nContextValue | undefined>;
3288
- /** RTL languages - languages that use right-to-left text direction */
3289
- declare const RTL_LOCALES: Set<string>;
3290
- /**
3291
- * Get direction for a given locale
3292
- */
3293
- declare function getDirectionForLocale(locale: Locale): Direction;
3294
- /**
3295
- * Check if a locale is RTL
3296
- */
3297
- declare function isRTLLocale(locale: Locale): boolean;
3298
- interface I18nProviderProps {
3299
- /** Child components */
3300
- children: React$1.ReactNode;
3301
- /** Default locale (defaults to "en") */
3302
- defaultLocale?: Locale;
3303
- /** Available locales */
3304
- locales?: Locale[];
3305
- /** Storage key for locale preference (enables persistence) */
3306
- storageKey?: string;
3307
- /** Whether to detect locale from browser */
3308
- detectFromBrowser?: boolean;
3309
- /** Callback when locale changes */
3310
- onLocaleChange?: (locale: Locale, direction: Direction) => void;
3311
- }
3312
- /**
3313
- * I18nProvider wrapper that includes DirectionProvider
3314
- */
3315
- declare const I18nProvider: React$1.FC<I18nProviderProps>;
3316
- /**
3317
- * useI18n - Hook to access the i18n context.
3318
- *
3319
- * @example
3320
- * ```tsx
3321
- * function LanguageSwitcher() {
3322
- * const { locale, setLocale, locales, isRTL } = useI18n();
3323
- *
3324
- * return (
3325
- * <select value={locale} onChange={(e) => setLocale(e.target.value)}>
3326
- * {locales.map((l) => (
3327
- * <option key={l} value={l}>{l}</option>
3328
- * ))}
3329
- * </select>
3330
- * );
3331
- * }
3332
- * ```
3333
- */
3334
- declare function useI18n(): I18nContextValue;
3335
- /**
3336
- * useLocale - Hook to get just the current locale.
3337
- */
3338
- declare function useLocale(): Locale;
3339
-
3340
3407
  declare const datePickerVariants: (props?: ({
3341
3408
  size?: "sm" | "md" | "lg" | null | undefined;
3342
3409
  } & class_variance_authority_types.ClassProp) | undefined) => string;
@@ -3352,11 +3419,11 @@ interface DatePickerProps extends Omit<React$1.InputHTMLAttributes<HTMLInputElem
3352
3419
  inputClassName?: string;
3353
3420
  descriptionClassName?: string;
3354
3421
  errorClassName?: string;
3355
- value?: Date | null;
3356
- defaultValue?: Date | null;
3357
- onChange?: (date: Date | null) => void;
3358
- minDate?: Date;
3359
- maxDate?: Date;
3422
+ value?: DateValue | null;
3423
+ defaultValue?: DateValue | null;
3424
+ onChange?: (date: DateValue | null) => void;
3425
+ minValue?: DateValue;
3426
+ maxValue?: DateValue;
3360
3427
  dateFormat?: DateFormat;
3361
3428
  /**
3362
3429
  * Show calendar picker icon and enable popup
@@ -3722,10 +3789,12 @@ interface BannerProps extends React$1.HTMLAttributes<HTMLDivElement>, Omit<Varia
3722
3789
  endContent?: React$1.ReactNode;
3723
3790
  /** Animate the banner */
3724
3791
  animate?: boolean;
3725
- /** Auto dismiss after ms */
3792
+ /** Auto dismiss after ms (WCAG 2.2.1: pauses on hover/focus) */
3726
3793
  autoDismiss?: number;
3727
3794
  /** Storage key for persistence */
3728
3795
  storageKey?: string;
3796
+ /** Pause auto-dismiss on hover/focus (default: true for WCAG 2.2.1 compliance) */
3797
+ pauseOnHover?: boolean;
3729
3798
  }
3730
3799
  declare const Banner: React$1.ForwardRefExoticComponent<BannerProps & React$1.RefAttributes<HTMLDivElement>>;
3731
3800
 
@@ -4355,6 +4424,475 @@ interface SparklesProps {
4355
4424
  }
4356
4425
  declare const Sparkles: React$1.ForwardRefExoticComponent<SparklesProps & React$1.RefAttributes<HTMLDivElement>>;
4357
4426
 
4427
+ declare const marqueeVariants: (props?: ({
4428
+ direction?: "horizontal" | "vertical" | null | undefined;
4429
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4430
+ interface MarqueeProps extends React$1.HTMLAttributes<HTMLDivElement>, VariantProps<typeof marqueeVariants> {
4431
+ /** Speed of the marquee animation in seconds */
4432
+ speed?: number;
4433
+ /** Whether to pause the animation on hover */
4434
+ pauseOnHover?: boolean;
4435
+ /** Whether to reverse the animation direction */
4436
+ reverse?: boolean;
4437
+ /** Gap between repeated items (CSS value) */
4438
+ gap?: string;
4439
+ /** Number of times to repeat the content */
4440
+ repeat?: number;
4441
+ /** Whether the animation is paused */
4442
+ isPaused?: boolean;
4443
+ }
4444
+ declare const Marquee: React$1.ForwardRefExoticComponent<MarqueeProps & React$1.RefAttributes<HTMLDivElement>>;
4445
+
4446
+ declare const dockVariants: (props?: ({
4447
+ orientation?: "horizontal" | "vertical" | null | undefined;
4448
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4449
+ interface DockProps extends React$1.HTMLAttributes<HTMLDivElement>, VariantProps<typeof dockVariants> {
4450
+ /** Maximum scale factor when item is hovered */
4451
+ magnification?: number;
4452
+ /** Distance in pixels where magnification starts */
4453
+ distance?: number;
4454
+ }
4455
+ declare const Dock: React$1.ForwardRefExoticComponent<DockProps & React$1.RefAttributes<HTMLDivElement>>;
4456
+ interface DockItemProps extends React$1.ButtonHTMLAttributes<HTMLButtonElement> {
4457
+ /** Icon to display */
4458
+ icon?: React$1.ReactNode;
4459
+ /** Label to show below the item */
4460
+ label?: string;
4461
+ /** Whether to show label on hover only */
4462
+ showLabelOnHover?: boolean;
4463
+ }
4464
+ declare const DockItem: React$1.ForwardRefExoticComponent<DockItemProps & React$1.RefAttributes<HTMLButtonElement>>;
4465
+ interface DockSeparatorProps extends React$1.HTMLAttributes<HTMLDivElement> {
4466
+ }
4467
+ declare const DockSeparator: React$1.ForwardRefExoticComponent<DockSeparatorProps & React$1.RefAttributes<HTMLDivElement>>;
4468
+
4469
+ declare const mentionsVariants: (props?: ({
4470
+ size?: "sm" | "md" | "lg" | null | undefined;
4471
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4472
+ interface MentionItem {
4473
+ id: string;
4474
+ label: string;
4475
+ value: string;
4476
+ avatar?: string;
4477
+ description?: string;
4478
+ }
4479
+ interface MentionsProps extends Omit<React$1.TextareaHTMLAttributes<HTMLTextAreaElement>, "size" | "onChange">, VariantProps<typeof mentionsVariants> {
4480
+ /** Available mention options */
4481
+ options?: MentionItem[];
4482
+ /** Trigger character to start mention (default: @) */
4483
+ trigger?: string;
4484
+ /** Called when value changes */
4485
+ onChange?: (value: string) => void;
4486
+ /** Called when a mention is selected */
4487
+ onMentionSelect?: (mention: MentionItem) => void;
4488
+ /** Custom render for mention option */
4489
+ renderOption?: (option: MentionItem) => React$1.ReactNode;
4490
+ /** Loading state for async options */
4491
+ isLoading?: boolean;
4492
+ /** Empty state message */
4493
+ emptyText?: string;
4494
+ }
4495
+ declare const Mentions: React$1.ForwardRefExoticComponent<MentionsProps & React$1.RefAttributes<HTMLTextAreaElement>>;
4496
+
4497
+ declare const transferListVariants: (props?: ({
4498
+ orientation?: "horizontal" | "vertical" | null | undefined;
4499
+ size?: "sm" | "md" | "lg" | null | undefined;
4500
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4501
+ interface TransferListItem {
4502
+ id: string;
4503
+ label: string;
4504
+ disabled?: boolean;
4505
+ [key: string]: unknown;
4506
+ }
4507
+ interface TransferListProps extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "onChange">, VariantProps<typeof transferListVariants> {
4508
+ /** Items in the source (left) list */
4509
+ sourceItems: TransferListItem[];
4510
+ /** Items in the target (right) list */
4511
+ targetItems: TransferListItem[];
4512
+ /** Called when items change */
4513
+ onChange?: (sourceItems: TransferListItem[], targetItems: TransferListItem[]) => void;
4514
+ /** Source list title */
4515
+ sourceTitle?: string;
4516
+ /** Target list title */
4517
+ targetTitle?: string;
4518
+ /** Enable search in lists */
4519
+ searchable?: boolean;
4520
+ /** Placeholder for search input */
4521
+ searchPlaceholder?: string;
4522
+ /** Show select all checkbox */
4523
+ showSelectAll?: boolean;
4524
+ /** Custom render function for items */
4525
+ renderItem?: (item: TransferListItem) => React$1.ReactNode;
4526
+ /** Show item count in header */
4527
+ showCount?: boolean;
4528
+ /** Disable the entire component */
4529
+ isDisabled?: boolean;
4530
+ }
4531
+ declare const TransferList: React$1.ForwardRefExoticComponent<TransferListProps & React$1.RefAttributes<HTMLDivElement>>;
4532
+
4533
+ declare const splitButtonVariants: (props?: ({
4534
+ size?: "sm" | "md" | "lg" | null | undefined;
4535
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4536
+ declare const mainButtonVariants: (props?: ({
4537
+ variant?: "solid" | "outline" | "secondary" | "destructive" | null | undefined;
4538
+ size?: "sm" | "md" | "lg" | null | undefined;
4539
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4540
+ interface SplitButtonMenuItem {
4541
+ id: string;
4542
+ label: string;
4543
+ icon?: React$1.ReactNode;
4544
+ disabled?: boolean;
4545
+ destructive?: boolean;
4546
+ onClick?: () => void;
4547
+ }
4548
+ interface SplitButtonProps extends Omit<React$1.ButtonHTMLAttributes<HTMLButtonElement>, "onClick">, VariantProps<typeof splitButtonVariants>, VariantProps<typeof mainButtonVariants> {
4549
+ /** Primary action handler */
4550
+ onClick?: () => void;
4551
+ /** Dropdown menu items */
4552
+ items?: SplitButtonMenuItem[];
4553
+ /** Dropdown position */
4554
+ menuPosition?: "bottom-start" | "bottom-end" | "top-start" | "top-end";
4555
+ /** Start content for main button */
4556
+ startContent?: React$1.ReactNode;
4557
+ /** End content for main button */
4558
+ endContent?: React$1.ReactNode;
4559
+ /** Custom dropdown trigger content */
4560
+ dropdownContent?: React$1.ReactNode;
4561
+ /** Loading state */
4562
+ isLoading?: boolean;
4563
+ }
4564
+ declare const SplitButton: React$1.ForwardRefExoticComponent<SplitButtonProps & React$1.RefAttributes<HTMLButtonElement>>;
4565
+
4566
+ declare const masonryVariants: (props?: ({
4567
+ gap?: "none" | "sm" | "md" | "lg" | "xl" | null | undefined;
4568
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4569
+ interface MasonryProps extends React$1.HTMLAttributes<HTMLDivElement>, VariantProps<typeof masonryVariants> {
4570
+ /** Number of columns */
4571
+ columns?: number | {
4572
+ sm?: number;
4573
+ md?: number;
4574
+ lg?: number;
4575
+ xl?: number;
4576
+ };
4577
+ /** Minimum column width in pixels (used with auto columns) */
4578
+ minColumnWidth?: number;
4579
+ /** Whether to use CSS columns (better performance) or flexbox (more control) */
4580
+ variant?: "css" | "flex";
4581
+ }
4582
+ declare const Masonry: React$1.ForwardRefExoticComponent<MasonryProps & React$1.RefAttributes<HTMLDivElement>>;
4583
+ interface MasonryItemProps extends React$1.HTMLAttributes<HTMLDivElement> {
4584
+ /** Span multiple columns (only works with CSS variant) */
4585
+ colSpan?: number;
4586
+ }
4587
+ declare const MasonryItem: React$1.ForwardRefExoticComponent<MasonryItemProps & React$1.RefAttributes<HTMLDivElement>>;
4588
+
4589
+ declare const virtualListVariants: (props?: ({
4590
+ size?: "sm" | "md" | "lg" | null | undefined;
4591
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4592
+ interface VirtualListProps<T> extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "children">, VariantProps<typeof virtualListVariants> {
4593
+ /** Array of items to render */
4594
+ items: T[];
4595
+ /** Height of each item in pixels */
4596
+ itemHeight: number;
4597
+ /** Total height of the container */
4598
+ height: number;
4599
+ /** Number of items to render outside the visible area (buffer) */
4600
+ overscan?: number;
4601
+ /** Render function for each item */
4602
+ renderItem: (item: T, index: number) => React$1.ReactNode;
4603
+ /** Called when scroll reaches near the end */
4604
+ onEndReached?: () => void;
4605
+ /** Threshold from the end to trigger onEndReached (in pixels) */
4606
+ endReachedThreshold?: number;
4607
+ /** Loading state */
4608
+ isLoading?: boolean;
4609
+ /** Loading indicator */
4610
+ loadingContent?: React$1.ReactNode;
4611
+ /** Empty state content */
4612
+ emptyContent?: React$1.ReactNode;
4613
+ /** Gap between items in pixels */
4614
+ gap?: number;
4615
+ /** Custom item key extractor */
4616
+ getItemKey?: (item: T, index: number) => string | number;
4617
+ }
4618
+ declare const VirtualList: <T>(props: VirtualListProps<T> & {
4619
+ ref?: React$1.ForwardedRef<HTMLDivElement>;
4620
+ }) => React$1.ReactElement;
4621
+
4622
+ declare const dataGridVariants: (props?: ({
4623
+ size?: "sm" | "md" | "lg" | null | undefined;
4624
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4625
+ type SortDirection = "asc" | "desc" | null;
4626
+ interface DataGridColumn<T> {
4627
+ /** Unique key for the column */
4628
+ key: string;
4629
+ /** Header label */
4630
+ header: string;
4631
+ /** Accessor function or key */
4632
+ accessor: keyof T | ((row: T) => React$1.ReactNode);
4633
+ /** Column width */
4634
+ width?: number | string;
4635
+ /** Whether the column is sortable */
4636
+ sortable?: boolean;
4637
+ /** Custom cell renderer */
4638
+ cell?: (value: unknown, row: T, index: number) => React$1.ReactNode;
4639
+ /** Header alignment */
4640
+ headerAlign?: "left" | "center" | "right";
4641
+ /** Cell alignment */
4642
+ align?: "left" | "center" | "right";
4643
+ }
4644
+ interface DataGridProps<T> extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "children">, VariantProps<typeof dataGridVariants> {
4645
+ /** Data to display */
4646
+ data: T[];
4647
+ /** Column definitions */
4648
+ columns: DataGridColumn<T>[];
4649
+ /** Row key extractor */
4650
+ getRowKey?: (row: T, index: number) => string | number;
4651
+ /** Currently sorted column */
4652
+ sortColumn?: string;
4653
+ /** Current sort direction */
4654
+ sortDirection?: SortDirection;
4655
+ /** Called when sort changes */
4656
+ onSort?: (column: string, direction: SortDirection) => void;
4657
+ /** Enable row selection */
4658
+ selectable?: boolean;
4659
+ /** Selected row keys */
4660
+ selectedKeys?: Set<string | number>;
4661
+ /** Called when selection changes */
4662
+ onSelectionChange?: (keys: Set<string | number>) => void;
4663
+ /** Enable striped rows */
4664
+ striped?: boolean;
4665
+ /** Enable row hover effect */
4666
+ hoverable?: boolean;
4667
+ /** Loading state */
4668
+ isLoading?: boolean;
4669
+ /** Empty state content */
4670
+ emptyContent?: React$1.ReactNode;
4671
+ /** Loading content */
4672
+ loadingContent?: React$1.ReactNode;
4673
+ /** Sticky header */
4674
+ stickyHeader?: boolean;
4675
+ /** Called when row is clicked */
4676
+ onRowClick?: (row: T, index: number) => void;
4677
+ }
4678
+ declare const DataGrid: <T>(props: DataGridProps<T> & {
4679
+ ref?: React$1.ForwardedRef<HTMLDivElement>;
4680
+ }) => React$1.ReactElement;
4681
+
4682
+ declare const ganttChartVariants: (props?: ({
4683
+ size?: "sm" | "md" | "lg" | null | undefined;
4684
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4685
+ type ViewMode = "day" | "week" | "month";
4686
+ interface GanttTask {
4687
+ /** Unique task ID */
4688
+ id: string;
4689
+ /** Task name */
4690
+ name: string;
4691
+ /** Start date */
4692
+ start: Date;
4693
+ /** End date */
4694
+ end: Date;
4695
+ /** Progress (0-100) */
4696
+ progress?: number;
4697
+ /** Task color */
4698
+ color?: string;
4699
+ /** Is this a milestone? */
4700
+ isMilestone?: boolean;
4701
+ /** Parent task ID for hierarchy */
4702
+ parentId?: string;
4703
+ /** Dependencies (IDs of tasks this depends on) */
4704
+ dependencies?: string[];
4705
+ /** Custom data */
4706
+ data?: Record<string, unknown>;
4707
+ }
4708
+ interface GanttChartProps extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "children">, VariantProps<typeof ganttChartVariants> {
4709
+ /** Tasks to display */
4710
+ tasks: GanttTask[];
4711
+ /** View mode */
4712
+ viewMode?: ViewMode;
4713
+ /** Called when view mode changes */
4714
+ onViewModeChange?: (mode: ViewMode) => void;
4715
+ /** Called when task is clicked */
4716
+ onTaskClick?: (task: GanttTask) => void;
4717
+ /** Called when task is double clicked */
4718
+ onTaskDoubleClick?: (task: GanttTask) => void;
4719
+ /** Show today marker */
4720
+ showTodayMarker?: boolean;
4721
+ /** Show weekends */
4722
+ showWeekends?: boolean;
4723
+ /** Row height in pixels */
4724
+ rowHeight?: number;
4725
+ /** Column width in pixels (for day view) */
4726
+ columnWidth?: number;
4727
+ /** Header height in pixels */
4728
+ headerHeight?: number;
4729
+ /** Sidebar width in pixels */
4730
+ sidebarWidth?: number;
4731
+ /** Custom task renderer */
4732
+ renderTask?: (task: GanttTask, barWidth: number) => React$1.ReactNode;
4733
+ /** Custom sidebar row renderer */
4734
+ renderSidebarRow?: (task: GanttTask) => React$1.ReactNode;
4735
+ /** Loading state */
4736
+ isLoading?: boolean;
4737
+ /** Loading content */
4738
+ loadingContent?: React$1.ReactNode;
4739
+ /** Empty content */
4740
+ emptyContent?: React$1.ReactNode;
4741
+ /** Locale for date formatting */
4742
+ locale?: string;
4743
+ }
4744
+ declare const GanttChart: React$1.ForwardRefExoticComponent<GanttChartProps & React$1.RefAttributes<HTMLDivElement>>;
4745
+
4746
+ declare const orgChartVariants: (props?: ({
4747
+ size?: "sm" | "md" | "lg" | null | undefined;
4748
+ direction?: "horizontal" | "vertical" | null | undefined;
4749
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4750
+ declare const nodeVariants: (props?: ({
4751
+ size?: "sm" | "md" | "lg" | null | undefined;
4752
+ isSelected?: boolean | null | undefined;
4753
+ isCollapsed?: boolean | null | undefined;
4754
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4755
+ interface OrgChartNode {
4756
+ /** Unique node ID */
4757
+ id: string;
4758
+ /** Node label/name */
4759
+ label: string;
4760
+ /** Optional subtitle */
4761
+ subtitle?: string;
4762
+ /** Optional avatar/image URL */
4763
+ avatar?: string;
4764
+ /** Child nodes */
4765
+ children?: OrgChartNode[];
4766
+ /** Custom data */
4767
+ data?: Record<string, unknown>;
4768
+ }
4769
+ interface OrgChartProps extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "children">, VariantProps<typeof orgChartVariants> {
4770
+ /** Root node of the org chart */
4771
+ data: OrgChartNode;
4772
+ /** Selected node ID */
4773
+ selectedId?: string;
4774
+ /** Collapsed node IDs */
4775
+ collapsedIds?: Set<string>;
4776
+ /** Called when a node is clicked */
4777
+ onNodeClick?: (node: OrgChartNode) => void;
4778
+ /** Called when a node is double clicked */
4779
+ onNodeDoubleClick?: (node: OrgChartNode) => void;
4780
+ /** Called when collapse state changes */
4781
+ onCollapseChange?: (nodeId: string, collapsed: boolean) => void;
4782
+ /** Custom node renderer */
4783
+ renderNode?: (node: OrgChartNode, isSelected: boolean) => React$1.ReactNode;
4784
+ /** Line color */
4785
+ lineColor?: string;
4786
+ /** Line width */
4787
+ lineWidth?: number;
4788
+ /** Spacing between levels */
4789
+ levelSpacing?: number;
4790
+ /** Spacing between siblings */
4791
+ siblingSpacing?: number;
4792
+ /** Show collapse buttons */
4793
+ collapsible?: boolean;
4794
+ /** Loading state */
4795
+ isLoading?: boolean;
4796
+ /** Loading content */
4797
+ loadingContent?: React$1.ReactNode;
4798
+ /** Empty content */
4799
+ emptyContent?: React$1.ReactNode;
4800
+ }
4801
+ declare const OrgChart: React$1.ForwardRefExoticComponent<OrgChartProps & React$1.RefAttributes<HTMLDivElement>>;
4802
+
4803
+ declare const diffVariants: (props?: ({
4804
+ size?: "sm" | "md" | "lg" | null | undefined;
4805
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4806
+ type DiffViewMode = "unified" | "split";
4807
+ interface DiffLine {
4808
+ type: "added" | "removed" | "unchanged" | "header";
4809
+ content: string;
4810
+ oldLineNumber?: number;
4811
+ newLineNumber?: number;
4812
+ }
4813
+ interface DiffProps extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "children">, VariantProps<typeof diffVariants> {
4814
+ /** Original text (old version) */
4815
+ oldText: string;
4816
+ /** Modified text (new version) */
4817
+ newText: string;
4818
+ /** View mode */
4819
+ viewMode?: DiffViewMode;
4820
+ /** Show line numbers */
4821
+ showLineNumbers?: boolean;
4822
+ /** File name header */
4823
+ fileName?: string;
4824
+ /** Old file name (for rename detection) */
4825
+ oldFileName?: string;
4826
+ /** Highlight syntax */
4827
+ highlightSyntax?: boolean;
4828
+ /** Language for syntax highlighting */
4829
+ language?: string;
4830
+ /** Custom line renderer */
4831
+ renderLine?: (line: DiffLine) => React$1.ReactNode;
4832
+ /** Show expand buttons for collapsed sections */
4833
+ expandable?: boolean;
4834
+ /** Context lines to show around changes */
4835
+ contextLines?: number;
4836
+ /** Loading state */
4837
+ isLoading?: boolean;
4838
+ /** Loading content */
4839
+ loadingContent?: React$1.ReactNode;
4840
+ }
4841
+ declare const Diff: React$1.ForwardRefExoticComponent<DiffProps & React$1.RefAttributes<HTMLDivElement>>;
4842
+
4843
+ declare const terminalVariants: (props?: ({
4844
+ size?: "sm" | "md" | "lg" | null | undefined;
4845
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
4846
+ interface TerminalLine {
4847
+ /** Line ID */
4848
+ id?: string;
4849
+ /** Line content */
4850
+ content: string;
4851
+ /** Line type */
4852
+ type?: "input" | "output" | "error" | "success" | "warning" | "info";
4853
+ /** Timestamp */
4854
+ timestamp?: Date;
4855
+ /** Custom prefix */
4856
+ prefix?: string;
4857
+ }
4858
+ interface TerminalProps extends Omit<React$1.HTMLAttributes<HTMLDivElement>, "children" | "onSubmit">, VariantProps<typeof terminalVariants> {
4859
+ /** Lines to display */
4860
+ lines?: TerminalLine[];
4861
+ /** Title shown in header */
4862
+ title?: string;
4863
+ /** Show header with window controls */
4864
+ showHeader?: boolean;
4865
+ /** Show timestamps */
4866
+ showTimestamps?: boolean;
4867
+ /** Command prompt symbol */
4868
+ prompt?: string;
4869
+ /** Current input value (for controlled input) */
4870
+ inputValue?: string;
4871
+ /** Called when input changes */
4872
+ onInputChange?: (value: string) => void;
4873
+ /** Called when command is submitted */
4874
+ onSubmit?: (command: string) => void;
4875
+ /** Show input field */
4876
+ showInput?: boolean;
4877
+ /** Input placeholder */
4878
+ inputPlaceholder?: string;
4879
+ /** Auto scroll to bottom */
4880
+ autoScroll?: boolean;
4881
+ /** Custom line renderer */
4882
+ renderLine?: (line: TerminalLine, index: number) => React$1.ReactNode;
4883
+ /** Loading state */
4884
+ isLoading?: boolean;
4885
+ /** Loading text */
4886
+ loadingText?: string;
4887
+ /** Height of the terminal */
4888
+ height?: number | string;
4889
+ /** Read-only mode (no input) */
4890
+ readOnly?: boolean;
4891
+ /** Theme */
4892
+ theme?: "dark" | "light";
4893
+ }
4894
+ declare const Terminal: React$1.ForwardRefExoticComponent<TerminalProps & React$1.RefAttributes<HTMLDivElement>>;
4895
+
4358
4896
  interface H1Props extends React$1.HTMLAttributes<HTMLHeadingElement> {
4359
4897
  children: React$1.ReactNode;
4360
4898
  }
@@ -5049,26 +5587,37 @@ interface SignaturePadRef {
5049
5587
  }
5050
5588
  declare const SignaturePad: React$1.ForwardRefExoticComponent<SignaturePadProps & React$1.RefAttributes<SignaturePadRef>>;
5051
5589
 
5052
- interface SkipLinkProps extends React$1.AnchorHTMLAttributes<HTMLAnchorElement> {
5053
- /** Target element ID to skip to (without #) */
5054
- targetId?: string;
5055
- /** Custom label for the skip link */
5056
- label?: string;
5057
- }
5058
5590
  /**
5059
- * Skip Link - WCAG 2.4.1 Bypass Blocks
5591
+ * SkipLink component for WCAG 2.4.1 (Bypass Blocks) compliance.
5592
+ * Allows keyboard users to skip repetitive navigation and jump to main content.
5060
5593
  *
5061
- * A visually hidden link that becomes visible on focus,
5062
- * allowing keyboard users to skip navigation and go directly to main content.
5594
+ * Usage:
5595
+ * 1. Place <SkipLink /> at the very beginning of your layout, before navigation
5596
+ * 2. Add id="main-content" to your main content area
5063
5597
  *
5064
5598
  * @example
5065
5599
  * ```tsx
5066
- * // In your layout
5067
- * <SkipLink targetId="main-content" />
5068
- * <nav>...</nav>
5069
- * <main id="main-content">...</main>
5600
+ * <body>
5601
+ * <SkipLink />
5602
+ * <nav>...</nav>
5603
+ * <main id="main-content">...</main>
5604
+ * </body>
5070
5605
  * ```
5071
5606
  */
5607
+ declare const skipLinkVariants: (props?: ({
5608
+ variant?: "default" | "primary" | null | undefined;
5609
+ } & class_variance_authority_types.ClassProp) | undefined) => string;
5610
+ interface SkipLinkProps extends React$1.AnchorHTMLAttributes<HTMLAnchorElement>, VariantProps<typeof skipLinkVariants> {
5611
+ /** Target element ID to skip to (default: "main-content") */
5612
+ targetId?: string;
5613
+ /** Custom label text */
5614
+ label?: string;
5615
+ /** Additional skip links for multiple content areas */
5616
+ additionalLinks?: Array<{
5617
+ targetId: string;
5618
+ label: string;
5619
+ }>;
5620
+ }
5072
5621
  declare const SkipLink: React$1.ForwardRefExoticComponent<SkipLinkProps & React$1.RefAttributes<HTMLAnchorElement>>;
5073
5622
 
5074
5623
  /**
@@ -8377,4 +8926,4 @@ declare function maskPhone(phone: string, visibleEnd?: number): string;
8377
8926
  */
8378
8927
  declare function maskCreditCard(cardNumber: string): string;
8379
8928
 
8380
- export { Accordion, AccordionItem, type AccordionItemProps, type AccordionProps, ActionBar, ActionBarButton, type ActionBarProps, ActionGroup, type ActionGroupItem, type ActionGroupProps, ActionSheet, type ActionSheetItem, type ActionSheetProps, Alert, AlertDescription, type AlertRadius, AlertTitle, type AlertType, type AlertVariant, type AllowDropInfo, AreaChart, type AreaChartProps, AspectRatio, AudioPlayer, type AudioPlayerProps, type AudioTrack, Autocomplete, type AutocompleteOption, type AutocompleteProps, Avatar, AvatarFallback, AvatarGroup, type AvatarGroupItem, type AvatarGroupProps, AvatarImage, BackTop, type BackTopProps, Badge, type BadgeProps, Banner, type BannerProps, BarChart, type BarChartProps, Blockquote, type BlockquoteProps, BottomNavigation, type BottomNavigationItem, type BottomNavigationProps, Bounce, type BounceProps, Breadcrumb, BreadcrumbEllipsis, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, Button, ButtonGroup, type ButtonGroupProps, ButtonGroupSeparator, type ButtonGroupSeparatorProps, type ButtonProps, type ByteFormatOptions, COUNTRIES, Calendar, type CalendarEvent, type CalendarProps, type CalendarView, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, Carousel, type CarouselApi, CarouselContent, CarouselItem, type CarouselItemProps, CarouselNext, CarouselPrevious, type CarouselProps, type ChartDataPoint, type CheckInfo, Checkbox, Checkmark, type CheckmarkProps, type CheckmarkSize, type CheckmarkVariant, Chip, type ChipProps, CircularProgress, CloseButton, type CloseButtonProps, Code, CodeBlock, type CodeBlockProps, type CodeBlockTabItem, Collapse, type CollapseProps, Collapsible, CollapsibleContent, CollapsibleTrigger, type Color, ColorArea, type ColorAreaProps, type ColorAreaValue, ColorPicker, type ColorPickerProps, ColorSlider, type ColorSliderChannel, type ColorSliderProps, ColorSwatch, ColorSwatchPicker, type ColorSwatchPickerProps, type ColorSwatchProps, ColorWheel, type ColorWheelProps, Command, CommandDialog, CommandEmpty, CommandGroup, CommandInput, CommandItem, type CommandItemProps, CommandList, CommandSeparator, CommandShortcut, type CompactFormatOptions, Confetti, type ConfettiOptions, type ConfettiProps, ConfirmDialog, type ConfirmDialogProps, ContextMenu, ContextMenuCheckboxItem, ContextMenuContent, ContextMenuGroup, ContextMenuItem, ContextMenuPortal, ContextMenuSection, type ContextMenuSectionProps, ContextMenuSeparator, ContextMenuShortcut, ContextMenuSub, ContextMenuSubContent, ContextMenuSubTrigger, ContextMenuTrigger, ContextualHelp, type ContextualHelpProps, CopyButton, type CopyButtonProps, Counter, type CounterProps, type Country, type CurrencyFormatOptions, CurrencyInput, type CurrencyInputProps, DEFAULT_COLORS, DataTable, type DataTableProps, type DateFormat, type DateInput, DatePicker, type DatePickerProps, DateRangePicker, type DateRangePickerProps, type Direction, DirectionContext, type DirectionContextValue, DirectionProvider, type DirectionProviderProps, type DragInfo, type DraggableConfig, Drawer, type DrawerBackdrop, DrawerBody, DrawerClose, type DrawerCollapsible, DrawerContent, DrawerDescription, DrawerFooter, DrawerGroup, DrawerGroupLabel, DrawerHeader, DrawerInset, DrawerMenu, DrawerMenuButton, DrawerMenuItem, type DrawerMode, type DrawerPlacement, type DrawerProps, DrawerProvider, DrawerSeparator, DrawerSidebar, type DrawerSidebarProps, type DrawerSize, DrawerTitle, DrawerToggle, DrawerTrigger, type DrawerVariant, type DropInfo, Dropdown, DropdownContent, type DropdownContentProps, DropdownGroup, type DropdownGroupProps, DropdownItem, type DropdownItemProps, DropdownLabel, type DropdownProps, DropdownSection, type DropdownSectionProps, DropdownSeparator, type DropdownSeparatorProps, DropdownShortcut, DropdownSub, DropdownSubContent, type DropdownSubContentProps, type DropdownSubProps, DropdownSubTrigger, type DropdownSubTriggerProps, DropdownTrigger, type DropdownTriggerProps, EMOJIS, EMOJI_CATEGORIES, EmojiPicker, type EmojiPickerProps, EmptyState, type EmptyStateProps, Expand, type ExpandInfo, type ExpandProps, FAB, type FABAction, Fade, type FadeProps, FieldContext, type FieldContextValue, type FieldState, type FileRejection, FileUpload, type FileUploadProps, type FlatCheckInfo, type FlatSelectInfo, Flip, type FlipDirection, type FlipProps, FloatingActionButton, type FloatingActionButtonProps, Form, FormContext, type FormContextValue, FormControl, type FormControlProps, FormDescription, type FormDescriptionProps, FormField, type FormFieldProps, FormItem, type FormItemProps, FormLabel, type FormLabelProps, FormMessage, type FormMessageProps, type FormProps, type FormState, type FormatOptions, FullCalendar, type FullCalendarProps, Glow, type GlowProps, GridList, type GridListItem, type GridListProps, H1, type H1Props, H2, type H2Props, H3, type H3Props, H4, type H4Props, type HSL, type HSLA, HeatmapCalendar, type HeatmapCalendarProps, type HeatmapValue, HoverCard, HoverCardContent, HoverCardTrigger, I18nContext, type I18nContextValue, I18nProvider, type I18nProviderProps, Image, ImageComparison, type ImageComparisonProps, ImageCropper, type ImageCropperProps, ImageViewer, type ImageViewerProps, ImageViewerTrigger, type ImageViewerTriggerProps, InfiniteScroll, type InfiniteScrollProps, InlineCode, type InlineCodeProps, Input, InputOTP, InputOTPGroup, type InputOTPProps, InputOTPSeparator, InputOTPSlot, type InputOTPSlotProps, type InputProps, KanbanBoard, type KanbanBoardProps, type KanbanCard, type KanbanColumn, Kbd, type KbdProps, Label, type Language, Large, type LargeProps, Lead, type LeadProps, LineChart, type LineChartProps, Link, type LinkProps, List, type ListDataItem, ListItemComponent as ListItem, type ListItemComponentProps, ListItemText, type ListItemTextProps, type ListProps, type Locale, MASK_PRESETS, type MaskChar, type MaskDefinition, type MaskPreset, MaskedInput, type MaskedInputProps, Menubar, MenubarCheckboxItem, MenubarContent, MenubarGroup, MenubarItem, MenubarLabel, MenubarMenu, MenubarPortal, MenubarRadioGroup, MenubarRadioItem, MenubarSection, MenubarSeparator, MenubarShortcut, MenubarSub, MenubarSubContent, MenubarSubTrigger, MenubarTrigger, Modal, type ModalBackdrop, ModalBody, ModalClose, ModalContent, ModalDescription, ModalFooter, ModalHeader, ModalOverlay, type ModalPlacement, ModalPortal, type ModalProps, ModalRoot, type ModalScrollBehavior, ModalTitle, ModalTrigger, Muted, type MutedProps, Navbar, NavbarBrand, NavbarContent, NavbarItem, NavbarLink, type NavbarProps, NavigationMenu, NavigationMenuContent, type NavigationMenuContentProps, NavigationMenuIndicator, type NavigationMenuIndicatorProps, NavigationMenuItem, type NavigationMenuItemProps, NavigationMenuLink, type NavigationMenuLinkProps, NavigationMenuList, type NavigationMenuListProps, type NavigationMenuProps, NavigationMenuTrigger, type NavigationMenuTriggerProps, NavigationMenuViewport, NumberField, type NumberFieldProps, type NumberFormatOptions, NumberInput, type NumberInputProps, PDFViewer, type PDFViewerProps, Pagination, PaginationContent, PaginationEllipsis, PaginationItem, PaginationLink, PaginationNext, PaginationPrevious, type PaginationState, Paragraph, type ParagraphProps, Parallax, type ParallaxProps, PasswordInput, type PasswordInputProps, type PasswordRequirement, type PercentFormatOptions, PhoneInput, type PhoneInputProps, PieChart, type PieChartProps, Pop, type PopProps, Popover, PopoverAnchor, PopoverContent, PopoverTrigger, Progress, PullToRefresh, type PullToRefreshProps, Pulse, type PulseProps, type PulseSpeed, QRCode, type QRCodeProps, type QRCodeRef, type RGB, type RGBA, RTL_LOCALES, Radio, RadioContent, type RadioContentProps, RadioControl, type RadioControlProps, RadioDescription, type RadioDescriptionProps, RadioGroup, RadioGroupItem, type RadioGroupItemProps, type RadioGroupProps, RadioIndicator, type RadioIndicatorProps, RadioLabel, type RadioLabelProps, type RadioProps, type Radius, RangeSlider, type RangeSliderProps, Rating, type RatingProps, ReeverUIContext, type ReeverUIContextValue, ReeverUIProvider, type ReeverUIProviderProps, type RelativeTimeOptions, ResizableHandle, type ResizableHandleProps, ResizablePanel, ResizablePanelGroup, type ResizablePanelGroupProps, Ripple, type RippleProps, Rotate, type RotateProps, Scale, type ScaleOrigin, type ScaleProps, ScrollArea, type ScrollAreaProps, ScrollProgress, type ScrollProgressPosition, type ScrollProgressProps, ScrollReveal, type ScrollRevealDirection, type ScrollRevealProps, Select, SelectField, type SelectFieldProps, type SelectInfo, type SelectOption, type SelectProps, Separator, type SeparatorProps, Shake, type ShakeIntensity, type ShakeProps, Shimmer, type ShimmerDirection, type ShimmerProps, Sidebar, type SidebarCollapsible, SidebarContent, SidebarFooter, SidebarGroup, SidebarGroupAction, SidebarGroupContent, SidebarGroupLabel, SidebarHeader, SidebarInset, SidebarMenu, SidebarMenuAction, SidebarMenuBadge, SidebarMenuButton, type SidebarMenuButtonProps, SidebarMenuItem, SidebarMenuSkeleton, SidebarMenuSub, SidebarMenuSubButton, SidebarMenuSubItem, type SidebarProps, SidebarProvider, type SidebarProviderProps, SidebarRail, SidebarSeparator, type SidebarSide, SidebarTrigger, type SidebarVariant, SignaturePad, type SignaturePadProps, type SignaturePadRef, Skeleton, SkipLink, type SkipLinkProps, Slide, type SlideDirection, type SlideProps, Slider, Small, type SmallProps, Snippet, type SortDirection, type SortState, Sparkles, type SparklesProps, Spinner, type SpotlightItem, SpotlightSearch, type SpotlightSearchProps, StatCard, Step, type StepProps, Steps, type StepsProps, type SwipeAction, SwipeActions, type SwipeActionsProps, Switch, type SwitchColor, type SwitchProps, type SwitchSize, TabbedCodeBlock, type TabbedCodeBlockProps, Table, TableBody, TableCaption, TableCell, type TableColumn, TableFooter, TableHead, TableHeader, TableRow, Tabs, TabsContent, TabsList, TabsTrigger, type Tag, TagInput, type TagInputProps, TextBadge, type TextBadgeProps, TextField, type TextFieldProps, TextReveal, type TextRevealDirection, type TextRevealProps, Textarea, TextareaField, type TextareaFieldProps, type TextareaProps, ThemeProvider, type ThemeProviderProps, ThemeToggle, type ThemeToggleProps, TimeInput, type TimeInputProps, TimePicker, type TimePickerProps, Timeline, TimelineContent, TimelineItem, TimelineOpposite, Toaster, Toggle, ToggleGroup, ToggleGroupItem, Tooltip, TooltipArrow, type TooltipArrowProps, TooltipContent, type TooltipContentProps, type TooltipProps, TooltipTrigger, type TooltipTriggerProps, Tour, type TourProps, type TourStep, type TransitionProps, Tree, type TreeNode, type TreeProps, Typewriter, type TypewriterProps, UL, type ULProps, type UploadedFile, User, type ValidationRule, VideoPlayer, type VideoPlayerProps, type VideoSource, type ViewerImage, Wiggle, type WiggleProps, WordRotate, type WordRotateProps, actionBarVariants, actionGroupVariants, actionSheetItemVariants, addDays, addHours, addMinutes, addMonths, addYears, alertVariants, alpha, applyMask, autocompleteInputVariants, avatarGroupVariants, backTopVariants, badgeIndicatorVariants, bannerVariants, bottomNavigationVariants, buttonVariants, calculatePasswordStrength, camelCase, capitalize, cardVariants, carouselVariants, chartContainerVariants, chipVariants, circularProgressVariants, closeButtonVariants, cn, codeVariants, colorAreaVariants, colorSliderVariants, colorSwatchPickerVariants, colorSwatchVariants, colorWheelVariants, complement, contextualHelpTriggerVariants, copyButtonVariants, currencyInputVariants, darken, datePickerVariants, defaultPasswordRequirements, desaturate, differenceInDays, differenceInHours, differenceInMinutes, drawerMenuButtonVariants, emojiPickerVariants, endOfDay, endOfMonth, fabVariants, fileUploadVariants, formatBytes, formatCompact, formatCreditCard, formatCurrency, formatDate, formatFileSize, formatISO, formatISODateTime, formatList, formatNumber, formatOrdinal, formatPercent, formatPhone, formatPhoneNumber, formatRelative, formatTime, fullCalendarVariants, getContrastRatio, getDirectionForLocale, getFileIcon, getInitials, getLuminance, getMaskPlaceholder, getPasswordStrengthColor, getPasswordStrengthLabel, getTextColor, gridListItemVariants, gridListVariants, hexToHsl, hexToRgb, hexToRgba, hslToHex, hslToRgb, imageCropperVariants, imageVariants, infiniteScrollLoaderVariants, infiniteScrollVariants, inputOTPVariants, invert, isDarkColor, isFuture, isLightColor, isPast, isRTLLocale, isSameDay, isSameMonth, isSameYear, isToday, isTomorrow, isValidDate, isYesterday, kbdVariants, kebabCase, lighten, listItemVariants, listVariants, mask, maskCreditCard, maskEmail, maskPhone, maskedInputVariants, meetsContrastAA, meetsContrastAAA, mix, modalContentVariants, navbarVariants, navigationMenuLinkStyle, navigationMenuTriggerStyle, parseColor, parseDate, pascalCase, phoneInputVariants, pluralize, pullToRefreshVariants, qrCodeVariants, rangeSliderVariants, ratingVariants, rgbToHex, rgbToHsl, rgbaToHex, saturate, selectVariants, sentenceCase, sidebarMenuButtonVariants, signaturePadVariants, skeletonVariants, slugify, snakeCase, snippetVariants, spinnerVariants, startOfDay, startOfMonth, statCardVariants, stepVariants, stepsVariants, swipeActionVariants, swipeActionsVariants, colorMap as switchColors, tagVariants, textBadgeVariants, themeToggleVariants, timeAgo, timeInputVariants, timelineItemVariants, timelineVariants, titleCase, toggleVariants, treeItemVariants, treeVariants, truncate, truncateMiddle, unmask, useAnimatedValue, useAsync, useAsyncRetry, useBodyScrollLock, useBooleanToggle, useBreakpoint, useBreakpoints, useButtonGroup, useCarousel, useClickOutside, useClickOutsideMultiple, useConfetti, useCopy, useCopyToClipboard, useCountdown, useCounter, useCycle, useDebounce, useDebouncedCallback, useDebouncedCallbackWithControls, useDelayedValue, useDirection, useDirectionValue, useDisclosure, useDisclosureOpen, useDistance, useDocumentIsVisible, useDocumentVisibility, useDocumentVisibilityCallback, useDrawer, useElementSize, useEventListener, useEventListenerRef, useFetch, useFieldContext, useFocusTrap, useFocusTrapRef, useFormContext, useFullscreen, useFullscreenRef, useGeolocation, useHotkeys, useHotkeysMap, useHover, useHoverDelay, useHoverProps, useHoverRef, useI18n, useIdle, useIdleCallback, useIncrementCounter, useIntersectionObserver, useIntersectionObserverRef, useInterval, useIntervalControls, useIsDesktop, useIsMobile, useIsRTL, useIsTablet, useKeyPress, useKeyPressed, useKeyboardShortcut, useLazyLoad, useList, useLocalStorage, useLocale, useLongPress, useMap, useMediaPermission, useMediaQuery, useMouse, useMouseElement, useMouseElementRef, useMutation, useMutationObserver, useMutationObserverRef, useNotificationPermission, useOnlineStatus, useOnlineStatusCallback, usePermission, usePrefersColorScheme, usePrefersReducedMotion, usePrevious, usePreviousDistinct, usePreviousWithInitial, useQueue, useRafLoop, useRecord, useReeverUI, useResizeObserver, useResizeObserverRef, useScrollLock, useScrollPosition, useSelection, useSessionStorage, useSet, useSidebar, useSidebarSafe, useSpeechRecognition, useSpeechSynthesis, useSpotlight, useSpringValue, useStack, useThrottle, useThrottledCallback, useTimeout, useTimeoutControls, useTimeoutFlag, useTimer, useToggle, useWindowHeight, useWindowScroll, useWindowSize, useWindowWidth, userVariants, validateFile, validators };
8929
+ export { Accordion, AccordionItem, type AccordionItemProps, type AccordionProps, ActionBar, ActionBarButton, type ActionBarProps, ActionGroup, type ActionGroupItem, type ActionGroupProps, ActionSheet, type ActionSheetItem, type ActionSheetProps, Alert, AlertDescription, type AlertRadius, AlertTitle, type AlertType, type AlertVariant, type AllowDropInfo, AreaChart, type AreaChartProps, AspectRatio, AudioPlayer, type AudioPlayerProps, type AudioTrack, Autocomplete, type AutocompleteOption, type AutocompleteProps, Avatar, AvatarFallback, AvatarGroup, type AvatarGroupItem, type AvatarGroupProps, AvatarImage, BackTop, type BackTopProps, Badge, type BadgeProps, Banner, type BannerProps, BarChart, type BarChartProps, Blockquote, type BlockquoteProps, BottomNavigation, type BottomNavigationItem, type BottomNavigationProps, Bounce, type BounceProps, Breadcrumb, BreadcrumbEllipsis, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, Button, ButtonGroup, type ButtonGroupProps, ButtonGroupSeparator, type ButtonGroupSeparatorProps, type ButtonProps, type ByteFormatOptions, CALENDAR_SYSTEM_NAMES, COUNTRIES, Calendar, type CalendarEvent, type CalendarProps, type CalendarSystem, type CalendarView, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, Carousel, type CarouselApi, CarouselContent, CarouselItem, type CarouselItemProps, CarouselNext, CarouselPrevious, type CarouselProps, type ChartDataPoint, type CheckInfo, Checkbox, Checkmark, type CheckmarkProps, type CheckmarkSize, type CheckmarkVariant, Chip, type ChipProps, CircularProgress, CloseButton, type CloseButtonProps, Code, CodeBlock, type CodeBlockProps, type CodeBlockTabItem, Collapse, type CollapseProps, Collapsible, CollapsibleContent, CollapsibleTrigger, type Color, ColorArea, type ColorAreaProps, type ColorAreaValue, ColorPicker, type ColorPickerProps, ColorSlider, type ColorSliderChannel, type ColorSliderProps, ColorSwatch, ColorSwatchPicker, type ColorSwatchPickerProps, type ColorSwatchProps, ColorWheel, type ColorWheelProps, Command, CommandDialog, CommandEmpty, CommandGroup, CommandInput, CommandItem, type CommandItemProps, CommandList, CommandSeparator, CommandShortcut, type CompactFormatOptions, Confetti, type ConfettiOptions, type ConfettiProps, ConfirmDialog, type ConfirmDialogProps, ContextMenu, ContextMenuCheckboxItem, ContextMenuContent, ContextMenuGroup, ContextMenuItem, ContextMenuPortal, ContextMenuSection, type ContextMenuSectionProps, ContextMenuSeparator, ContextMenuShortcut, ContextMenuSub, ContextMenuSubContent, ContextMenuSubTrigger, ContextMenuTrigger, ContextualHelp, type ContextualHelpProps, CopyButton, type CopyButtonProps, Counter, type CounterProps, type Country, type CurrencyFormatOptions, CurrencyInput, type CurrencyInputProps, DEFAULT_COLORS, DataGrid, type DataGridColumn, type DataGridProps, DataTable, type DataTableProps, type DateFormat, type DateInput, DatePicker, type DatePickerProps, DateRangePicker, type DateRangePickerProps, Diff, type DiffLine, type DiffProps, type DiffViewMode, type Direction, DirectionContext, type DirectionContextValue, DirectionProvider, type DirectionProviderProps, Dock, DockItem, type DockItemProps, type DockProps, DockSeparator, type DockSeparatorProps, type DragInfo, type DraggableConfig, Drawer, type DrawerBackdrop, DrawerBody, DrawerClose, type DrawerCollapsible, DrawerContent, DrawerDescription, DrawerFooter, DrawerGroup, DrawerGroupLabel, DrawerHeader, DrawerInset, DrawerMenu, DrawerMenuButton, DrawerMenuItem, type DrawerMode, type DrawerPlacement, type DrawerProps, DrawerProvider, DrawerSeparator, DrawerSidebar, type DrawerSidebarProps, type DrawerSize, DrawerTitle, DrawerToggle, DrawerTrigger, type DrawerVariant, type DropInfo, Dropdown, DropdownContent, type DropdownContentProps, DropdownGroup, type DropdownGroupProps, DropdownItem, type DropdownItemProps, DropdownLabel, type DropdownProps, DropdownSection, type DropdownSectionProps, DropdownSeparator, type DropdownSeparatorProps, DropdownShortcut, DropdownSub, DropdownSubContent, type DropdownSubContentProps, type DropdownSubProps, DropdownSubTrigger, type DropdownSubTriggerProps, DropdownTrigger, type DropdownTriggerProps, EMOJIS, EMOJI_CATEGORIES, EmojiPicker, type EmojiPickerProps, EmptyState, type EmptyStateProps, Expand, type ExpandInfo, type ExpandProps, FAB, type FABAction, Fade, type FadeProps, FieldContext, type FieldContextValue, type FieldState, type FileRejection, FileUpload, type FileUploadProps, type FlatCheckInfo, type FlatSelectInfo, Flip, type FlipDirection, type FlipProps, FloatingActionButton, type FloatingActionButtonProps, Form, FormContext, type FormContextValue, FormControl, type FormControlProps, FormDescription, type FormDescriptionProps, FormField, type FormFieldProps, FormItem, type FormItemProps, FormLabel, type FormLabelProps, FormMessage, type FormMessageProps, type FormProps, type FormState, type FormatOptions, FullCalendar, type FullCalendarProps, GanttChart, type GanttChartProps, type GanttTask, Glow, type GlowProps, GridList, type GridListItem, type GridListProps, H1, type H1Props, H2, type H2Props, H3, type H3Props, H4, type H4Props, type HSL, type HSLA, HeatmapCalendar, type HeatmapCalendarProps, type HeatmapValue, HoverCard, HoverCardContent, HoverCardTrigger, I18nContext, type I18nContextValue, I18nProvider, type I18nProviderProps, Image, ImageComparison, type ImageComparisonProps, ImageCropper, type ImageCropperProps, ImageViewer, type ImageViewerProps, ImageViewerTrigger, type ImageViewerTriggerProps, InfiniteScroll, type InfiniteScrollProps, InlineCode, type InlineCodeProps, Input, InputOTP, InputOTPGroup, type InputOTPProps, InputOTPSeparator, InputOTPSlot, type InputOTPSlotProps, type InputProps, KanbanBoard, type KanbanBoardProps, type KanbanCard, type KanbanColumn, Kbd, type KbdProps, LOCALE_DEFAULT_CALENDARS, Label, type Language, Large, type LargeProps, Lead, type LeadProps, LineChart, type LineChartProps, Link, type LinkProps, List, type ListDataItem, ListItemComponent as ListItem, type ListItemComponentProps, ListItemText, type ListItemTextProps, type ListProps, type Locale, MASK_PRESETS, Marquee, type MarqueeProps, type MaskChar, type MaskDefinition, type MaskPreset, MaskedInput, type MaskedInputProps, Masonry, MasonryItem, type MasonryItemProps, type MasonryProps, type MentionItem, Mentions, type MentionsProps, Menubar, MenubarCheckboxItem, MenubarContent, MenubarGroup, MenubarItem, MenubarLabel, MenubarMenu, MenubarPortal, MenubarRadioGroup, MenubarRadioItem, MenubarSection, MenubarSeparator, MenubarShortcut, MenubarSub, MenubarSubContent, MenubarSubTrigger, MenubarTrigger, Modal, type ModalBackdrop, ModalBody, ModalClose, ModalContent, ModalDescription, ModalFooter, ModalHeader, ModalOverlay, type ModalPlacement, ModalPortal, type ModalProps, ModalRoot, type ModalScrollBehavior, ModalTitle, ModalTrigger, Muted, type MutedProps, Navbar, NavbarBrand, NavbarContent, NavbarItem, NavbarLink, type NavbarProps, NavigationMenu, NavigationMenuContent, type NavigationMenuContentProps, NavigationMenuIndicator, type NavigationMenuIndicatorProps, NavigationMenuItem, type NavigationMenuItemProps, NavigationMenuLink, type NavigationMenuLinkProps, NavigationMenuList, type NavigationMenuListProps, type NavigationMenuProps, NavigationMenuTrigger, type NavigationMenuTriggerProps, NavigationMenuViewport, NumberField, type NumberFieldProps, type NumberFormatOptions, NumberInput, type NumberInputProps, OrgChart, type OrgChartNode, type OrgChartProps, PDFViewer, type PDFViewerProps, Pagination, PaginationContent, PaginationEllipsis, PaginationItem, PaginationLink, PaginationNext, PaginationPrevious, type PaginationState, Paragraph, type ParagraphProps, Parallax, type ParallaxProps, PasswordInput, type PasswordInputProps, type PasswordRequirement, type PercentFormatOptions, PhoneInput, type PhoneInputProps, PieChart, type PieChartProps, Pop, type PopProps, Popover, PopoverAnchor, PopoverContent, PopoverTrigger, Progress, PullToRefresh, type PullToRefreshProps, Pulse, type PulseProps, type PulseSpeed, QRCode, type QRCodeProps, type QRCodeRef, type RGB, type RGBA, RTL_LOCALES, Radio, RadioContent, type RadioContentProps, RadioControl, type RadioControlProps, RadioDescription, type RadioDescriptionProps, RadioGroup, RadioGroupItem, type RadioGroupItemProps, type RadioGroupProps, RadioIndicator, type RadioIndicatorProps, RadioLabel, type RadioLabelProps, type RadioProps, type Radius, RangeCalendar, type RangeCalendarProps, RangeSlider, type RangeSliderProps, Rating, type RatingProps, ReeverUIContext, type ReeverUIContextValue, ReeverUIProvider, type ReeverUIProviderProps, type RelativeTimeOptions, ResizableHandle, type ResizableHandleProps, ResizablePanel, ResizablePanelGroup, type ResizablePanelGroupProps, Ripple, type RippleProps, Rotate, type RotateProps, Scale, type ScaleOrigin, type ScaleProps, ScrollArea, type ScrollAreaProps, ScrollProgress, type ScrollProgressPosition, type ScrollProgressProps, ScrollReveal, type ScrollRevealDirection, type ScrollRevealProps, Select, SelectField, type SelectFieldProps, type SelectInfo, type SelectOption, type SelectProps, Separator, type SeparatorProps, Shake, type ShakeIntensity, type ShakeProps, Shimmer, type ShimmerDirection, type ShimmerProps, Sidebar, type SidebarCollapsible, SidebarContent, SidebarFooter, SidebarGroup, SidebarGroupAction, SidebarGroupContent, SidebarGroupLabel, SidebarHeader, SidebarInset, SidebarMenu, SidebarMenuAction, SidebarMenuBadge, SidebarMenuButton, type SidebarMenuButtonProps, SidebarMenuItem, SidebarMenuSkeleton, SidebarMenuSub, SidebarMenuSubButton, SidebarMenuSubItem, type SidebarProps, SidebarProvider, type SidebarProviderProps, SidebarRail, SidebarSeparator, type SidebarSide, SidebarTrigger, type SidebarVariant, SignaturePad, type SignaturePadProps, type SignaturePadRef, Skeleton, SkipLink, type SkipLinkProps, Slide, type SlideDirection, type SlideProps, Slider, Small, type SmallProps, Snippet, type SortDirection$1 as SortDirection, type SortState, Sparkles, type SparklesProps, Spinner, SplitButton, type SplitButtonMenuItem, type SplitButtonProps, type SpotlightItem, SpotlightSearch, type SpotlightSearchProps, StatCard, Step, type StepProps, Steps, type StepsProps, type SwipeAction, SwipeActions, type SwipeActionsProps, Switch, type SwitchColor, type SwitchProps, type SwitchSize, TabbedCodeBlock, type TabbedCodeBlockProps, Table, TableBody, TableCaption, TableCell, type TableColumn, TableFooter, TableHead, TableHeader, TableRow, Tabs, TabsContent, TabsList, TabsTrigger, type Tag, TagInput, type TagInputProps, Terminal, type TerminalLine, type TerminalProps, TextBadge, type TextBadgeProps, TextField, type TextFieldProps, TextReveal, type TextRevealDirection, type TextRevealProps, Textarea, TextareaField, type TextareaFieldProps, type TextareaProps, ThemeProvider, type ThemeProviderProps, ThemeToggle, type ThemeToggleProps, TimeInput, type TimeInputProps, TimePicker, type TimePickerProps, Timeline, TimelineContent, TimelineItem, TimelineOpposite, Toaster, Toggle, ToggleGroup, ToggleGroupItem, Tooltip, TooltipArrow, type TooltipArrowProps, TooltipContent, type TooltipContentProps, type TooltipProps, TooltipTrigger, type TooltipTriggerProps, Tour, type TourProps, type TourStep, TransferList, type TransferListItem, type TransferListProps, type TransitionProps, Tree, type TreeNode, type TreeProps, Typewriter, type TypewriterProps, UL, type ULProps, type UploadedFile, User, type ValidationRule, VideoPlayer, type VideoPlayerProps, type VideoSource, type ViewMode, type ViewerImage, VirtualList, type VirtualListProps, Wiggle, type WiggleProps, WordRotate, type WordRotateProps, actionBarVariants, actionGroupVariants, actionSheetItemVariants, addDays, addHours, addMinutes, addMonths, addYears, alertVariants, alpha, applyMask, autocompleteInputVariants, avatarGroupVariants, backTopVariants, badgeIndicatorVariants, bannerVariants, bottomNavigationVariants, buildFullLocale, buttonVariants, calculatePasswordStrength, camelCase, capitalize, cardVariants, carouselVariants, chartContainerVariants, chipVariants, circularProgressVariants, closeButtonVariants, cn, codeVariants, colorAreaVariants, colorSliderVariants, colorSwatchPickerVariants, colorSwatchVariants, colorWheelVariants, complement, contextualHelpTriggerVariants, copyButtonVariants, currencyInputVariants, darken, dataGridVariants, datePickerVariants, defaultPasswordRequirements, desaturate, diffVariants, differenceInDays, differenceInHours, differenceInMinutes, dockVariants, drawerMenuButtonVariants, emojiPickerVariants, endOfDay, endOfMonth, fabVariants, fileUploadVariants, formatBytes, formatCompact, formatCreditCard, formatCurrency, formatDate, formatFileSize, formatISO, formatISODateTime, formatList, formatNumber, formatOrdinal, formatPercent, formatPhone, formatPhoneNumber, formatRelative, formatTime, fullCalendarVariants, ganttChartVariants, getBaseLocale, getContrastRatio, getDefaultCalendarForLocale, getDirectionForLocale, getFileIcon, getInitials, getLuminance, getMaskPlaceholder, getPasswordStrengthColor, getPasswordStrengthLabel, getTextColor, gridListItemVariants, gridListVariants, hexToHsl, hexToRgb, hexToRgba, hslToHex, hslToRgb, imageCropperVariants, imageVariants, infiniteScrollLoaderVariants, infiniteScrollVariants, inputOTPVariants, invert, isDarkColor, isFuture, isLightColor, isPast, isRTLLocale, isSameDay, isSameMonth, isSameYear, isToday, isTomorrow, isValidDate, isYesterday, kbdVariants, kebabCase, lighten, listItemVariants, listVariants, marqueeVariants, mask, maskCreditCard, maskEmail, maskPhone, maskedInputVariants, masonryVariants, meetsContrastAA, meetsContrastAAA, mentionsVariants, mix, modalContentVariants, navbarVariants, navigationMenuLinkStyle, navigationMenuTriggerStyle, nodeVariants, orgChartVariants, parseCalendarFromLocale, parseColor, parseDate, pascalCase, phoneInputVariants, pluralize, pullToRefreshVariants, qrCodeVariants, rangeSliderVariants, ratingVariants, rgbToHex, rgbToHsl, rgbaToHex, saturate, selectVariants, sentenceCase, sidebarMenuButtonVariants, signaturePadVariants, skeletonVariants, skipLinkVariants, slugify, snakeCase, snippetVariants, spinnerVariants, splitButtonVariants, startOfDay, startOfMonth, statCardVariants, stepVariants, stepsVariants, swipeActionVariants, swipeActionsVariants, colorMap as switchColors, tagVariants, terminalVariants, textBadgeVariants, themeToggleVariants, timeAgo, timeInputVariants, timelineItemVariants, timelineVariants, titleCase, toggleVariants, transferListVariants, treeItemVariants, treeVariants, truncate, truncateMiddle, unmask, useAnimatedValue, useAsync, useAsyncRetry, useBodyScrollLock, useBooleanToggle, useBreakpoint, useBreakpoints, useButtonGroup, useCalendarSystem, useCarousel, useClickOutside, useClickOutsideMultiple, useConfetti, useCopy, useCopyToClipboard, useCountdown, useCounter, useCycle, useDebounce, useDebouncedCallback, useDebouncedCallbackWithControls, useDelayedValue, useDirection, useDirectionValue, useDisclosure, useDisclosureOpen, useDistance, useDocumentIsVisible, useDocumentVisibility, useDocumentVisibilityCallback, useDrawer, useElementSize, useEventListener, useEventListenerRef, useFetch, useFieldContext, useFocusTrap, useFocusTrapRef, useFormContext, useFullscreen, useFullscreenRef, useGeolocation, useHotkeys, useHotkeysMap, useHover, useHoverDelay, useHoverProps, useHoverRef, useI18n, useIdle, useIdleCallback, useIncrementCounter, useIntersectionObserver, useIntersectionObserverRef, useInterval, useIntervalControls, useIsDesktop, useIsMobile, useIsRTL, useIsTablet, useKeyPress, useKeyPressed, useKeyboardShortcut, useLazyLoad, useList, useLocalStorage, useLocale, useLongPress, useMap, useMediaPermission, useMediaQuery, useMouse, useMouseElement, useMouseElementRef, useMutation, useMutationObserver, useMutationObserverRef, useNotificationPermission, useOnlineStatus, useOnlineStatusCallback, usePermission, usePrefersColorScheme, usePrefersReducedMotion, usePrevious, usePreviousDistinct, usePreviousWithInitial, useQueue, useRafLoop, useRecord, useReeverUI, useResizeObserver, useResizeObserverRef, useScrollLock, useScrollPosition, useSelection, useSessionStorage, useSet, useSidebar, useSidebarSafe, useSpeechRecognition, useSpeechSynthesis, useSpotlight, useSpringValue, useStack, useThrottle, useThrottledCallback, useTimeout, useTimeoutControls, useTimeoutFlag, useTimer, useToggle, useWindowHeight, useWindowScroll, useWindowSize, useWindowWidth, userVariants, validateFile, validators, virtualListVariants };