@j3m-quantum/ui 1.11.2 → 2.1.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/dist/index.d.ts CHANGED
@@ -215,6 +215,94 @@ declare function FieldError({ className, children, errors, ...props }: React.Com
215
215
  } | undefined>;
216
216
  }): react_jsx_runtime.JSX.Element | null;
217
217
 
218
+ interface InsightMetric {
219
+ /** Unique key for the metric */
220
+ key: string;
221
+ /** Display label */
222
+ label: string;
223
+ /** Numeric value */
224
+ value: number;
225
+ /** Unit label (e.g., "tons", "deliveries", "%") */
226
+ unit?: string;
227
+ /** Icon type */
228
+ icon?: "factory" | "truck" | "check" | "alert" | "trending";
229
+ /** Status for coloring (optional) */
230
+ status?: "normal" | "success" | "warning" | "critical";
231
+ /** Format as percentage */
232
+ isPercentage?: boolean;
233
+ }
234
+ interface InsightBarProps {
235
+ /** Array of metrics to display */
236
+ metrics: InsightMetric[];
237
+ /** Additional class names */
238
+ className?: string;
239
+ }
240
+ /**
241
+ * InsightBar - Horizontal metrics bar above tables
242
+ *
243
+ * Displays key aggregate metrics in a lightweight horizontal layout.
244
+ * Visually consistent across Calibration, Planning, and Supplier Loading.
245
+ */
246
+ declare function InsightBar({ metrics, className }: InsightBarProps): react_jsx_runtime.JSX.Element;
247
+
248
+ interface ColumnSummaryData {
249
+ /** Column key (e.g., week key, day key) */
250
+ columnKey: string;
251
+ /** Primary metric value */
252
+ primary?: {
253
+ value: number;
254
+ unit?: string;
255
+ icon?: "factory" | "truck" | "check";
256
+ };
257
+ /** Secondary metric value */
258
+ secondary?: {
259
+ value: number;
260
+ unit?: string;
261
+ icon?: "factory" | "truck" | "check";
262
+ };
263
+ /** Tertiary metric (optional) */
264
+ tertiary?: {
265
+ value: number;
266
+ unit?: string;
267
+ };
268
+ /** Status for background coloring */
269
+ status?: "normal" | "complete" | "warning" | "critical";
270
+ /** Whether this column is clickable */
271
+ onClick?: () => void;
272
+ }
273
+ interface ColumnSummaryCellProps {
274
+ /** Summary data for this column */
275
+ data: ColumnSummaryData;
276
+ /** Width class to match column */
277
+ widthClass?: string;
278
+ /** Additional class names */
279
+ className?: string;
280
+ }
281
+ /**
282
+ * ColumnSummaryCell - Single cell in the summary strip
283
+ */
284
+ declare function ColumnSummaryCell({ data, widthClass, className }: ColumnSummaryCellProps): react_jsx_runtime.JSX.Element;
285
+ interface ColumnSummaryStripProps {
286
+ /** Array of summary data for each column */
287
+ columns: ColumnSummaryData[];
288
+ /** Width class for each column (should match table columns) */
289
+ columnWidthClass?: string;
290
+ /** Label for the row header cell (if table has row headers) */
291
+ rowHeaderLabel?: string;
292
+ /** Width class for row header (if applicable) */
293
+ rowHeaderWidthClass?: string;
294
+ /** Additional class names */
295
+ className?: string;
296
+ }
297
+ /**
298
+ * ColumnSummaryStrip - Summary row under X-axis header
299
+ *
300
+ * Displays aggregate metrics per column (week/day).
301
+ * Scrolls horizontally with the table.
302
+ * Clicking a cell opens a breakdown sheet.
303
+ */
304
+ declare function ColumnSummaryStrip({ columns, columnWidthClass, rowHeaderLabel, rowHeaderWidthClass, className }: ColumnSummaryStripProps): react_jsx_runtime.JSX.Element;
305
+
218
306
  declare const cardVariants: (props?: ({
219
307
  variant?: "default" | "glass" | null | undefined;
220
308
  } & class_variance_authority_types.ClassProp) | undefined) => string;
@@ -424,6 +512,53 @@ interface CircularProgressProps extends React$1.HTMLAttributes<HTMLDivElement> {
424
512
  */
425
513
  declare function CircularProgress({ className, value, size, strokeWidth, variant, showCheckmark, children, ...props }: CircularProgressProps): react_jsx_runtime.JSX.Element;
426
514
 
515
+ type StatusProgressVariant = "normal" | "warning" | "critical" | "complete";
516
+ interface StatusProgressProps extends React$1.HTMLAttributes<HTMLDivElement> {
517
+ /** Progress value (0-100) */
518
+ value: number;
519
+ /** Current count (e.g., 3 produced) */
520
+ currentCount?: number;
521
+ /** Total count (e.g., 8 total elements) */
522
+ totalCount?: number;
523
+ /** Unit label (e.g., "elements", "items") */
524
+ unitLabel?: string;
525
+ /** Whether to show numeric label above the bar */
526
+ showLabel?: boolean;
527
+ /** Whether to show checkmark when complete */
528
+ showCheckmark?: boolean;
529
+ /** Size variant */
530
+ size?: "sm" | "md" | "lg";
531
+ /** Color variant - auto-derived from value if not provided */
532
+ variant?: StatusProgressVariant;
533
+ }
534
+ /**
535
+ * StatusProgress - Linear progress bar matching Planning Table cell styling
536
+ *
537
+ * Provides consistent progress visualization across:
538
+ * - Planning Table cells
539
+ * - Planning Table Sheet
540
+ * - Delivery cards
541
+ *
542
+ * Features:
543
+ * - Linear progress bar with rounded pill shape
544
+ * - Status-based colors (green/amber/red)
545
+ * - Optional count label (e.g., "3 / 8 elements")
546
+ * - Checkmark state when complete
547
+ * - Size variants (sm/md/lg)
548
+ *
549
+ * @example
550
+ * ```tsx
551
+ * <StatusProgress
552
+ * value={37.5}
553
+ * currentCount={3}
554
+ * totalCount={8}
555
+ * unitLabel="elements"
556
+ * showLabel
557
+ * />
558
+ * ```
559
+ */
560
+ declare function StatusProgress({ className, value, currentCount, totalCount, unitLabel, showLabel, showCheckmark, size, variant, ...props }: StatusProgressProps): react_jsx_runtime.JSX.Element;
561
+
427
562
  declare function TooltipProvider({ delayDuration, ...props }: React$1.ComponentProps<typeof TooltipPrimitive.Provider>): react_jsx_runtime.JSX.Element;
428
563
  declare function Tooltip({ ...props }: React$1.ComponentProps<typeof TooltipPrimitive.Root>): react_jsx_runtime.JSX.Element;
429
564
  declare function TooltipTrigger({ ...props }: React$1.ComponentProps<typeof TooltipPrimitive.Trigger>): react_jsx_runtime.JSX.Element;
@@ -434,7 +569,7 @@ declare const Toaster: ({ theme: themeProp, ...props }: ToasterProps) => react_j
434
569
  declare function Spinner({ className, ...props }: LucideProps): react_jsx_runtime.JSX.Element;
435
570
 
436
571
  declare const deliveryIndicatorVariants: (props?: ({
437
- status?: "on-time" | "delayed" | "critical" | "pending" | null | undefined;
572
+ status?: "critical" | "pending" | "on-time" | "delayed" | null | undefined;
438
573
  size?: "default" | "sm" | "lg" | null | undefined;
439
574
  } & class_variance_authority_types.ClassProp) | undefined) => string;
440
575
  type DeliveryStatus = "on-time" | "delayed" | "critical" | "pending";
@@ -1364,6 +1499,35 @@ interface WeekDetailDialogProps {
1364
1499
  */
1365
1500
  declare function WeekDetailDialog({ open, onOpenChange, supplier, week, data, onProgressUpdate, onAddProductionComment, onAddDeliveryComment, }: WeekDetailDialogProps): react_jsx_runtime.JSX.Element | null;
1366
1501
 
1502
+ interface WeekDetailSheetProps {
1503
+ /** Whether the sheet is open */
1504
+ open: boolean;
1505
+ /** Callback when sheet open state changes */
1506
+ onOpenChange: (open: boolean) => void;
1507
+ /** Supplier data */
1508
+ supplier: Supplier | null;
1509
+ /** Week data */
1510
+ week: Week | null;
1511
+ /** Week cell data */
1512
+ data: WeekCellData | null;
1513
+ /** Callback when production elements are updated */
1514
+ onProductionUpdate?: (supplierId: string, weekKey: string, producedElementIds: string[]) => void;
1515
+ /** Callback when a production comment is added */
1516
+ onAddProductionComment?: (supplierId: string, weekKey: string, text: string) => void;
1517
+ /** Callback when a delivery comment is added */
1518
+ onAddDeliveryComment?: (supplierId: string, weekKey: string, deliveryId: string, text: string) => void;
1519
+ }
1520
+ /**
1521
+ * Sheet component for displaying detailed week information.
1522
+ * Uses stack navigation pattern for delivery drilldown.
1523
+ *
1524
+ * NEW: Production progress tracked by elements (not tons)
1525
+ *
1526
+ * View A: Main (Production progress + Deliveries list)
1527
+ * View B: Delivery Details (Quantum DataTable, read-only)
1528
+ */
1529
+ declare function WeekDetailSheet({ open, onOpenChange, supplier, week, data, onProductionUpdate, onAddProductionComment, onAddDeliveryComment, }: WeekDetailSheetProps): react_jsx_runtime.JSX.Element | null;
1530
+
1367
1531
  /**
1368
1532
  * Generate the supplier column definition
1369
1533
  */
@@ -1876,8 +2040,10 @@ interface LoadingDelivery {
1876
2040
  prefixScope?: string;
1877
2041
  /** Delivery status */
1878
2042
  status: LoadingDeliveryStatus;
1879
- /** Destination */
2043
+ /** Project/Destination name (e.g., "Kållered Köpstad") */
1880
2044
  destination?: string;
2045
+ /** Location/City (e.g., "Gothenburg") */
2046
+ location?: string;
1881
2047
  /** Elements to load */
1882
2048
  elements: LoadingElement[];
1883
2049
  /** Pre-loading comments */
@@ -2058,19 +2224,25 @@ interface DeliveryCardProps {
2058
2224
  className?: string;
2059
2225
  }
2060
2226
  /**
2061
- * DeliveryCard - Touch-first card for displaying a delivery.
2227
+ * DeliveryCard - Simplified touch-first card for displaying a delivery.
2062
2228
  *
2063
- * Matches Calibration table visual language:
2229
+ * Shows only:
2230
+ * - Project name as title (destination or label)
2231
+ * - Status indicator (full-card fill + text for shipped/ready)
2232
+ * - Comment indicator with notification dot
2233
+ * - Chevron for drilldown
2234
+ *
2235
+ * Matches Quantum design (calibration/planning table cells):
2064
2236
  * - Full-width (no max-width)
2065
- * - 90° corners (j3m.radius.none = rounded-none)
2066
- * - Left stroke only for status (j3m.stroke.m = border-l-2)
2237
+ * - Small radius (rounded-lg)
2238
+ * - Left stroke (3px) + full background fill for status
2067
2239
  * - 56px min-height for iPad tap targets
2068
2240
  *
2069
- * Visual States (left stroke):
2070
- * - Sent: Green stroke (subtle) + greyed content + checkmark
2071
- * - Ready: Green stroke + "Ready" badge
2072
- * - Risk: Red stroke (same as Calibration)
2073
- * - Normal: Transparent stroke (border on hover)
2241
+ * Status fills (same as calibration/planning cells):
2242
+ * - Green: Ready (complete/valid)
2243
+ * - Red: Risk (critical)
2244
+ * - Grey: Normal/Planned (pending)
2245
+ * - Muted + green accent: Shipped (distinct completed state)
2074
2246
  */
2075
2247
  declare function DeliveryCard({ delivery, onTap, className, }: DeliveryCardProps): react_jsx_runtime.JSX.Element;
2076
2248
 
@@ -2085,29 +2257,36 @@ interface DeliveryBadgeProps {
2085
2257
  className?: string;
2086
2258
  }
2087
2259
  /**
2088
- * DeliveryBadge - Touch-first card for weekly grid view
2260
+ * DeliveryBadge - Simplified touch-first card for weekly grid view
2261
+ *
2262
+ * Shows only:
2263
+ * - Project name as title (destination or label)
2264
+ * - Status indicator (full-card fill + footer for shipped/ready)
2265
+ * - Comment button with notification dot
2089
2266
  *
2090
- * Card title = prefixes carried (e.g., "TF · WP · CF")
2091
- * Factory icon + progress bar for production readiness
2092
- * Comment button in top-right corner (44px touch target)
2267
+ * Matches Quantum design (calibration/planning table cells):
2268
+ * - Full-width in cell
2269
+ * - Small radius (rounded-lg)
2270
+ * - Left stroke (3px) + full background fill for status
2271
+ * - min-h-[72px] for compact sizing
2093
2272
  *
2094
- * Spacing using Quantum tokens:
2095
- * - Card min-height: min-h-[100px]
2096
- * - Padding: p-4 (j3m.spacing.m = 16px)
2097
- * - Row gap: gap-3 (j3m.spacing.s = 12px) - breathing room between title and progress
2098
- * - Intra-row gap: gap-2 (j3m.spacing.xs = 8px) - tighter within rows
2273
+ * Status fills (same as calibration/planning cells):
2274
+ * - Green: Ready (complete/valid)
2275
+ * - Red: Risk (critical)
2276
+ * - Grey: Normal/Planned (pending)
2277
+ * - Muted + green accent: Shipped (distinct completed state)
2099
2278
  */
2100
2279
  declare function DeliveryBadge({ delivery, onClick, onCommentClick, className, }: DeliveryBadgeProps): react_jsx_runtime.JSX.Element;
2101
2280
 
2102
2281
  /**
2103
2282
  * DeliveryDetailPage - Touch-first detail page for a delivery
2104
2283
  *
2105
- * Shows:
2106
- * - Delivery summary with visual state (sent/ready/normal)
2107
- * - Production progress with risk indicators
2108
- * - Elements table (view-only)
2109
- * - Pre-loading notes (Dialog for adding - no "Applies to" selector)
2110
- * - Actions (Confirm load)
2284
+ * Layout (top → bottom):
2285
+ * A) Timeline section - Document Production Delivery
2286
+ * B) Readiness message - Explains why ready (or not)
2287
+ * C) Elements list - What should be packed
2288
+ * D) Notes / comments - Pre-loading notes
2289
+ * E) Primary CTA - Start loading button
2111
2290
  */
2112
2291
  declare function DeliveryDetailPage({ delivery, week, suppliers, userRole, currentSupplierId, onBack, onAddComment, onConfirmLoad, }: DeliveryDetailPageProps): react_jsx_runtime.JSX.Element;
2113
2292
 
@@ -2130,11 +2309,14 @@ interface WeeklyLoadingViewProps {
2130
2309
  /**
2131
2310
  * WeeklyLoadingView - Clean weekly view with day columns
2132
2311
  *
2133
- * Layout using Quantum spacing tokens:
2312
+ * Layout:
2313
+ * - Pending/actionable deliveries shown first (default visible)
2314
+ * - Shipped deliveries collapsed by default under "Shipped (N)" toggle
2315
+ * - Per-day collapse state persists during session
2316
+ *
2317
+ * Spacing tokens:
2134
2318
  * - Columns = Mon-Fri (no vertical dividers)
2135
- * - Clean day headers (no comment controls)
2136
- * - Each column contains stacked delivery cards with gap-3 (j3m.spacing.s = 12px)
2137
- * - Content-sized grid
2319
+ * - Cards stack with gap-3 (j3m.spacing.s = 12px)
2138
2320
  */
2139
2321
  declare function WeeklyLoadingView({ week, deliveries, onDeliveryClick, onWeekChange, onDeliveryCommentClick, showNavigation, className, }: WeeklyLoadingViewProps): react_jsx_runtime.JSX.Element;
2140
2322
 
@@ -2951,4 +3133,4 @@ type KanbanProviderProps<T extends KanbanItemProps = KanbanItemProps, C extends
2951
3133
  };
2952
3134
  declare const KanbanProvider: <T extends KanbanItemProps = KanbanItemProps, C extends KanbanColumnProps = KanbanColumnProps>({ children, onDragStart, onDragEnd, onDragOver, className, columns, data, onDataChange, ...props }: KanbanProviderProps<T, C>) => react_jsx_runtime.JSX.Element;
2953
3135
 
2954
- export { Accordion, AccordionContent, AccordionItem, AccordionTrigger, AgendaView, type AgendaViewProps, Alert, AlertDescription, AlertDialog, AlertDialogAction, AlertDialogCancel, AlertDialogContent, AlertDialogDescription, AlertDialogFooter, AlertDialogHeader, AlertDialogOverlay, AlertDialogPortal, AlertDialogTitle, AlertDialogTrigger, AlertTitle, AspectRatio, Avatar, AvatarFallback, AvatarImage, BADGE_VARIANT_LABELS, Badge, BigCalendar, type BigCalendarProps, Breadcrumb, BreadcrumbEllipsis, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, Button, ButtonGroup, ButtonGroupSeparator, ButtonGroupText, type ButtonProps, Calendar, CalendarContext, CalendarDayButton, CalendarHeader, CalendarHeaderCompact, type CalendarHeaderCompactProps, type CalendarHeaderProps, CalendarSettingsButton, type CalendarSettingsButtonProps, CalendarSettingsContent, type CalendarSettingsContentProps, CalendarSettingsDialog, type CalendarSettingsDialogProps, type CalibrationCellData, type CalibrationComment, type CalibrationMode, type CalibrationOverviewProps, type CalibrationPrefix, type CalibrationStatus, type CalibrationSupplier, CalibrationTable, type CalibrationTableConfig, type CalibrationTableProps, type CalibrationUnit, CalibrationWeekCell, type CalibrationWeekCellProps, CalibrationWeekHeader, type CalibrationWeekHeaderProps, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, Carousel, type CarouselApi, CarouselContent, CarouselItem, CarouselNext, CarouselPrevious, ChangeBadgeVariantInput, ChangeVisibleHoursInput, ChangeWorkingHoursInput, type ChartConfig, ChartContainer, ChartLegend, ChartLegendContent, ChartStyle, ChartTooltip, ChartTooltipContent, Checkbox, type CheckpointBadgeType, CircularProgress, type CircularProgressProps, Collapsible, CollapsibleContent, CollapsibleTrigger, Command, CommandDialog, CommandEmpty, CommandGroup, CommandInput, CommandItem, CommandList, CommandSeparator, CommandShortcut, CommentButton, type CommentButtonProps, type CommentContext, CommentDialog, type CommentDialogProps, type CommentLocationOption, CommentPopover, type CommentPopoverProps, ContextMenu, ContextMenuCheckboxItem, ContextMenuContent, ContextMenuGroup, ContextMenuItem, ContextMenuLabel, ContextMenuPortal, ContextMenuRadioGroup, ContextMenuRadioItem, ContextMenuSeparator, ContextMenuShortcut, ContextMenuSub, ContextMenuSubContent, ContextMenuSubTrigger, ContextMenuTrigger, DEFAULT_VISIBLE_HOURS, DEFAULT_WORKING_HOURS, DataTableColumnHeader, type DataTableColumnHeaderProps, DataTablePagination, type DataTablePaginationProps, DataTableViewOptions, type DataTableViewOptionsProps, DateBadge, type DateBadgeProps, DayView, type DayViewProps, type Delivery, DeliveryBadge, type DeliveryBadgeProps, DeliveryCard, type DeliveryCardProps, DeliveryDetailPage, type DeliveryDetailPageProps, type DeliveryElement, DeliveryIndicator, type DeliveryIndicatorProps, DeliveryIndicators, type DeliveryIndicatorsProps, type DeliveryStatus, type DeliveryVisualState, Dialog, DialogClose, DialogContent, DialogDescription, DialogFooter, DialogHeader, DialogOverlay, DialogPortal, DialogTitle, DialogTrigger, DragContext, DragProvider, type DragProviderProps, DraggableEvent, type DraggableEventProps, Drawer, DrawerClose, DrawerContent, DrawerDescription, DrawerFooter, DrawerHeader, DrawerOverlay, DrawerPortal, DrawerTitle, DrawerTrigger, DropdownMenu, DropdownMenuCheckboxItem, DropdownMenuContent, DropdownMenuGroup, DropdownMenuItem, DropdownMenuLabel, DropdownMenuPortal, DropdownMenuRadioGroup, DropdownMenuRadioItem, DropdownMenuSeparator, DropdownMenuShortcut, DropdownMenuSub, DropdownMenuSubContent, DropdownMenuSubTrigger, DropdownMenuTrigger, DroppableZone, type DroppableZoneProps, EVENT_COLORS, type ElementShipmentStatus, Empty, EmptyContent, EmptyDescription, EmptyHeader, EmptyMedia, EmptyTitle, EventBadge, type EventBadgeProps, EventCalendarProvider, type EventCalendarProviderProps, EventDialog, type EventDialogProps, Field, FieldContent, FieldDescription, FieldError, FieldGroup, FieldLabel, FieldLegend, FieldSeparator, FieldSet, FieldTitle, Form, FormControl, FormDescription, FormField, FormItem, FormLabel, FormMessage, GanttAddFeatureHelper, type GanttAddFeatureHelperProps, type GanttCollapsibleGroupProps, GanttCollapsibleSidebarGroup, GanttCollapsibleTimelineGroup, type GanttCollapsibleTimelineGroupProps, GanttColumn, type GanttColumnProps, GanttColumns, type GanttColumnsProps, GanttContentHeader, type GanttContentHeaderProps, type GanttContextProps, GanttCreateMarkerTrigger, type GanttCreateMarkerTriggerProps, type GanttFeature, type GanttFeatureContextMenuAction, GanttFeatureDragHelper, type GanttFeatureDragHelperProps, GanttFeatureItem, GanttFeatureItemCard, type GanttFeatureItemCardProps, type GanttFeatureItemProps, GanttFeatureList, GanttFeatureListGroup, type GanttFeatureListGroupProps, type GanttFeatureListProps, GanttFeatureRow, type GanttFeatureRowProps, GanttGridLines, type GanttGridLinesProps, type GanttGroup, GanttGroupSummaryBar, type GanttGroupSummaryBarProps, GanttHeader, type GanttHeaderProps, GanttMarker, type GanttMarkerProps, GanttProvider, type GanttProviderProps, GanttSidebar, GanttSidebarGroup, type GanttSidebarGroupProps, GanttSidebarHeader, type GanttSidebarHeaderProps, GanttSidebarItem, type GanttSidebarItemProps, type GanttSidebarProps, type GanttStatus, GanttTimeline, type GanttTimelineProps, GanttToday, type GanttTodayProps, HoverCard, HoverCardContent, HoverCardTrigger, type ICalendarActions, type ICalendarCell, type ICalendarConfig, type ICalendarContext, type ICalendarHeaderProps, type ICalendarState, type IDayCellProps, type IDragContext, type IEvent, type IEventBadgeProps, type IEventDialogProps, type IEventPosition, type ITimeSlotProps, type IUser, type IViewProps, type IWorkingHours, Input, InputGroup, InputGroupAddon, InputGroupButton, InputGroupInput, InputGroupText, InputGroupTextarea, Item, ItemActions, ItemContent, ItemDescription, ItemFooter, ItemGroup, ItemHeader, ItemMedia, ItemSeparator, ItemTitle, KanbanBoard, type KanbanBoardProps, KanbanCard, type KanbanCardProps, KanbanCards, type KanbanCardsProps, KanbanHeader, type KanbanHeaderProps, KanbanProvider, type KanbanProviderProps, Kbd, KbdGroup, Label, type LoadingComment, type LoadingDelivery, type LoadingDeliveryStatus, type LoadingElement, type LoadingElementStatus, type LoadingPrefix, type LoadingSupplier, type LoadingUserRole, type LoadingWeek, Map$1 as Map, MapMarker, type MapMarkerProps, MapPopup, type MapPopupProps, type MapProps, MapTileLayer, type MapTileLayerProps, MapTooltip, type MapTooltipProps, MapZoomControl, type MapZoomControlProps, Menubar, MenubarCheckboxItem, MenubarContent, MenubarGroup, MenubarItem, MenubarLabel, MenubarMenu, MenubarPortal, MenubarRadioGroup, MenubarRadioItem, MenubarSeparator, MenubarShortcut, MenubarSub, MenubarSubContent, MenubarSubTrigger, MenubarTrigger, MonthView, type MonthViewProps, MoreEvents, type MoreEventsProps, NativeSelect, NativeSelectOptGroup, NativeSelectOption, type NavItem, NavMain, type NavProject, NavProjects, NavSecondary, NavUser, NavigationMenu, NavigationMenuContent, NavigationMenuIndicator, NavigationMenuItem, NavigationMenuLink, NavigationMenuList, NavigationMenuTrigger, NavigationMenuViewport, NetBadge, type NetBadgeProps, Pagination, PaginationContent, PaginationEllipsis, PaginationItem, PaginationLink, PaginationNext, PaginationPrevious, type PlanningComment, type PlanningCommentLocation, type PlanningCommentLocationType, PlanningTable, type PlanningTableConfig, type PlanningTableProps, PlanningTableToolbar, type PlanningTableToolbarProps, type PlanningUserRole, PlanningWeekCommentPopover, type PlanningWeekCommentPopoverProps, PlayerCanvas, PlayerCanvasActionButton, PlayerCanvasControls, PlayerCanvasDivider, PlayerCanvasInfo, PlayerCanvasLabel, PlayerCanvasPlayButton, PlayerCanvasProgress, PlayerCanvasSkipButton, PlayerCanvasTitle, Popover, PopoverAnchor, PopoverContent, PopoverTrigger, type PrefixOption, type ProductionData, type ProductionUnit, Progress, QuickAddEvent, type QuickAddEventProps, RadioGroup, RadioGroupItem, type Range, ResizableHandle, ResizablePanel, ResizablePanelGroup, RowHeaderCell, type RowHeaderCellProps, ScrollArea, ScrollBar, SearchForm, SearchTrigger, type SearchTriggerProps, Section, SectionContent, SectionDescription, SectionFooter, SectionHeader, type SectionProps, SectionTitle, Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectScrollDownButton, SelectScrollUpButton, SelectSeparator, SelectTrigger, SelectValue, Separator, Sheet, SheetBody, SheetClose, SheetContent, SheetDescription, SheetFooter, SheetHeader, SheetTitle, SheetTrigger, Sidebar, SidebarContent, SidebarFooter, SidebarGroup, SidebarGroupAction, SidebarGroupContent, SidebarGroupLabel, SidebarHeader, SidebarInput, SidebarInset, SidebarMenu, SidebarMenuAction, SidebarMenuBadge, SidebarMenuButton, SidebarMenuItem, SidebarMenuSkeleton, SidebarMenuSub, SidebarMenuSubButton, SidebarMenuSubItem, SidebarProvider, SidebarRail, SidebarSeparator, SidebarTrigger, SiteHeader, Skeleton, Slider, Spinner, type SubmissionStatus, SubmitCalibrationBar, type SubmitCalibrationBarProps, type Supplier, type SupplierBadgeType, SupplierCell, type SupplierCellProps, SupplierWeeklyLoading, type SupplierWeeklyLoadingProps, Switch, type TBadgeVariant, type TCalendarView, type TEventColor, type TVisibleHours, type TWorkingHours, Table, TableBody, TableCaption, TableCell, TableFooter, TableHead, TableHeader, TableRow, Tabs, TabsContent, TabsList, TabsTrigger, Textarea, ThemeSwitch, type ThemeSwitchProps, TimeIndicator, type TimeIndicatorProps, type TimelineData, Toaster, Toggle, ToggleGroup, ToggleGroupItem, ToolBarCanvas, ToolBarCanvasButton, ToolBarCanvasDivider, ToolBarCanvasGroup, Tooltip, TooltipContent, TooltipProvider, TooltipTrigger, type UseDroppableOptions, type UserAvatarItem, UserAvatarsDropdown, type UserAvatarsDropdownProps, VIEW_LABELS, type Week, WeekCell, type WeekCellData, type WeekCellProps, WeekDetailDialog, type WeekDetailDialogProps, WeekHeader, type WeekHeaderProps, WeekView, type WeekViewProps, WeeklyLoadingView, type WeeklyLoadingViewProps, YearView, type YearViewProps, badgeVariants, buttonGroupVariants, buttonVariants, calculateCalibrationCells, calculateDropDates, calculateMonthEventPositions, canSubmitCalibration, cardVariants, createDefaultEvent, deliveryIndicatorVariants, extractPrefixes, formatCalibrationUnit, formatDateRange, formatProductionUnit, formatTime, generateColumns, generateEventId, generateLoadingWeek, generateLocationOptions, generateWeekColumns, generateWeeks, getCalendarCells, getCommentLocationLabel, getCurrentEvents, getDayHours, getDayLabel, getDeliveryVisualState, getElementShipmentStatus, getEventBlockStyle, getEventDuration, getEventDurationMinutes, getEventsCount, getEventsForDate, getEventsInRange, getHeaderLabel, getISOWeek, getLoadingDeliveryStatusLabel, getLoadingElementStatusLabel, getLoadingISOWeek, getLoadingWeekKey, getMonthCellEvents, getMonthDays, getShipmentStatusLabel, getShortDayLabel, getSupplierColumn, getTimeHeight, getTimePosition, getViewDateRange, getVisibleHours, getWeekDayNames, getWeekDays, getWeekKey, getYearMonths, groupDeliveriesByDay, groupDeliveriesByPrefixAndDay, groupEvents, isMultiDayEvent, isWorkingHour, navigateDate, navigationMenuTriggerStyle, playerCanvasPlayButtonVariants, playerCanvasSkipButtonVariants, rangeText, sectionVariants, snapToInterval, sortEvents, splitEventsByDuration, toggleVariants, toolBarCanvasButtonVariants, useDrag, useDraggable, useDroppable, useEventCalendar, useEventsInRange, useFilteredEvents, useFormField, useGanttDragging, useGanttScrollX, useIsMobile, useSearchShortcut, useSidebar };
3136
+ export { Accordion, AccordionContent, AccordionItem, AccordionTrigger, AgendaView, type AgendaViewProps, Alert, AlertDescription, AlertDialog, AlertDialogAction, AlertDialogCancel, AlertDialogContent, AlertDialogDescription, AlertDialogFooter, AlertDialogHeader, AlertDialogOverlay, AlertDialogPortal, AlertDialogTitle, AlertDialogTrigger, AlertTitle, AspectRatio, Avatar, AvatarFallback, AvatarImage, BADGE_VARIANT_LABELS, Badge, BigCalendar, type BigCalendarProps, Breadcrumb, BreadcrumbEllipsis, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, Button, ButtonGroup, ButtonGroupSeparator, ButtonGroupText, type ButtonProps, Calendar, CalendarContext, CalendarDayButton, CalendarHeader, CalendarHeaderCompact, type CalendarHeaderCompactProps, type CalendarHeaderProps, CalendarSettingsButton, type CalendarSettingsButtonProps, CalendarSettingsContent, type CalendarSettingsContentProps, CalendarSettingsDialog, type CalendarSettingsDialogProps, type CalibrationCellData, type CalibrationComment, type CalibrationMode, type CalibrationOverviewProps, type CalibrationPrefix, type CalibrationStatus, type CalibrationSupplier, CalibrationTable, type CalibrationTableConfig, type CalibrationTableProps, type CalibrationUnit, CalibrationWeekCell, type CalibrationWeekCellProps, CalibrationWeekHeader, type CalibrationWeekHeaderProps, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, Carousel, type CarouselApi, CarouselContent, CarouselItem, CarouselNext, CarouselPrevious, ChangeBadgeVariantInput, ChangeVisibleHoursInput, ChangeWorkingHoursInput, type ChartConfig, ChartContainer, ChartLegend, ChartLegendContent, ChartStyle, ChartTooltip, ChartTooltipContent, Checkbox, type CheckpointBadgeType, CircularProgress, type CircularProgressProps, Collapsible, CollapsibleContent, CollapsibleTrigger, ColumnSummaryCell, type ColumnSummaryCellProps, type ColumnSummaryData, ColumnSummaryStrip, type ColumnSummaryStripProps, Command, CommandDialog, CommandEmpty, CommandGroup, CommandInput, CommandItem, CommandList, CommandSeparator, CommandShortcut, CommentButton, type CommentButtonProps, type CommentContext, CommentDialog, type CommentDialogProps, type CommentLocationOption, CommentPopover, type CommentPopoverProps, ContextMenu, ContextMenuCheckboxItem, ContextMenuContent, ContextMenuGroup, ContextMenuItem, ContextMenuLabel, ContextMenuPortal, ContextMenuRadioGroup, ContextMenuRadioItem, ContextMenuSeparator, ContextMenuShortcut, ContextMenuSub, ContextMenuSubContent, ContextMenuSubTrigger, ContextMenuTrigger, DEFAULT_VISIBLE_HOURS, DEFAULT_WORKING_HOURS, DataTableColumnHeader, type DataTableColumnHeaderProps, DataTablePagination, type DataTablePaginationProps, DataTableViewOptions, type DataTableViewOptionsProps, DateBadge, type DateBadgeProps, DayView, type DayViewProps, type Delivery, DeliveryBadge, type DeliveryBadgeProps, DeliveryCard, type DeliveryCardProps, DeliveryDetailPage, type DeliveryDetailPageProps, type DeliveryElement, DeliveryIndicator, type DeliveryIndicatorProps, DeliveryIndicators, type DeliveryIndicatorsProps, type DeliveryStatus, type DeliveryVisualState, Dialog, DialogClose, DialogContent, DialogDescription, DialogFooter, DialogHeader, DialogOverlay, DialogPortal, DialogTitle, DialogTrigger, DragContext, DragProvider, type DragProviderProps, DraggableEvent, type DraggableEventProps, Drawer, DrawerClose, DrawerContent, DrawerDescription, DrawerFooter, DrawerHeader, DrawerOverlay, DrawerPortal, DrawerTitle, DrawerTrigger, DropdownMenu, DropdownMenuCheckboxItem, DropdownMenuContent, DropdownMenuGroup, DropdownMenuItem, DropdownMenuLabel, DropdownMenuPortal, DropdownMenuRadioGroup, DropdownMenuRadioItem, DropdownMenuSeparator, DropdownMenuShortcut, DropdownMenuSub, DropdownMenuSubContent, DropdownMenuSubTrigger, DropdownMenuTrigger, DroppableZone, type DroppableZoneProps, EVENT_COLORS, type ElementShipmentStatus, Empty, EmptyContent, EmptyDescription, EmptyHeader, EmptyMedia, EmptyTitle, EventBadge, type EventBadgeProps, EventCalendarProvider, type EventCalendarProviderProps, EventDialog, type EventDialogProps, Field, FieldContent, FieldDescription, FieldError, FieldGroup, FieldLabel, FieldLegend, FieldSeparator, FieldSet, FieldTitle, Form, FormControl, FormDescription, FormField, FormItem, FormLabel, FormMessage, GanttAddFeatureHelper, type GanttAddFeatureHelperProps, type GanttCollapsibleGroupProps, GanttCollapsibleSidebarGroup, GanttCollapsibleTimelineGroup, type GanttCollapsibleTimelineGroupProps, GanttColumn, type GanttColumnProps, GanttColumns, type GanttColumnsProps, GanttContentHeader, type GanttContentHeaderProps, type GanttContextProps, GanttCreateMarkerTrigger, type GanttCreateMarkerTriggerProps, type GanttFeature, type GanttFeatureContextMenuAction, GanttFeatureDragHelper, type GanttFeatureDragHelperProps, GanttFeatureItem, GanttFeatureItemCard, type GanttFeatureItemCardProps, type GanttFeatureItemProps, GanttFeatureList, GanttFeatureListGroup, type GanttFeatureListGroupProps, type GanttFeatureListProps, GanttFeatureRow, type GanttFeatureRowProps, GanttGridLines, type GanttGridLinesProps, type GanttGroup, GanttGroupSummaryBar, type GanttGroupSummaryBarProps, GanttHeader, type GanttHeaderProps, GanttMarker, type GanttMarkerProps, GanttProvider, type GanttProviderProps, GanttSidebar, GanttSidebarGroup, type GanttSidebarGroupProps, GanttSidebarHeader, type GanttSidebarHeaderProps, GanttSidebarItem, type GanttSidebarItemProps, type GanttSidebarProps, type GanttStatus, GanttTimeline, type GanttTimelineProps, GanttToday, type GanttTodayProps, HoverCard, HoverCardContent, HoverCardTrigger, type ICalendarActions, type ICalendarCell, type ICalendarConfig, type ICalendarContext, type ICalendarHeaderProps, type ICalendarState, type IDayCellProps, type IDragContext, type IEvent, type IEventBadgeProps, type IEventDialogProps, type IEventPosition, type ITimeSlotProps, type IUser, type IViewProps, type IWorkingHours, Input, InputGroup, InputGroupAddon, InputGroupButton, InputGroupInput, InputGroupText, InputGroupTextarea, InsightBar, type InsightBarProps, type InsightMetric, Item, ItemActions, ItemContent, ItemDescription, ItemFooter, ItemGroup, ItemHeader, ItemMedia, ItemSeparator, ItemTitle, KanbanBoard, type KanbanBoardProps, KanbanCard, type KanbanCardProps, KanbanCards, type KanbanCardsProps, KanbanHeader, type KanbanHeaderProps, KanbanProvider, type KanbanProviderProps, Kbd, KbdGroup, Label, type LoadingComment, type LoadingDelivery, type LoadingDeliveryStatus, type LoadingElement, type LoadingElementStatus, type LoadingPrefix, type LoadingSupplier, type LoadingUserRole, type LoadingWeek, Map$1 as Map, MapMarker, type MapMarkerProps, MapPopup, type MapPopupProps, type MapProps, MapTileLayer, type MapTileLayerProps, MapTooltip, type MapTooltipProps, MapZoomControl, type MapZoomControlProps, Menubar, MenubarCheckboxItem, MenubarContent, MenubarGroup, MenubarItem, MenubarLabel, MenubarMenu, MenubarPortal, MenubarRadioGroup, MenubarRadioItem, MenubarSeparator, MenubarShortcut, MenubarSub, MenubarSubContent, MenubarSubTrigger, MenubarTrigger, MonthView, type MonthViewProps, MoreEvents, type MoreEventsProps, NativeSelect, NativeSelectOptGroup, NativeSelectOption, type NavItem, NavMain, type NavProject, NavProjects, NavSecondary, NavUser, NavigationMenu, NavigationMenuContent, NavigationMenuIndicator, NavigationMenuItem, NavigationMenuLink, NavigationMenuList, NavigationMenuTrigger, NavigationMenuViewport, NetBadge, type NetBadgeProps, Pagination, PaginationContent, PaginationEllipsis, PaginationItem, PaginationLink, PaginationNext, PaginationPrevious, type PlanningComment, type PlanningCommentLocation, type PlanningCommentLocationType, PlanningTable, type PlanningTableConfig, type PlanningTableProps, PlanningTableToolbar, type PlanningTableToolbarProps, type PlanningUserRole, PlanningWeekCommentPopover, type PlanningWeekCommentPopoverProps, PlayerCanvas, PlayerCanvasActionButton, PlayerCanvasControls, PlayerCanvasDivider, PlayerCanvasInfo, PlayerCanvasLabel, PlayerCanvasPlayButton, PlayerCanvasProgress, PlayerCanvasSkipButton, PlayerCanvasTitle, Popover, PopoverAnchor, PopoverContent, PopoverTrigger, type PrefixOption, type ProductionData, type ProductionUnit, Progress, QuickAddEvent, type QuickAddEventProps, RadioGroup, RadioGroupItem, type Range, ResizableHandle, ResizablePanel, ResizablePanelGroup, RowHeaderCell, type RowHeaderCellProps, ScrollArea, ScrollBar, SearchForm, SearchTrigger, type SearchTriggerProps, Section, SectionContent, SectionDescription, SectionFooter, SectionHeader, type SectionProps, SectionTitle, Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectScrollDownButton, SelectScrollUpButton, SelectSeparator, SelectTrigger, SelectValue, Separator, Sheet, SheetBody, SheetClose, SheetContent, SheetDescription, SheetFooter, SheetHeader, SheetTitle, SheetTrigger, Sidebar, SidebarContent, SidebarFooter, SidebarGroup, SidebarGroupAction, SidebarGroupContent, SidebarGroupLabel, SidebarHeader, SidebarInput, SidebarInset, SidebarMenu, SidebarMenuAction, SidebarMenuBadge, SidebarMenuButton, SidebarMenuItem, SidebarMenuSkeleton, SidebarMenuSub, SidebarMenuSubButton, SidebarMenuSubItem, SidebarProvider, SidebarRail, SidebarSeparator, SidebarTrigger, SiteHeader, Skeleton, Slider, Spinner, StatusProgress, type StatusProgressProps, type StatusProgressVariant, type SubmissionStatus, SubmitCalibrationBar, type SubmitCalibrationBarProps, type Supplier, type SupplierBadgeType, SupplierCell, type SupplierCellProps, SupplierWeeklyLoading, type SupplierWeeklyLoadingProps, Switch, type TBadgeVariant, type TCalendarView, type TEventColor, type TVisibleHours, type TWorkingHours, Table, TableBody, TableCaption, TableCell, TableFooter, TableHead, TableHeader, TableRow, Tabs, TabsContent, TabsList, TabsTrigger, Textarea, ThemeSwitch, type ThemeSwitchProps, TimeIndicator, type TimeIndicatorProps, type TimelineData, Toaster, Toggle, ToggleGroup, ToggleGroupItem, ToolBarCanvas, ToolBarCanvasButton, ToolBarCanvasDivider, ToolBarCanvasGroup, Tooltip, TooltipContent, TooltipProvider, TooltipTrigger, type UseDroppableOptions, type UserAvatarItem, UserAvatarsDropdown, type UserAvatarsDropdownProps, VIEW_LABELS, type Week, WeekCell, type WeekCellData, type WeekCellProps, WeekDetailDialog, type WeekDetailDialogProps, WeekDetailSheet, type WeekDetailSheetProps, WeekHeader, type WeekHeaderProps, WeekView, type WeekViewProps, WeeklyLoadingView, type WeeklyLoadingViewProps, YearView, type YearViewProps, badgeVariants, buttonGroupVariants, buttonVariants, calculateCalibrationCells, calculateDropDates, calculateMonthEventPositions, canSubmitCalibration, cardVariants, createDefaultEvent, deliveryIndicatorVariants, extractPrefixes, formatCalibrationUnit, formatDateRange, formatProductionUnit, formatTime, generateColumns, generateEventId, generateLoadingWeek, generateLocationOptions, generateWeekColumns, generateWeeks, getCalendarCells, getCommentLocationLabel, getCurrentEvents, getDayHours, getDayLabel, getDeliveryVisualState, getElementShipmentStatus, getEventBlockStyle, getEventDuration, getEventDurationMinutes, getEventsCount, getEventsForDate, getEventsInRange, getHeaderLabel, getISOWeek, getLoadingDeliveryStatusLabel, getLoadingElementStatusLabel, getLoadingISOWeek, getLoadingWeekKey, getMonthCellEvents, getMonthDays, getShipmentStatusLabel, getShortDayLabel, getSupplierColumn, getTimeHeight, getTimePosition, getViewDateRange, getVisibleHours, getWeekDayNames, getWeekDays, getWeekKey, getYearMonths, groupDeliveriesByDay, groupDeliveriesByPrefixAndDay, groupEvents, isMultiDayEvent, isWorkingHour, navigateDate, navigationMenuTriggerStyle, playerCanvasPlayButtonVariants, playerCanvasSkipButtonVariants, rangeText, sectionVariants, snapToInterval, sortEvents, splitEventsByDuration, toggleVariants, toolBarCanvasButtonVariants, useDrag, useDraggable, useDroppable, useEventCalendar, useEventsInRange, useFilteredEvents, useFormField, useGanttDragging, useGanttScrollX, useIsMobile, useSearchShortcut, useSidebar };