@facter/ds-core 1.2.0 → 1.3.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/dist/index.d.mts CHANGED
@@ -1,6 +1,6 @@
1
1
  import * as class_variance_authority_types from 'class-variance-authority/types';
2
2
  import * as React$1 from 'react';
3
- import { ReactNode } from 'react';
3
+ import { ReactNode, ComponentType } from 'react';
4
4
  import { VariantProps } from 'class-variance-authority';
5
5
  import * as react_jsx_runtime from 'react/jsx-runtime';
6
6
  import * as SelectPrimitive from '@radix-ui/react-select';
@@ -12,7 +12,7 @@ import * as DialogPrimitive from '@radix-ui/react-dialog';
12
12
  import { Toaster as Toaster$1, toast as toast$1 } from 'sonner';
13
13
  import * as CheckboxPrimitive from '@radix-ui/react-checkbox';
14
14
  import * as SwitchPrimitives from '@radix-ui/react-switch';
15
- import { FieldValues, FieldPath, UseFormReturn, SubmitHandler, SubmitErrorHandler } from 'react-hook-form';
15
+ import { FieldValues, FieldPath, UseFormReturn, SubmitHandler, SubmitErrorHandler, Path } from 'react-hook-form';
16
16
  import * as AvatarPrimitive from '@radix-ui/react-avatar';
17
17
  import * as DropdownMenuPrimitive from '@radix-ui/react-dropdown-menu';
18
18
  import * as PopoverPrimitive from '@radix-ui/react-popover';
@@ -1866,6 +1866,379 @@ declare const Kanban: {
1866
1866
  declare function useKanban(): KanbanContextValue;
1867
1867
  declare function useKanbanOptional(): KanbanContextValue | null;
1868
1868
 
1869
+ /**
1870
+ * Generic validation schema interface
1871
+ * Compatible with Zod and other validation libraries
1872
+ */
1873
+ interface ValidationSchema {
1874
+ safeParseAsync: (data: unknown) => Promise<{
1875
+ success: boolean;
1876
+ error?: {
1877
+ issues: Array<{
1878
+ path: (string | number)[];
1879
+ message: string;
1880
+ }>;
1881
+ };
1882
+ }>;
1883
+ }
1884
+ /**
1885
+ * Configuration for a single wizard step
1886
+ */
1887
+ interface WizardStepConfig<T extends FieldValues = FieldValues> {
1888
+ /** Unique identifier for the step */
1889
+ id: string;
1890
+ /** Step name used for lookups and matching with Panel */
1891
+ name: string;
1892
+ /** Display label for the step indicator */
1893
+ label?: string;
1894
+ /** Optional description shown below the label */
1895
+ description?: string;
1896
+ /** Icon component to display in step indicator */
1897
+ icon?: ComponentType<{
1898
+ className?: string;
1899
+ }>;
1900
+ /** Fields that belong to this step (for validation) */
1901
+ fields?: Path<T>[];
1902
+ /** Validation schema for per-step validation (Zod compatible) */
1903
+ validationSchema?: ValidationSchema;
1904
+ /** Whether this step can be skipped */
1905
+ isOptional?: boolean;
1906
+ /** Whether step is disabled (static or dynamic) */
1907
+ isDisabled?: boolean | ((data: T) => boolean);
1908
+ /** Whether step is hidden (static or dynamic) */
1909
+ isHidden?: boolean | ((data: T) => boolean);
1910
+ }
1911
+ /**
1912
+ * Props for the root Wizard component
1913
+ */
1914
+ interface WizardProps<T extends FieldValues = FieldValues> {
1915
+ /** Child components (Wizard.Steps, Wizard.Content, etc.) */
1916
+ children: ReactNode;
1917
+ /** React Hook Form instance */
1918
+ form: UseFormReturn<T>;
1919
+ /** Array of step configurations */
1920
+ steps: WizardStepConfig<T>[];
1921
+ /** Initial step index (0-based) */
1922
+ initialStep?: number;
1923
+ /** Callback when step changes */
1924
+ onStepChange?: (step: number, direction: 'next' | 'prev' | 'jump') => void;
1925
+ /** Callback when wizard completes (form submit on last step) */
1926
+ onComplete?: (data: T) => void | Promise<void>;
1927
+ /** Whether to validate before advancing to next step (default: true) */
1928
+ validateOnNext?: boolean;
1929
+ /** Whether to allow jumping to any completed step (default: false) */
1930
+ allowJumpToStep?: boolean;
1931
+ /** Additional class name for the wizard container */
1932
+ className?: string;
1933
+ }
1934
+ /**
1935
+ * Context value provided by the Wizard
1936
+ */
1937
+ interface WizardContextValue<T extends FieldValues = FieldValues> {
1938
+ /** Current step index (0-based) */
1939
+ currentStep: number;
1940
+ /** Total number of visible steps */
1941
+ totalSteps: number;
1942
+ /** Filtered list of visible steps */
1943
+ activeSteps: WizardStepConfig<T>[];
1944
+ /** All step configurations (including hidden) */
1945
+ allSteps: WizardStepConfig<T>[];
1946
+ /** Whether current step is the first step */
1947
+ isFirstStep: boolean;
1948
+ /** Whether current step is the last step */
1949
+ isLastStep: boolean;
1950
+ /** Progress percentage (0-100) */
1951
+ progress: number;
1952
+ /** Navigate to next step (validates current step first) */
1953
+ goToNextStep: () => Promise<boolean>;
1954
+ /** Navigate to previous step (no validation) */
1955
+ goToPrevStep: () => void;
1956
+ /** Navigate to specific step by index */
1957
+ goToStep: (index: number) => Promise<boolean>;
1958
+ /** Reset wizard to initial state */
1959
+ reset: () => void;
1960
+ /** Validate current step fields */
1961
+ validateCurrentStep: () => Promise<boolean>;
1962
+ /** Check if a step has been completed */
1963
+ isStepCompleted: (index: number) => boolean;
1964
+ /** Check if a step has errors */
1965
+ hasStepErrors: (index: number) => boolean;
1966
+ /** React Hook Form instance */
1967
+ form: UseFormReturn<T>;
1968
+ /** Current step configuration */
1969
+ currentStepConfig: WizardStepConfig<T>;
1970
+ /** Get step config by index */
1971
+ getStepConfig: (index: number) => WizardStepConfig<T> | undefined;
1972
+ /** Get step config by name */
1973
+ getStepByName: (name: string) => WizardStepConfig<T> | undefined;
1974
+ /** Get step index by name */
1975
+ getStepIndexByName: (name: string) => number;
1976
+ /** Whether jumping to steps is allowed */
1977
+ allowJumpToStep: boolean;
1978
+ }
1979
+ /**
1980
+ * Props for Wizard.Steps component
1981
+ */
1982
+ interface WizardStepsProps {
1983
+ /** Layout variant */
1984
+ variant?: 'horizontal' | 'vertical';
1985
+ /** Whether to show step descriptions */
1986
+ showDescription?: boolean;
1987
+ /** Whether to show step numbers instead of icons */
1988
+ showNumbers?: boolean;
1989
+ /** Size variant */
1990
+ size?: 'sm' | 'md' | 'lg';
1991
+ /** Additional class name */
1992
+ className?: string;
1993
+ }
1994
+ /**
1995
+ * Props for individual Wizard.Step indicator
1996
+ */
1997
+ interface WizardStepIndicatorProps {
1998
+ /** Step configuration */
1999
+ step: WizardStepConfig;
2000
+ /** Step index (0-based) */
2001
+ index: number;
2002
+ /** Step state */
2003
+ state: 'completed' | 'current' | 'pending' | 'error' | 'disabled';
2004
+ /** Whether to show step number */
2005
+ showNumber?: boolean;
2006
+ /** Whether to show description */
2007
+ showDescription?: boolean;
2008
+ /** Size variant */
2009
+ size?: 'sm' | 'md' | 'lg';
2010
+ /** Whether step is clickable */
2011
+ isClickable?: boolean;
2012
+ /** Click handler */
2013
+ onClick?: () => void;
2014
+ }
2015
+ /**
2016
+ * Props for step connector line
2017
+ */
2018
+ interface WizardStepConnectorProps {
2019
+ /** Whether the step before this connector is completed */
2020
+ isCompleted?: boolean;
2021
+ /** Layout variant */
2022
+ variant?: 'horizontal' | 'vertical';
2023
+ /** Additional class name */
2024
+ className?: string;
2025
+ }
2026
+ /**
2027
+ * Props for Wizard.Content component
2028
+ */
2029
+ interface WizardContentProps {
2030
+ /** Panel children */
2031
+ children: ReactNode;
2032
+ /** Additional class name */
2033
+ className?: string;
2034
+ }
2035
+ /**
2036
+ * Props for Wizard.Panel component
2037
+ */
2038
+ interface WizardPanelProps {
2039
+ /** Name matching a step's name */
2040
+ name: string;
2041
+ /** Panel content */
2042
+ children: ReactNode;
2043
+ /** Additional class name */
2044
+ className?: string;
2045
+ }
2046
+ /**
2047
+ * Props for Wizard.Navigation component
2048
+ */
2049
+ interface WizardNavigationProps {
2050
+ /** Label for cancel button (default: "Cancelar") */
2051
+ cancelLabel?: string;
2052
+ /** Label for previous button (default: "Voltar") */
2053
+ prevLabel?: string;
2054
+ /** Label for next button (default: "Continuar") */
2055
+ nextLabel?: string;
2056
+ /** Label for submit button (default: "Finalizar") */
2057
+ submitLabel?: string;
2058
+ /** Label shown when loading (default: "Processando...") */
2059
+ loadingLabel?: string;
2060
+ /** Handler for cancel button */
2061
+ onCancel?: () => void;
2062
+ /** Whether to show cancel button (default: true on first step) */
2063
+ showCancel?: boolean;
2064
+ /** Whether submit button is disabled */
2065
+ submitDisabled?: boolean;
2066
+ /** Additional class name */
2067
+ className?: string;
2068
+ }
2069
+ /**
2070
+ * Props for Wizard.Progress component
2071
+ */
2072
+ interface WizardProgressProps {
2073
+ /** Whether to show percentage text */
2074
+ showPercentage?: boolean;
2075
+ /** Whether to show step count (e.g., "2 de 4") */
2076
+ showStepCount?: boolean;
2077
+ /** Additional class name */
2078
+ className?: string;
2079
+ }
2080
+ /**
2081
+ * Step state type
2082
+ */
2083
+ type StepState = 'completed' | 'current' | 'pending' | 'error' | 'disabled';
2084
+
2085
+ /**
2086
+ * Visual step indicators component
2087
+ *
2088
+ * Displays the wizard steps with their current states:
2089
+ * - Completed (checkmark, green)
2090
+ * - Current (highlighted, primary)
2091
+ * - Pending (muted)
2092
+ * - Error (red indicator)
2093
+ * - Disabled (grayed out)
2094
+ *
2095
+ * @example
2096
+ * ```tsx
2097
+ * <Wizard.Steps variant="horizontal" showDescription />
2098
+ * ```
2099
+ */
2100
+ declare function WizardSteps({ variant, showDescription, showNumbers, size, className, }: WizardStepsProps): react_jsx_runtime.JSX.Element;
2101
+
2102
+ /**
2103
+ * Container for wizard step panels
2104
+ *
2105
+ * Automatically renders only the panel matching the current step
2106
+ *
2107
+ * @example
2108
+ * ```tsx
2109
+ * <Wizard.Content>
2110
+ * <Wizard.Panel name="step1">Step 1 content</Wizard.Panel>
2111
+ * <Wizard.Panel name="step2">Step 2 content</Wizard.Panel>
2112
+ * </Wizard.Content>
2113
+ * ```
2114
+ */
2115
+ declare function WizardContent({ children, className }: WizardContentProps): react_jsx_runtime.JSX.Element;
2116
+
2117
+ /**
2118
+ * Individual panel for wizard step content
2119
+ *
2120
+ * The `name` prop must match a step's `name` or `id` in the wizard configuration
2121
+ *
2122
+ * @example
2123
+ * ```tsx
2124
+ * <Wizard.Panel name="personal">
2125
+ * <Form.Input name="name" label="Nome" required />
2126
+ * <Form.Input name="email" label="Email" required />
2127
+ * </Wizard.Panel>
2128
+ * ```
2129
+ */
2130
+ declare function WizardPanel({ name, children, className }: WizardPanelProps): react_jsx_runtime.JSX.Element;
2131
+
2132
+ /**
2133
+ * Navigation buttons for the wizard
2134
+ *
2135
+ * Provides:
2136
+ * - Cancel button (first step only by default)
2137
+ * - Previous button
2138
+ * - Next button (type="button" - does NOT submit)
2139
+ * - Submit button (last step only, type="submit")
2140
+ *
2141
+ * @example
2142
+ * ```tsx
2143
+ * <Wizard.Navigation
2144
+ * cancelLabel="Cancelar"
2145
+ * prevLabel="Voltar"
2146
+ * nextLabel="Continuar"
2147
+ * submitLabel="Finalizar"
2148
+ * onCancel={() => dialog.close()}
2149
+ * />
2150
+ * ```
2151
+ */
2152
+ declare function WizardNavigation({ cancelLabel, prevLabel, nextLabel, submitLabel, loadingLabel, onCancel, showCancel, submitDisabled, className, }: WizardNavigationProps): react_jsx_runtime.JSX.Element;
2153
+
2154
+ /**
2155
+ * Progress bar component for the wizard
2156
+ *
2157
+ * Displays a visual progress indicator with optional percentage and step count
2158
+ *
2159
+ * @example
2160
+ * ```tsx
2161
+ * <Wizard.Progress showPercentage showStepCount />
2162
+ * ```
2163
+ */
2164
+ declare function WizardProgress({ showPercentage, showStepCount, className, }: WizardProgressProps): react_jsx_runtime.JSX.Element;
2165
+
2166
+ /**
2167
+ * Root Wizard component
2168
+ *
2169
+ * Provides multi-step form functionality with:
2170
+ * - Per-step validation with Zod schemas
2171
+ * - Visual step indicators
2172
+ * - Navigation controls
2173
+ * - Progress tracking
2174
+ *
2175
+ * @example
2176
+ * ```tsx
2177
+ * const form = useForm<FormData>({
2178
+ * resolver: zodResolver(schema),
2179
+ * mode: 'onTouched',
2180
+ * });
2181
+ *
2182
+ * <Wizard form={form} steps={steps} onComplete={handleSubmit}>
2183
+ * <Wizard.Steps />
2184
+ * <Wizard.Content>
2185
+ * <Wizard.Panel name="step1">...</Wizard.Panel>
2186
+ * <Wizard.Panel name="step2">...</Wizard.Panel>
2187
+ * </Wizard.Content>
2188
+ * <Wizard.Navigation onCancel={handleClose} />
2189
+ * </Wizard>
2190
+ * ```
2191
+ */
2192
+ declare function WizardRoot<T extends FieldValues>({ children, form, steps, initialStep, onStepChange, onComplete, validateOnNext, allowJumpToStep, className, }: WizardProps<T>): react_jsx_runtime.JSX.Element;
2193
+ declare const Wizard: typeof WizardRoot & {
2194
+ /** Visual step indicators */
2195
+ Steps: typeof WizardSteps;
2196
+ /** Container for step panels */
2197
+ Content: typeof WizardContent;
2198
+ /** Individual step content panel */
2199
+ Panel: typeof WizardPanel;
2200
+ /** Navigation buttons (prev, next, submit) */
2201
+ Navigation: typeof WizardNavigation;
2202
+ /** Progress bar indicator */
2203
+ Progress: typeof WizardProgress;
2204
+ };
2205
+
2206
+ /**
2207
+ * Hook to access wizard context
2208
+ * @throws Error if used outside of Wizard component
2209
+ */
2210
+ declare function useWizardContext<T extends FieldValues = FieldValues>(): WizardContextValue<T>;
2211
+ /**
2212
+ * Optional hook that returns undefined if outside wizard context
2213
+ */
2214
+ declare function useWizardContextOptional<T extends FieldValues = FieldValues>(): WizardContextValue<T> | undefined;
2215
+ interface WizardProviderProps<T extends FieldValues> extends WizardProps<T> {
2216
+ children: ReactNode;
2217
+ }
2218
+ /**
2219
+ * Wizard context provider component
2220
+ */
2221
+ declare function WizardProvider<T extends FieldValues>({ children, form, steps, initialStep, onStepChange, validateOnNext, allowJumpToStep, }: WizardProviderProps<T>): react_jsx_runtime.JSX.Element;
2222
+
2223
+ /**
2224
+ * Individual step indicator component
2225
+ *
2226
+ * Displays a step with:
2227
+ * - Circle with number/icon/checkmark
2228
+ * - Optional label
2229
+ * - Optional description
2230
+ */
2231
+ declare function WizardStepIndicator({ step, index, state, showNumber, showDescription, size, isClickable, onClick, }: WizardStepIndicatorProps): react_jsx_runtime.JSX.Element;
2232
+
2233
+ /**
2234
+ * Connector line between wizard steps
2235
+ *
2236
+ * Changes color based on completion state:
2237
+ * - Completed: primary/green color
2238
+ * - Pending: muted gray
2239
+ */
2240
+ declare function WizardStepConnector({ isCompleted, variant, className, }: WizardStepConnectorProps): react_jsx_runtime.JSX.Element;
2241
+
1869
2242
  interface LogoProps {
1870
2243
  /** Width of the logo (number for px, string for custom units) */
1871
2244
  width?: number | string;
@@ -1915,4 +2288,4 @@ declare const useTheme: () => ThemeProviderState;
1915
2288
  */
1916
2289
  declare function cn(...inputs: ClassValue[]): string;
1917
2290
 
1918
- export { AuthLayout, type AuthLayoutBodyProps, type AuthLayoutContentProps, type AuthLayoutDividerProps, type AuthLayoutFooterProps, type AuthLayoutHeaderProps, type AuthLayoutImageProps, type AuthLayoutLinkProps, type AuthLayoutProps, Avatar, AvatarFallback, type AvatarFallbackProps, AvatarImage, type AvatarImageProps, type AvatarProps, Badge, type BadgeProps, type BadgeVariant, type BaseFieldProps, BigNumberCard, type BigNumberCardContentProps, type BigNumberCardHeaderProps, type BigNumberCardLinkProps, type BigNumberCardRootProps, type BigNumberCardSize, type BigNumberCardSparklineProps, type BigNumberCardTitleProps, type BigNumberCardTrendProps, type BigNumberCardValueProps, Breadcrumb, BreadcrumbEllipsis, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, Button, type ButtonProps, Card, CardContent, type CardContentProps, CardDescription, type CardDescriptionProps, CardFooter, type CardFooterProps, CardHeader, type CardHeaderProps, type CardProps, CardTitle, type CardTitleProps, Checkbox, type CheckboxProps, type Company, DENSITY_CONFIG, DashboardLayout, type DashboardLayoutBreadcrumbsProps, type DashboardLayoutContentProps, type DashboardLayoutContextValue, type DashboardLayoutHeaderActionsProps, type DashboardLayoutHeaderProps, type DashboardLayoutHeaderTitleProps, type DashboardLayoutHeaderUserProps, type DashboardLayoutMobileNavItemProps, type DashboardLayoutMobileNavProps, type DashboardLayoutProps, type DashboardLayoutSidebarFooterProps, type DashboardLayoutSidebarHeaderProps, type DashboardLayoutSidebarNavGroupProps, type DashboardLayoutSidebarNavItemProps, type DashboardLayoutSidebarNavProps, type DashboardLayoutSidebarProps, type DashboardLayoutSidebarSectionProps, DataTable, type DataTableBulkActionsProps, type DataTableColumnHeaderProps, type DataTableColumnVisibilityProps, type DataTableContentProps, type DataTableContextValue, type DataTableDensity, type DataTableDensityToggleProps, type DataTableEmptyStateProps, type DataTableExportFormat, type DataTableExportProps, type DataTableFilterOption, type DataTableFilterProps, type DataTableFiltersProps, type DataTableLoadingProps, type DataTableMeta, type DataTablePaginationMode, type DataTablePaginationProps, type DataTableProps, type DataTableRowActionsProps, type DataTableSearchProps, type DataTableState, type DataTableTab, type DataTableTabsProps, type DataTableToolbarProps, Dialog, DialogBody, DialogClose, DialogContent, type DialogContentProps, DialogDescription, DialogFooter, DialogHeader, DialogOverlay, DialogPortal, DialogTitle, DialogTrigger, DialogWrapper, type DialogWrapperProps, DropdownMenu, DropdownMenuCheckboxItem, DropdownMenuContent, DropdownMenuGroup, DropdownMenuItem, DropdownMenuLabel, DropdownMenuPortal, DropdownMenuRadioGroup, DropdownMenuRadioItem, DropdownMenuSeparator, DropdownMenuShortcut, DropdownMenuSub, DropdownMenuSubContent, DropdownMenuSubTrigger, DropdownMenuTrigger, EmptyState, type EmptyStateProps, Form, FormCheckbox, type FormCheckboxProps, type FormContextValue, FormDescription, type FormDescriptionProps, FormError, type FormErrorProps, type FormFieldContextValue, FormFieldProvider, FormFieldWrapper, type FormFieldWrapperProps, FormInput, type FormInputProps, FormLabel, type FormLabelProps, FormProvider, FormRadioGroup, type FormRadioGroupProps, type FormRootProps, FormSelect, type FormSelectProps, FormSwitch, type FormSwitchProps, FormTextarea, type FormTextareaProps, GlobalLoaderController, Input, type InputProps, Kanban, type KanbanBoardProps, type KanbanCardProps, type KanbanColumnConfig, type KanbanColumnProps, type KanbanContextValue, type KanbanDragResult, type KanbanEmptyProps, type KanbanItem, Loader, type LoaderProps, LoaderProvider, Logo, type LogoProps, type MaskType, MobileNav, type MobileNavFabAction, MobileNavItem, type MobileNavItemConfig, type MobileNavItemProps, type MobileNavProps, Navbar, NavbarCompanyProfile, type NavbarCompanyProfileProps, NavbarNotification, type NavbarNotificationProps, type NavbarProps, NavbarUserMenu, type NavbarUserMenuProps, type NotificationItem, type PaginatedResponse, type PaginationMeta, type PaginationParams, Popover, PopoverContent, PopoverTrigger, type RadioOption, RippleBackground, type RippleBackgroundProps, RippleEffect, type RippleEffectProps, RippleWrapper, type RippleWrapperProps, ScrollArea, ScrollBar, SectionHeader, SectionHeaderActions, type SectionHeaderActionsProps, SectionHeaderBadge, type SectionHeaderBadgeProps, SectionHeaderContent, type SectionHeaderContentProps, SectionHeaderIcon, type SectionHeaderIconProps, SectionHeaderRoot, type SectionHeaderRootProps, SectionHeaderSubtitle, type SectionHeaderSubtitleProps, SectionHeaderTitle, type SectionHeaderTitleProps, Select, SelectGroup, SelectItem, type SelectItemProps, SelectLabel, type SelectOption, type SelectProps, SelectSeparator, SelectionLayout, type SelectionLayoutCardProps, type SelectionLayoutEmptyProps, type SelectionLayoutHeaderProps, type SelectionLayoutHeadlineProps, type SelectionLayoutListProps, type SelectionLayoutLogoProps, type SelectionLayoutMainProps, type SelectionLayoutProps, type SelectionLayoutSearchProps, type SelectionLayoutSidebarProps, type SelectionLayoutStatsProps, type SelectionLayoutTabProps, type SelectionLayoutTabsProps, Separator, Sidebar, type SidebarContextValue, type SidebarFooterMenuItem, type SidebarFooterProps, type SidebarFooterUser, type SidebarHeaderProps, type SidebarNavGroupProps, type SidebarNavItemProps, type SidebarNavProps, type SidebarProps, type SidebarSectionProps, Skeleton, type SkeletonProps, Sparkline, type SparklineColor, Switch, type SwitchProps, Table, TableBody, TableCaption, TableCell, TableFooter, TableHead, TableHeader, TableRow, Tabs, TabsContent, TabsList, TabsTrigger, Textarea, type TextareaProps, ThemeProvider, ThemeToggle, type ThemeToggleProps, Toaster, type ToasterProps, type UseDataTableConfig, type UserMenuItemConfig, cn, loader, toast, useDashboardLayout, useDataTable, useDataTableColumnVisibility, useDataTableDensity, useDataTableEmpty, useDataTableInstance, useDataTableLoading, useDataTableMeta, useDataTablePagination, useDataTableSelection, useDataTableSorting, useDataTableState, useDebounce, useDebouncedCallback, useFormContext, useFormFieldContext, useKanban, useKanbanOptional, useLoader, useMediaQuery, useSidebar, useSidebarOptional, useTheme };
2291
+ export { AuthLayout, type AuthLayoutBodyProps, type AuthLayoutContentProps, type AuthLayoutDividerProps, type AuthLayoutFooterProps, type AuthLayoutHeaderProps, type AuthLayoutImageProps, type AuthLayoutLinkProps, type AuthLayoutProps, Avatar, AvatarFallback, type AvatarFallbackProps, AvatarImage, type AvatarImageProps, type AvatarProps, Badge, type BadgeProps, type BadgeVariant, type BaseFieldProps, BigNumberCard, type BigNumberCardContentProps, type BigNumberCardHeaderProps, type BigNumberCardLinkProps, type BigNumberCardRootProps, type BigNumberCardSize, type BigNumberCardSparklineProps, type BigNumberCardTitleProps, type BigNumberCardTrendProps, type BigNumberCardValueProps, Breadcrumb, BreadcrumbEllipsis, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, Button, type ButtonProps, Card, CardContent, type CardContentProps, CardDescription, type CardDescriptionProps, CardFooter, type CardFooterProps, CardHeader, type CardHeaderProps, type CardProps, CardTitle, type CardTitleProps, Checkbox, type CheckboxProps, type Company, DENSITY_CONFIG, DashboardLayout, type DashboardLayoutBreadcrumbsProps, type DashboardLayoutContentProps, type DashboardLayoutContextValue, type DashboardLayoutHeaderActionsProps, type DashboardLayoutHeaderProps, type DashboardLayoutHeaderTitleProps, type DashboardLayoutHeaderUserProps, type DashboardLayoutMobileNavItemProps, type DashboardLayoutMobileNavProps, type DashboardLayoutProps, type DashboardLayoutSidebarFooterProps, type DashboardLayoutSidebarHeaderProps, type DashboardLayoutSidebarNavGroupProps, type DashboardLayoutSidebarNavItemProps, type DashboardLayoutSidebarNavProps, type DashboardLayoutSidebarProps, type DashboardLayoutSidebarSectionProps, DataTable, type DataTableBulkActionsProps, type DataTableColumnHeaderProps, type DataTableColumnVisibilityProps, type DataTableContentProps, type DataTableContextValue, type DataTableDensity, type DataTableDensityToggleProps, type DataTableEmptyStateProps, type DataTableExportFormat, type DataTableExportProps, type DataTableFilterOption, type DataTableFilterProps, type DataTableFiltersProps, type DataTableLoadingProps, type DataTableMeta, type DataTablePaginationMode, type DataTablePaginationProps, type DataTableProps, type DataTableRowActionsProps, type DataTableSearchProps, type DataTableState, type DataTableTab, type DataTableTabsProps, type DataTableToolbarProps, Dialog, DialogBody, DialogClose, DialogContent, type DialogContentProps, DialogDescription, DialogFooter, DialogHeader, DialogOverlay, DialogPortal, DialogTitle, DialogTrigger, DialogWrapper, type DialogWrapperProps, DropdownMenu, DropdownMenuCheckboxItem, DropdownMenuContent, DropdownMenuGroup, DropdownMenuItem, DropdownMenuLabel, DropdownMenuPortal, DropdownMenuRadioGroup, DropdownMenuRadioItem, DropdownMenuSeparator, DropdownMenuShortcut, DropdownMenuSub, DropdownMenuSubContent, DropdownMenuSubTrigger, DropdownMenuTrigger, EmptyState, type EmptyStateProps, Form, FormCheckbox, type FormCheckboxProps, type FormContextValue, FormDescription, type FormDescriptionProps, FormError, type FormErrorProps, type FormFieldContextValue, FormFieldProvider, FormFieldWrapper, type FormFieldWrapperProps, FormInput, type FormInputProps, FormLabel, type FormLabelProps, FormProvider, FormRadioGroup, type FormRadioGroupProps, type FormRootProps, FormSelect, type FormSelectProps, FormSwitch, type FormSwitchProps, FormTextarea, type FormTextareaProps, GlobalLoaderController, Input, type InputProps, Kanban, type KanbanBoardProps, type KanbanCardProps, type KanbanColumnConfig, type KanbanColumnProps, type KanbanContextValue, type KanbanDragResult, type KanbanEmptyProps, type KanbanItem, Loader, type LoaderProps, LoaderProvider, Logo, type LogoProps, type MaskType, MobileNav, type MobileNavFabAction, MobileNavItem, type MobileNavItemConfig, type MobileNavItemProps, type MobileNavProps, Navbar, NavbarCompanyProfile, type NavbarCompanyProfileProps, NavbarNotification, type NavbarNotificationProps, type NavbarProps, NavbarUserMenu, type NavbarUserMenuProps, type NotificationItem, type PaginatedResponse, type PaginationMeta, type PaginationParams, Popover, PopoverContent, PopoverTrigger, type RadioOption, RippleBackground, type RippleBackgroundProps, RippleEffect, type RippleEffectProps, RippleWrapper, type RippleWrapperProps, ScrollArea, ScrollBar, SectionHeader, SectionHeaderActions, type SectionHeaderActionsProps, SectionHeaderBadge, type SectionHeaderBadgeProps, SectionHeaderContent, type SectionHeaderContentProps, SectionHeaderIcon, type SectionHeaderIconProps, SectionHeaderRoot, type SectionHeaderRootProps, SectionHeaderSubtitle, type SectionHeaderSubtitleProps, SectionHeaderTitle, type SectionHeaderTitleProps, Select, SelectGroup, SelectItem, type SelectItemProps, SelectLabel, type SelectOption, type SelectProps, SelectSeparator, SelectionLayout, type SelectionLayoutCardProps, type SelectionLayoutEmptyProps, type SelectionLayoutHeaderProps, type SelectionLayoutHeadlineProps, type SelectionLayoutListProps, type SelectionLayoutLogoProps, type SelectionLayoutMainProps, type SelectionLayoutProps, type SelectionLayoutSearchProps, type SelectionLayoutSidebarProps, type SelectionLayoutStatsProps, type SelectionLayoutTabProps, type SelectionLayoutTabsProps, Separator, Sidebar, type SidebarContextValue, type SidebarFooterMenuItem, type SidebarFooterProps, type SidebarFooterUser, type SidebarHeaderProps, type SidebarNavGroupProps, type SidebarNavItemProps, type SidebarNavProps, type SidebarProps, type SidebarSectionProps, Skeleton, type SkeletonProps, Sparkline, type SparklineColor, type StepState, Switch, type SwitchProps, Table, TableBody, TableCaption, TableCell, TableFooter, TableHead, TableHeader, TableRow, Tabs, TabsContent, TabsList, TabsTrigger, Textarea, type TextareaProps, ThemeProvider, ThemeToggle, type ThemeToggleProps, Toaster, type ToasterProps, type UseDataTableConfig, type UserMenuItemConfig, type ValidationSchema, Wizard, WizardContent, type WizardContentProps, type WizardContextValue, WizardNavigation, type WizardNavigationProps, WizardPanel, type WizardPanelProps, WizardProgress, type WizardProgressProps, type WizardProps, WizardProvider, type WizardStepConfig, WizardStepConnector, type WizardStepConnectorProps, WizardStepIndicator, type WizardStepIndicatorProps, WizardSteps, type WizardStepsProps, cn, loader, toast, useDashboardLayout, useDataTable, useDataTableColumnVisibility, useDataTableDensity, useDataTableEmpty, useDataTableInstance, useDataTableLoading, useDataTableMeta, useDataTablePagination, useDataTableSelection, useDataTableSorting, useDataTableState, useDebounce, useDebouncedCallback, useFormContext, useFormFieldContext, useKanban, useKanbanOptional, useLoader, useMediaQuery, useSidebar, useSidebarOptional, useTheme, useWizardContext, useWizardContextOptional };