@libxai/board 1.4.26 → 1.5.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.cts CHANGED
@@ -1,9 +1,9 @@
1
1
  import * as _libxai_core from '@libxai/core';
2
2
  import { Dependency, BaseViewAdapter, ViewBoardData, ExportFormat as ExportFormat$1, ViewOptions, BoardData, ColumnData, CardData, BoardState, BoardStore, Board as Board$1, Column as Column$2, Card as Card$2, Priority as Priority$1, CardStatus as CardStatus$1, DragState, SelectionState } from '@libxai/core';
3
3
  export { AutoScheduleOptions, BaseEntity, Baseline, BaselineCardSnapshot, BoardData, Board as BoardModel, BoardState, BoardStore, CardData, Card as CardModel, ColumnData, Column as ColumnModel, CriticalPath, Dependency, DependencyEngine, DependencyType, DependencyValidation, GanttConfig, GanttState, Milestone, ResourceAllocation, ResourceUtilization, ScheduledTask, Store, StoreEvent, TaskConstraint, TaskConstraintType, UserData } from '@libxai/core';
4
- import * as react_jsx_runtime from 'react/jsx-runtime';
5
4
  import * as React$1 from 'react';
6
- import React__default, { Component, ReactNode, ErrorInfo } from 'react';
5
+ import React__default, { ReactNode, Component, ErrorInfo } from 'react';
6
+ import * as react_jsx_runtime from 'react/jsx-runtime';
7
7
  import { ClassValue } from 'clsx';
8
8
  import * as _tanstack_virtual_core from '@tanstack/virtual-core';
9
9
 
@@ -45,6 +45,24 @@ interface Task {
45
45
  parentId?: string;
46
46
  level?: number;
47
47
  position?: number;
48
+ wbsCode?: string;
49
+ taskCode?: string;
50
+ scheduleVariance?: number;
51
+ blockers?: Array<{
52
+ type: string;
53
+ id: string;
54
+ severity: 'critical' | 'warning' | 'info';
55
+ }>;
56
+ teamLoad?: {
57
+ percentage: number;
58
+ label: string;
59
+ };
60
+ effortMinutes?: number;
61
+ timeLoggedMinutes?: number;
62
+ soldEffortMinutes?: number;
63
+ baselineStartDate?: Date;
64
+ baselineEndDate?: Date;
65
+ baselineProgress?: number;
48
66
  }
49
67
  type TimeScale = 'day' | 'week' | 'month';
50
68
  type Theme$1 = 'dark' | 'light' | 'neutral';
@@ -96,6 +114,12 @@ interface GanttTheme {
96
114
  statusCompleted: string;
97
115
  hoverBg: string;
98
116
  focusRing: string;
117
+ dotGrid?: string;
118
+ glassHeader?: string;
119
+ glassToolbar?: string;
120
+ forecastHud?: string;
121
+ neonRedGlow?: string;
122
+ executionBarBg?: string;
99
123
  }
100
124
  /**
101
125
  * Templates for customizing Gantt rendering
@@ -191,6 +215,8 @@ interface GanttPermissions {
191
215
  canExport?: boolean;
192
216
  canToggleExpansion?: boolean;
193
217
  canPerformAction?: (task: Task, action: 'create' | 'update' | 'delete' | 'assign' | 'progress') => boolean;
218
+ /** v4.1.0: Per-task edit check — when provided, each task bar uses this to determine read-only state */
219
+ canEditTask?: (task: Task) => boolean;
194
220
  }
195
221
  /**
196
222
  * Scroll behavior configuration for timeline interactions
@@ -319,12 +345,25 @@ interface AICommandResult {
319
345
  success: boolean;
320
346
  error?: string;
321
347
  }
348
+ /**
349
+ * v3.1.0: Project forecast metrics for the Forecast HUD panel
350
+ * Computed by the consumer app and passed through GanttConfig
351
+ */
352
+ interface ProjectForecast {
353
+ expectedFinish?: Date | null;
354
+ delayDays?: number | null;
355
+ confidencePercent?: number | null;
356
+ costAtCompletion?: number | null;
357
+ budgetVariancePercent?: number | null;
358
+ currency?: string;
359
+ }
322
360
  interface GanttConfig {
323
361
  theme?: Theme$1;
324
362
  timeScale?: TimeScale;
325
363
  rowDensity?: RowDensity;
326
364
  showThemeSelector?: boolean;
327
365
  showExportButton?: boolean;
366
+ projectName?: string;
328
367
  availableUsers?: Array<{
329
368
  id: string;
330
369
  name: string;
@@ -350,6 +389,8 @@ interface GanttConfig {
350
389
  onCreateTask?: () => void;
351
390
  taskFilter?: TaskFilterType;
352
391
  onTaskFilterChange?: (filter: TaskFilterType) => void;
392
+ /** Render custom content on the right side of toolbar (e.g. lens toggle) */
393
+ toolbarRightContent?: ReactNode;
353
394
  templates?: GanttTemplates;
354
395
  permissions?: GanttPermissions;
355
396
  disableScrollSync?: boolean;
@@ -411,7 +452,56 @@ interface GanttConfig {
411
452
  * @default false
412
453
  */
413
454
  autoExpandSubtasks?: boolean;
455
+ /**
456
+ * Show task name labels inside task bars
457
+ * @default true
458
+ */
459
+ showTaskBarLabels?: boolean;
460
+ /**
461
+ * Show/hide critical path highlighting (red border + glow on critical tasks)
462
+ * @default true
463
+ */
464
+ showCriticalPath?: boolean;
465
+ onShowCriticalPathChange?: (show: boolean) => void;
466
+ /**
467
+ * Show/hide dependency connector arrows between tasks
468
+ * @default true
469
+ */
470
+ showDependencies?: boolean;
471
+ onShowDependenciesChange?: (show: boolean) => void;
472
+ /**
473
+ * Highlight weekend columns with shading/hatch pattern
474
+ * @default true
475
+ */
476
+ highlightWeekends?: boolean;
477
+ onHighlightWeekendsChange?: (show: boolean) => void;
478
+ /**
479
+ * v3.0.0: Show baseline ghost bars behind actual bars (Oracle view)
480
+ * When true, tasks with baselineStartDate/baselineEndDate show a dashed outline behind the actual bar
481
+ * @default false
482
+ */
483
+ showBaseline?: boolean;
484
+ /**
485
+ * v3.0.0: Gantt view mode — Execution (actual) vs Oracle (baseline comparison)
486
+ * Controls the Execution/Oracle toggle in the Chronos toolbar
487
+ * @default 'execution'
488
+ */
489
+ viewMode?: 'execution' | 'oracle';
490
+ onViewModeChange?: (mode: 'execution' | 'oracle') => void;
491
+ /**
492
+ * v3.1.0: Project forecast data for the Forecast HUD panel in Chronos toolbar
493
+ * When provided, replaces hardcoded placeholder values with real metrics
494
+ */
495
+ projectForecast?: ProjectForecast;
496
+ /**
497
+ * Callback for "Copy Snapshot Link" in the Share dropdown
498
+ * When provided, shows the option in the export/share menu
499
+ */
500
+ onCopySnapshotLink?: () => void;
414
501
  onThemeChange?: (theme: Theme$1) => void;
502
+ onTimeScaleChange?: (timeScale: TimeScale) => void;
503
+ onZoomChange?: (zoom: number) => void;
504
+ onDateRangeChange?: (startDate: Date, endDate: Date) => void;
415
505
  onTaskClick?: (task: Task) => void;
416
506
  onTaskDblClick?: (task: Task) => void;
417
507
  onTaskContextMenu?: (task: Task, event: React.MouseEvent) => void;
@@ -804,6 +894,8 @@ interface RenderProps {
804
894
  renderColumnHeader?: (column: Column$1, cardCount: number) => React.ReactNode;
805
895
  /** Custom empty state */
806
896
  renderEmptyState?: (column: Column$1) => React.ReactNode;
897
+ /** v2.2.0: Custom column footer (e.g. AddCardButton) */
898
+ renderColumnFooter?: (column: Column$1) => React.ReactNode;
807
899
  }
808
900
  /**
809
901
  * User entity for assignment
@@ -915,6 +1007,12 @@ interface KanbanBoardProps {
915
1007
  onDiscardTimer?: (taskId: string) => void;
916
1008
  /** Blur financial data (tiempo ofertado) for unauthorized users */
917
1009
  blurFinancials?: boolean;
1010
+ /** Side panel rendered alongside the board columns */
1011
+ sidePanel?: React.ReactNode;
1012
+ /** Custom renderer for column header metrics (below title) */
1013
+ renderColumnMetrics?: (column: Column$1, cards: Card$1[]) => React.ReactNode;
1014
+ /** v2.1.0: Suppress internal TaskDetailModal (consumer provides own drawer) */
1015
+ suppressDetailModal?: boolean;
918
1016
  }
919
1017
  /**
920
1018
  * Drag event data
@@ -1458,7 +1556,7 @@ declare class KanbanViewAdapter extends BaseViewAdapter<ViewBoardData> {
1458
1556
  */
1459
1557
  declare function createKanbanView(config?: KanbanViewConfig): KanbanViewAdapter;
1460
1558
 
1461
- declare function KanbanBoard({ board, callbacks, onCardClick, renderProps, config, availableUsers, className, style, isLoading, error, children, availableTags, onCreateTag, attachmentsByCard, onUploadAttachments, onDeleteAttachment, comments, onAddComment, currentUser, mentionableUsers, onTaskOpen, onUploadCommentAttachments, enableTimeTracking, timeTrackingSummary, timeEntries, timerState, onLogTime, onUpdateEstimate, onUpdateSoldEffort, onStartTimer, onStopTimer, onDiscardTimer, blurFinancials, }: KanbanBoardProps & {
1559
+ declare function KanbanBoard({ board, callbacks, onCardClick, renderProps, config, availableUsers, className, style, isLoading, error, children, availableTags, onCreateTag, attachmentsByCard, onUploadAttachments, onDeleteAttachment, comments, onAddComment, currentUser, mentionableUsers, onTaskOpen, onUploadCommentAttachments, enableTimeTracking, timeTrackingSummary, timeEntries, timerState, onLogTime, onUpdateEstimate, onUpdateSoldEffort, onStartTimer, onStopTimer, onDiscardTimer, blurFinancials, sidePanel, renderColumnMetrics, suppressDetailModal, }: KanbanBoardProps & {
1462
1560
  children?: React.ReactNode;
1463
1561
  }): react_jsx_runtime.JSX.Element;
1464
1562
 
@@ -1491,8 +1589,10 @@ interface KanbanToolbarProps {
1491
1589
  onExportJSON?: () => void;
1492
1590
  onExportExcel?: () => Promise<void>;
1493
1591
  translations?: Partial<KanbanToolbarI18n>;
1592
+ /** Render custom content on the right side of toolbar (e.g. lens toggle) */
1593
+ toolbarRightContent?: React.ReactNode;
1494
1594
  }
1495
- declare function KanbanToolbar({ columns, onCreateTask, createTaskLabel, theme, locale, useColumnSelector, onExportCSV, onExportJSON, onExportExcel, translations, }: KanbanToolbarProps): react_jsx_runtime.JSX.Element;
1595
+ declare function KanbanToolbar({ columns, onCreateTask, createTaskLabel, theme, locale, useColumnSelector, onExportCSV, onExportJSON, onExportExcel, translations, toolbarRightContent, }: KanbanToolbarProps): react_jsx_runtime.JSX.Element;
1496
1596
 
1497
1597
  /**
1498
1598
  * AddColumnButton Component
@@ -1586,25 +1686,35 @@ interface AddCardButtonProps {
1586
1686
  /** Locale for translations */
1587
1687
  locale?: 'en' | 'es';
1588
1688
  }
1589
- /**
1590
- * AddCardButton - ClickUp-style inline form to add new cards to a Kanban column
1591
- *
1592
- * Features:
1593
- * - Expandable inline form with accent border
1594
- * - Quick name input with inline action buttons
1595
- * - Optional: assignee selector, date picker, priority
1596
- * - Keyboard shortcuts (Enter to save, Escape to cancel)
1597
- *
1598
- * @example
1599
- * ```tsx
1600
- * <AddCardButton
1601
- * columnId="todo"
1602
- * onAddCard={(data) => createTask(data)}
1603
- * availableUsers={users}
1604
- * />
1605
- * ```
1606
- */
1607
- declare function AddCardButton({ columnId, onAddCard, availableUsers, className, placeholder, buttonLabel, disabled, theme, locale, }: AddCardButtonProps): react_jsx_runtime.JSX.Element;
1689
+ declare function AddCardButton({ columnId, onAddCard, availableUsers, className, buttonLabel, disabled, theme, locale, }: AddCardButtonProps): react_jsx_runtime.JSX.Element;
1690
+
1691
+ interface QuickTaskCreateData {
1692
+ name: string;
1693
+ priority?: 'low' | 'medium' | 'high' | 'urgent';
1694
+ assignee?: User;
1695
+ assigneeId?: string | null;
1696
+ startDate?: Date;
1697
+ endDate?: Date;
1698
+ }
1699
+ interface QuickTaskCreateProps {
1700
+ /** Called when user submits the form */
1701
+ onSubmit: (data: QuickTaskCreateData) => void;
1702
+ /** Called when user cancels / clicks outside */
1703
+ onCancel: () => void;
1704
+ /** Available users for assignee picker */
1705
+ availableUsers?: User[];
1706
+ /** Dark or light theme */
1707
+ isDark?: boolean;
1708
+ /** Locale for i18n */
1709
+ locale?: 'en' | 'es';
1710
+ /** Default date (e.g. the calendar cell's date) */
1711
+ defaultDate?: Date;
1712
+ /** Extra CSS class */
1713
+ className?: string;
1714
+ /** Whether dropdowns open upward (bottom-full) or downward (top-full). Default: 'up' */
1715
+ dropdownDirection?: 'up' | 'down';
1716
+ }
1717
+ declare function QuickTaskCreate({ onSubmit, onCancel, availableUsers, isDark, locale, defaultDate, className, dropdownDirection, }: QuickTaskCreateProps): react_jsx_runtime.JSX.Element;
1608
1718
 
1609
1719
  interface ColumnProps {
1610
1720
  /** Column data */
@@ -1643,6 +1753,10 @@ interface ColumnProps {
1643
1753
  isDeletable?: boolean;
1644
1754
  /** Custom className */
1645
1755
  className?: string;
1756
+ /** v2.0.0: Custom metrics renderer below column header */
1757
+ renderMetrics?: (column: Column$1, cards: Card$1[]) => React.ReactNode;
1758
+ /** Locale for i18n */
1759
+ locale?: 'en' | 'es';
1646
1760
  }
1647
1761
  /**
1648
1762
  * Column Component
@@ -2360,28 +2474,16 @@ interface TimePopoverProps {
2360
2474
  declare function TimePopover({ taskId: _taskId, summary, entries, isTimerRunning, timerElapsedSeconds, onLogTime, onUpdateEstimate, onStartTimer, onStopTimer, onDiscardTimer, onClose, className, }: TimePopoverProps): react_jsx_runtime.JSX.Element;
2361
2475
 
2362
2476
  /**
2363
- * TimeInputPopover - Compact popover for entering time values
2364
- * v1.3.0: Extracted from TaskDetailModal for reuse in ListView
2365
- *
2366
- * Used for:
2367
- * - Logging time from list view column
2368
- * - Setting estimates
2369
- * - Setting quoted time
2477
+ * TimeInputPopover - Chronos V2 micro-popover for time entry
2478
+ * Glass morphism design matching ListView Chronos style
2370
2479
  */
2371
2480
  interface TimeInputPopoverProps {
2372
- /** Mode determines the title and behavior */
2373
2481
  mode: 'estimate' | 'quoted' | 'log';
2374
- /** Locale for translations */
2375
2482
  locale: 'en' | 'es';
2376
- /** Dark mode */
2377
2483
  isDark: boolean;
2378
- /** Current value in minutes (for estimate/quoted modes) */
2379
2484
  currentValue?: number | null;
2380
- /** Called when user saves the value */
2381
2485
  onSave: (minutes: number | null, note?: string) => Promise<void>;
2382
- /** Called when popover should close */
2383
2486
  onClose: () => void;
2384
- /** Additional class names */
2385
2487
  className?: string;
2386
2488
  }
2387
2489
  declare function TimeInputPopover({ mode, locale, isDark, currentValue, onSave, onClose, className, }: TimeInputPopoverProps): react_jsx_runtime.JSX.Element;
@@ -2527,6 +2629,13 @@ interface GanttBoardRef {
2527
2629
  * Collapse all tasks
2528
2630
  */
2529
2631
  collapseAll: () => void;
2632
+ /**
2633
+ * v3.0.0: Collapse tasks to a specific WBS level
2634
+ * Level 1 = only root tasks visible
2635
+ * Level 2 = root + first-level children
2636
+ * 'all' = expand everything
2637
+ */
2638
+ collapseToLevel: (level: number | 'all') => void;
2530
2639
  /**
2531
2640
  * Undo last change
2532
2641
  * Similar to: gantt.undo()
@@ -2619,18 +2728,34 @@ interface GanttToolbarProps {
2619
2728
  onTaskFilterChange?: (filter: TaskFilterType) => void;
2620
2729
  hideCompleted?: boolean;
2621
2730
  onHideCompletedChange?: (hide: boolean) => void;
2731
+ toolbarRightContent?: React.ReactNode;
2732
+ wbsLevel?: number | 'all';
2733
+ onWbsLevelChange?: (level: number | 'all') => void;
2734
+ maxWbsDepth?: number;
2735
+ viewMode?: 'execution' | 'oracle';
2736
+ onViewModeChange?: (mode: 'execution' | 'oracle') => void;
2737
+ projectForecast?: ProjectForecast;
2622
2738
  onExportPNG?: () => Promise<void>;
2623
2739
  onExportPDF?: () => Promise<void>;
2624
2740
  onExportExcel?: () => Promise<void>;
2625
2741
  onExportCSV?: () => void;
2626
2742
  onExportJSON?: () => void;
2627
2743
  onExportMSProject?: () => void;
2744
+ showCriticalPath?: boolean;
2745
+ onShowCriticalPathChange?: (show: boolean) => void;
2746
+ showDependencies?: boolean;
2747
+ onShowDependenciesChange?: (show: boolean) => void;
2748
+ highlightWeekends?: boolean;
2749
+ onHighlightWeekendsChange?: (show: boolean) => void;
2750
+ showBaseline?: boolean;
2751
+ onShowBaselineChange?: (show: boolean) => void;
2752
+ onCopySnapshotLink?: () => void;
2628
2753
  }
2629
2754
  declare function GanttToolbar({ theme, timeScale, onTimeScaleChange, zoom, onZoomChange, currentTheme, onThemeChange, rowDensity, onRowDensityChange, showThemeSelector, // v0.17.29: Default to false - themes should be in app settings
2630
2755
  showCreateTaskButton, createTaskLabel, // v0.15.0: Will use translations if not provided
2631
2756
  onCreateTask, taskFilter, // v0.17.300: Task filter
2632
2757
  onTaskFilterChange, hideCompleted, // v0.18.0: Hide completed toggle
2633
- onHideCompletedChange, onExportPNG, onExportPDF, onExportExcel, onExportCSV, onExportJSON, onExportMSProject, }: GanttToolbarProps): react_jsx_runtime.JSX.Element;
2758
+ onHideCompletedChange, toolbarRightContent, wbsLevel, onWbsLevelChange, maxWbsDepth, viewMode, onViewModeChange, projectForecast, onExportPNG, onExportPDF, onExportExcel, onExportCSV, onExportJSON, onExportMSProject, showCriticalPath, onShowCriticalPathChange, showDependencies, onShowDependenciesChange, highlightWeekends, onHighlightWeekendsChange, showBaseline, onShowBaselineChange, onCopySnapshotLink, }: GanttToolbarProps): react_jsx_runtime.JSX.Element;
2634
2759
 
2635
2760
  interface TaskGridProps {
2636
2761
  tasks: Task[];
@@ -2683,12 +2808,20 @@ interface TimelineProps {
2683
2808
  locale?: string;
2684
2809
  templates: Required<GanttTemplates>;
2685
2810
  dependencyLineStyle?: DependencyLineStyle;
2811
+ showTaskBarLabels?: boolean;
2686
2812
  onTaskClick?: (task: Task) => void;
2687
2813
  onTaskDblClick?: (task: Task) => void;
2688
2814
  onTaskContextMenu?: (task: Task, event: React.MouseEvent) => void;
2689
2815
  onTaskDateChange?: (task: Task, newStart: Date, newEnd: Date) => void;
2690
2816
  onDependencyCreate?: (fromTask: Task, toTaskId: string) => void;
2691
2817
  onDependencyDelete?: (taskId: string, dependencyId: string) => void;
2818
+ /** v3.0.0: Show baseline ghost bars behind actual bars (Oracle view) */
2819
+ showBaseline?: boolean;
2820
+ showCriticalPath?: boolean;
2821
+ showDependencies?: boolean;
2822
+ highlightWeekends?: boolean;
2823
+ /** v4.1.0: Per-task edit check — returns false for read-only bars */
2824
+ canEditTask?: (task: Task) => boolean;
2692
2825
  }
2693
2826
  interface TaskPosition {
2694
2827
  id: string;
@@ -2699,9 +2832,9 @@ interface TaskPosition {
2699
2832
  }
2700
2833
  declare function Timeline({ tasks, theme, rowHeight: ROW_HEIGHT, timeScale, startDate, endDate, zoom, locale, // v0.17.400: Default to English
2701
2834
  templates, dependencyLineStyle, // v0.17.310
2702
- onTaskClick, onTaskDblClick, // v0.8.0
2835
+ showTaskBarLabels, onTaskClick, onTaskDblClick, // v0.8.0
2703
2836
  onTaskContextMenu, // v0.8.0
2704
- onTaskDateChange, onDependencyCreate, onDependencyDelete, }: TimelineProps): react_jsx_runtime.JSX.Element;
2837
+ onTaskDateChange, onDependencyCreate, onDependencyDelete, showBaseline, showCriticalPath, showDependencies, highlightWeekends, canEditTask, }: TimelineProps): react_jsx_runtime.JSX.Element;
2705
2838
 
2706
2839
  interface TaskTooltipData {
2707
2840
  task: Task;
@@ -2728,11 +2861,17 @@ interface TaskBarProps {
2728
2861
  allTaskPositions?: TaskPosition[];
2729
2862
  onDragMove?: (taskId: string, daysDelta: number, isDragging: boolean) => void;
2730
2863
  onHoverChange?: (tooltipData: TaskTooltipData | null) => void;
2864
+ showBaseline?: boolean;
2865
+ showTaskBarLabels?: boolean;
2866
+ showCriticalPath?: boolean;
2867
+ readOnly?: boolean;
2731
2868
  }
2732
2869
  declare function TaskBar({ task, x, y, width, theme, dayWidth, startDate, templates, onClick, onDoubleClick, // v0.8.0
2733
2870
  onContextMenu, // v0.8.0
2734
2871
  onDateChange, onDependencyCreate, allTaskPositions, onDragMove, // v0.13.0
2735
- onHoverChange, }: TaskBarProps): react_jsx_runtime.JSX.Element;
2872
+ onHoverChange, // v0.17.76
2873
+ showBaseline, // v3.0.0
2874
+ showTaskBarLabels, showCriticalPath, readOnly, }: TaskBarProps): react_jsx_runtime.JSX.Element;
2736
2875
 
2737
2876
  interface DependencyLineProps {
2738
2877
  x1: number;
@@ -2869,8 +3008,10 @@ interface TaskFormModalProps {
2869
3008
  attachments?: Attachment[];
2870
3009
  onUploadAttachments?: (taskId: string, files: File[]) => Promise<void> | void;
2871
3010
  onDeleteAttachment?: (attachmentId: string) => void;
3011
+ /** v2.2.0: Pre-select status when creating from a specific column */
3012
+ defaultStatus?: string;
2872
3013
  }
2873
- declare function TaskFormModal({ isOpen, onClose, task, availableTasks, availableUsers, onSubmit, isLoading, mode, theme, customStatuses, availableTags, onCreateTag, attachments, onUploadAttachments, onDeleteAttachment, }: TaskFormModalProps): react_jsx_runtime.JSX.Element;
3014
+ declare function TaskFormModal({ isOpen, onClose, task, availableTasks, availableUsers, onSubmit, isLoading, mode, theme, customStatuses, availableTags, onCreateTag, attachments, onUploadAttachments, onDeleteAttachment, defaultStatus, }: TaskFormModalProps): react_jsx_runtime.JSX.Element;
2874
3015
 
2875
3016
  interface GanttAIAssistantProps {
2876
3017
  /** All current tasks in the Gantt */
@@ -3362,6 +3503,25 @@ interface GanttTranslations {
3362
3503
  clearFilter: string;
3363
3504
  hideCompleted: string;
3364
3505
  toDo: string;
3506
+ wbsLevel: string;
3507
+ wbsAllLevels: string;
3508
+ viewExecution: string;
3509
+ viewOracle: string;
3510
+ simulateScenario: string;
3511
+ projectForecast: string;
3512
+ expectedFinish: string;
3513
+ confidence: string;
3514
+ costAtCompletion: string;
3515
+ delayLabel: string;
3516
+ earlyLabel: string;
3517
+ onTimeLabel: string;
3518
+ budgetOver: string;
3519
+ budgetUnder: string;
3520
+ baselines: string;
3521
+ visibility: string;
3522
+ share: string;
3523
+ copySnapshotLink: string;
3524
+ copied: string;
3365
3525
  };
3366
3526
  contextMenu: {
3367
3527
  editTask: string;
@@ -3510,7 +3670,7 @@ type SortDirection = 'asc' | 'desc';
3510
3670
  * - v1.2.0: effortMinutes, timeLoggedMinutes, soldEffortMinutes
3511
3671
  * - Custom: text, number, date, dropdown, checkbox
3512
3672
  */
3513
- type ColumnType = 'name' | 'status' | 'priority' | 'assignees' | 'startDate' | 'endDate' | 'progress' | 'tags' | 'estimatedTime' | 'quotedTime' | 'elapsedTime' | 'effortMinutes' | 'timeLoggedMinutes' | 'soldEffortMinutes' | 'text' | 'number' | 'date' | 'dropdown' | 'checkbox';
3673
+ type ColumnType = 'name' | 'status' | 'priority' | 'assignees' | 'startDate' | 'endDate' | 'progress' | 'tags' | 'estimatedTime' | 'quotedTime' | 'elapsedTime' | 'effortMinutes' | 'timeLoggedMinutes' | 'soldEffortMinutes' | 'scheduleVariance' | 'hoursBar' | 'teamLoad' | 'blockers' | 'text' | 'number' | 'date' | 'dropdown' | 'checkbox';
3514
3674
  /**
3515
3675
  * Table column configuration for dynamic columns
3516
3676
  */
@@ -3640,6 +3800,12 @@ interface ListViewTheme {
3640
3800
  focusRing: string;
3641
3801
  checkboxBg: string;
3642
3802
  checkboxChecked: string;
3803
+ bgGroupHeader: string;
3804
+ headerBg: string;
3805
+ neonRed: string;
3806
+ neonGreen: string;
3807
+ neonAmber: string;
3808
+ neonBlue: string;
3643
3809
  }
3644
3810
  /**
3645
3811
  * Permissions for list view operations
@@ -3656,6 +3822,20 @@ interface ListViewPermissions {
3656
3822
  canFilter?: boolean;
3657
3823
  canReorder?: boolean;
3658
3824
  }
3825
+ /**
3826
+ * v2.0.0: Project Health data for sidebar panel
3827
+ */
3828
+ interface ProjectHealthData {
3829
+ openRFIs?: number;
3830
+ submittalsApprovalPercent?: number;
3831
+ scheduleVarianceDays?: number;
3832
+ scheduleVarianceLabel?: string;
3833
+ teams?: Array<{
3834
+ name: string;
3835
+ color: string;
3836
+ utilizationPercent: number;
3837
+ }>;
3838
+ }
3659
3839
  /**
3660
3840
  * ListView configuration
3661
3841
  */
@@ -3702,6 +3882,11 @@ interface ListViewConfig {
3702
3882
  onCreateTask?: () => void;
3703
3883
  /** LocalStorage key for persisting filter state, or false to disable */
3704
3884
  persistFilter?: string | false;
3885
+ /** Configuration for project health sidebar panel */
3886
+ healthSidebar?: {
3887
+ enabled: boolean;
3888
+ data: ProjectHealthData;
3889
+ };
3705
3890
  /**
3706
3891
  * Configuration for blurring financial data based on user permissions
3707
3892
  * When enabled, financial columns (soldEffortMinutes, quotedTime) will be blurred
@@ -3712,6 +3897,12 @@ interface ListViewConfig {
3712
3897
  /** Specific columns to blur (defaults to ['soldEffortMinutes', 'quotedTime'] if not specified) */
3713
3898
  columns?: Array<'soldEffortMinutes' | 'quotedTime' | 'quotedTimeMinutes'>;
3714
3899
  };
3900
+ /** When true, shows the sold effort line in HoursBarCell even without onSoldEffortUpdate callback */
3901
+ showSoldEffort?: boolean;
3902
+ /** Display mode: 'hours' shows time values, 'financial' converts to dollars (hours × hourlyRate) */
3903
+ lens?: 'hours' | 'financial';
3904
+ /** Hourly rate for converting hours → dollars when lens='financial' */
3905
+ hourlyRate?: number;
3715
3906
  }
3716
3907
  /**
3717
3908
  * ListView translations
@@ -3730,6 +3921,10 @@ interface ListViewTranslations {
3730
3921
  quotedTime?: string;
3731
3922
  elapsedTime?: string;
3732
3923
  tags?: string;
3924
+ scheduleVariance?: string;
3925
+ hoursBar?: string;
3926
+ teamLoad?: string;
3927
+ blockers?: string;
3733
3928
  };
3734
3929
  toolbar: {
3735
3930
  search: string;
@@ -3812,8 +4007,18 @@ interface ListViewCallbacks {
3812
4007
  onTaskDuplicate?: (task: Task) => void;
3813
4008
  /** Create custom field */
3814
4009
  onCreateCustomField?: (field: CustomFieldDefinition) => Promise<void>;
3815
- /** Handler for inline time logging - receives task and minutes to log */
3816
- onLogTime?: (task: Task, minutes: number | null) => void;
4010
+ /** Handler for inline time logging - receives task, minutes, and optional note */
4011
+ onLogTime?: (task: Task, minutes: number | null, note?: string) => void;
4012
+ /** Handler for opening time log modal from HoursBar cell */
4013
+ onOpenTimeLog?: (task: Task) => void;
4014
+ /** Handler for updating task effort estimate (minutes) */
4015
+ onEstimateUpdate?: (task: Task, minutes: number | null) => void;
4016
+ /** Handler for updating task sold/quoted effort (minutes) */
4017
+ onSoldEffortUpdate?: (task: Task, minutes: number | null) => void;
4018
+ /** Handler for reporting a blocker on a task */
4019
+ onReportBlocker?: (task: Task) => void;
4020
+ /** Handler for copying task link to clipboard */
4021
+ onCopyTaskLink?: (task: Task) => void;
3817
4022
  }
3818
4023
  /**
3819
4024
  * Available user for assignment
@@ -3863,6 +4068,8 @@ interface ListViewProps {
3863
4068
  availableUsers?: AvailableUser[];
3864
4069
  /** Custom fields defined for this project */
3865
4070
  customFields?: CustomFieldDefinition[];
4071
+ /** Render custom content on the right side of toolbar (before create button) */
4072
+ toolbarRightContent?: ReactNode;
3866
4073
  }
3867
4074
  /**
3868
4075
  * Flattened task with hierarchy info
@@ -3899,15 +4106,15 @@ declare const CUSTOM_FIELD_TYPES: Array<{
3899
4106
  /**
3900
4107
  * Main ListView Component
3901
4108
  */
3902
- declare function ListView({ tasks, config, callbacks, isLoading, error, className, style, availableUsers, customFields, }: ListViewProps): react_jsx_runtime.JSX.Element;
4109
+ declare function ListView({ tasks, config, callbacks, isLoading, error, className, style, availableUsers, customFields, toolbarRightContent, }: ListViewProps): react_jsx_runtime.JSX.Element;
3903
4110
 
3904
4111
  /**
3905
4112
  * ListView Themes
3906
- * @version 0.17.0
4113
+ * @version 2.0.0 — Chronos V2.0 visual language
3907
4114
  */
3908
4115
 
3909
4116
  /**
3910
- * Dark theme for ListView
4117
+ * Dark theme for ListView — Chronos V2.0
3911
4118
  */
3912
4119
  declare const darkTheme$3: ListViewTheme;
3913
4120
  /**
@@ -4019,6 +4226,12 @@ interface CalendarTheme {
4019
4226
  statusInProgress: string;
4020
4227
  statusCompleted: string;
4021
4228
  focusRing: string;
4229
+ glass: string;
4230
+ glassBorder: string;
4231
+ glassHover: string;
4232
+ neonRed: string;
4233
+ glowBlue: string;
4234
+ glowRed: string;
4022
4235
  }
4023
4236
  /**
4024
4237
  * Permissions for calendar operations
@@ -4060,6 +4273,10 @@ interface CalendarConfig {
4060
4273
  enableDragDrop?: boolean;
4061
4274
  /** Show task details on hover */
4062
4275
  showTooltip?: boolean;
4276
+ /** Show right sidebar with unscheduled/backlog tasks (default: true) */
4277
+ showBacklog?: boolean;
4278
+ /** Render custom content on the right side of header (e.g. lens toggle) */
4279
+ toolbarRightContent?: ReactNode;
4063
4280
  }
4064
4281
  /**
4065
4282
  * CalendarBoard translations
@@ -4117,6 +4334,20 @@ interface CalendarTranslations {
4117
4334
  newTask: string;
4118
4335
  viewAll: string;
4119
4336
  week: string;
4337
+ backlogTitle: string;
4338
+ systemStatus: string;
4339
+ budgetUtil: string;
4340
+ variance: string;
4341
+ cost: string;
4342
+ estimate: string;
4343
+ sold: string;
4344
+ cashOut: string;
4345
+ typeToAdd: string;
4346
+ critical: string;
4347
+ blocker: string;
4348
+ risk: string;
4349
+ delay: string;
4350
+ days: string;
4120
4351
  };
4121
4352
  tooltips: {
4122
4353
  progress: string;
@@ -4247,20 +4478,27 @@ interface CalendarBoardProps {
4247
4478
  onDiscardTimer?: (taskId: string) => void;
4248
4479
  /** Blur financial data (tiempo ofertado) for unauthorized users */
4249
4480
  blurFinancials?: boolean;
4481
+ /** v2.1.0: Suppress internal TaskDetailModal (consumer provides own drawer) */
4482
+ suppressDetailModal?: boolean;
4483
+ /** Display mode: 'hours' shows Xh, 'financial' shows $X (hours × hourlyRate) */
4484
+ lens?: 'hours' | 'financial';
4485
+ /** Rate used to convert hours → dollars when lens='financial' */
4486
+ hourlyRate?: number;
4250
4487
  }
4251
4488
 
4252
4489
  /**
4253
- * Main CalendarBoard Component
4490
+ * Main CalendarBoard Component — Chronos V2.0
4254
4491
  */
4255
- declare function CalendarBoard({ tasks, config, callbacks, initialDate, isLoading, error, className, style, availableTags, onCreateTag, attachmentsByTask, comments, onAddComment, currentUser, mentionableUsers, onUploadCommentAttachments, onTaskOpen, enableTimeTracking, timeTrackingSummary, timeEntries, timerState, onLogTime, onUpdateEstimate, onUpdateSoldEffort, onStartTimer, onStopTimer, onDiscardTimer, blurFinancials, }: CalendarBoardProps): react_jsx_runtime.JSX.Element;
4492
+ declare function CalendarBoard({ tasks, config, callbacks, initialDate, isLoading, error, className, style, availableTags, onCreateTag, attachmentsByTask, comments, onAddComment, currentUser, mentionableUsers, onUploadCommentAttachments, onTaskOpen, enableTimeTracking, timeTrackingSummary, timeEntries, timerState, onLogTime, onUpdateEstimate, onUpdateSoldEffort, onStartTimer, onStopTimer, onDiscardTimer, blurFinancials, suppressDetailModal, lens: calLens, hourlyRate: calRate, }: CalendarBoardProps): react_jsx_runtime.JSX.Element;
4256
4493
 
4257
4494
  /**
4258
- * CalendarBoard Themes
4259
- * @version 0.17.0
4495
+ * CalendarBoard Themes — Chronos V2.0
4496
+ * @version 2.0.0
4260
4497
  */
4261
4498
 
4262
4499
  /**
4263
- * Dark theme for CalendarBoard
4500
+ * Dark theme Chronos V2.0 Design Language
4501
+ * Ultra-dark (#050505) with #222 grid borders, glass elements, and neon accents
4264
4502
  */
4265
4503
  declare const darkTheme$2: CalendarTheme;
4266
4504
  /**
@@ -6434,4 +6672,4 @@ declare const themes: Record<ThemeName, Theme>;
6434
6672
  */
6435
6673
  declare const defaultTheme: ThemeName;
6436
6674
 
6437
- export { type AICallbacks, type AICommandResult, type GanttTask as AIGanttTask, type AIMessage, type AIModelKey, type AIOperation, AIUsageDashboard, type AIUsageDashboardProps, AI_FEATURES, AI_MODELS, type Activity, type ActivityType, AddCardButton, type AddCardButtonProps, type AddCardData, AddColumnButton, type AddColumnButtonProps, type AssigneeSuggestion, type Attachment, AttachmentUploader, type AttachmentUploaderProps, type AvailableUser, type Board, type BoardCallbacks, type BoardConfig, BoardProvider, type BoardProviderProps, type BorderRadiusToken, BulkOperationsToolbar, type BulkOperationsToolbarProps, BurnDownChart, type BurnDownChartProps, type BurnDownDataPoint, CUSTOM_FIELD_TYPES, CalendarBoard, type CalendarBoardProps, type CalendarCallbacks, type CalendarConfig, type CalendarDay, type CalendarEvent, type CalendarPermissions, type CalendarSupportedLocale, type CalendarTheme, type CalendarThemeName, type CalendarTranslations, type CalendarViewMode, Card, CardDetailModal, type CardDetailModalProps, CardDetailModalV2, type CardDetailModalV2Props, type CardFilter, type CardFilters, CardHistoryReplay, type CardHistoryReplayProps, CardHistoryTimeline, type CardHistoryTimelineProps, type CardProps, CardRelationshipsGraph, type CardRelationshipsGraphProps, type CardSort, type CardSortKey, CardStack, type CardStackProps, type CardStack$1 as CardStackType, type CardStatus, type CardTemplate, CardTemplateSelector, type CardTemplateSelectorProps, type CardTimeProps, type Card$1 as CardType, CircuitBreaker, Column, ColumnManager, type ColumnProps, type Column$1 as ColumnType, CommandPalette, type CommandPaletteProps, type Comment, type CommentAttachment, ConfigMenu, type ConfigMenuProps, ContextMenu, type ContextMenuAction, type ContextMenuState, type CustomFieldDefinition, type CustomFieldValue, DEFAULT_SHORTCUTS, DEFAULT_TABLE_COLUMNS, DEFAULT_TEMPLATES, type DateFilter, DateRangePicker, type DateRangePickerProps, DependenciesSelector, type DependenciesSelectorProps, DependencyLine, type DesignTokens, DistributionCharts, type DistributionChartsProps, type DistributionDataPoint, type DragData, type DropData, type DurationToken, type EasingToken, EditableColumnTitle, type EditableColumnTitleProps, ErrorBoundary, type ErrorBoundaryProps, type ExportFormat, ExportImportModal, type ExportImportModalProps, type ExportOptions, FilterBar, type FilterBarProps, type FilterState, type FlattenedTask, type FontSizeToken, type FontWeightToken, GANTT_AI_SYSTEM_PROMPT, GanttAIAssistant, type GanttAIAssistantConfig, type Assignee as GanttAssignee, GanttBoard, type GanttConfig as GanttBoardConfig, type GanttBoardRef, type GanttColumn, type ColumnType$1 as GanttColumnType, GanttI18nContext, Milestone as GanttMilestone, type GanttPermissions, type Task as GanttTask, type GanttTemplates, type Theme$1 as GanttTheme, type GanttTheme as GanttThemeConfig, GanttToolbar, type GanttTranslations, GenerateGanttTasksDialog, type GenerateGanttTasksDialogProps, GeneratePlanModal, type GeneratePlanModalProps, type GeneratedPlan, type GeneratedTasksResponse, type GroupByOption, GroupBySelector, type GroupBySelectorProps, HealthBar, type HealthBarProps, type IPluginManager, type ImportResult, type Insight, type InsightSeverity, type InsightType, KanbanBoard, type KanbanBoardProps, KanbanToolbar, type KanbanToolbarProps, KanbanViewAdapter, type KanbanViewConfig, type KeyboardAction, type KeyboardShortcut, KeyboardShortcutsHelp, type KeyboardShortcutsHelpProps, type LineHeightToken, type ListColumn, type ColumnType as ListColumnType, type ListFilter, type ListSort, type ListSortColumn, ListView, type ListViewCallbacks, type ListViewConfig, type ListViewPermissions, type ListViewProps, type ListViewSupportedLocale, type ListViewTheme, type ListViewThemeName, type ListViewTranslations, MenuIcons, type OpacityToken, type PendingFile, type PersistHistoryConfig, type Plugin, type PluginContext, type PluginHooks, PluginManager, type Priority, PrioritySelector, type PrioritySelectorProps, ProfitabilityReport, type ProfitabilityReportProps, RATE_LIMITS, type RenderProps, type RetryOptions, type RetryResult, STANDARD_FIELDS, type ShadowToken, type SortBy, type SortDirection, type SortOrder, type SortState, type SpacingToken, type StackSuggestion, type StackingConfig, type StackingStrategy, type Subtask, type SupportedLocale, type Swimlane, SwimlaneBoardView, type SwimlaneBoardViewProps, type SwimlaneConfig, type TableColumn, TagBadge, TagList, TagPicker, TaskBar, type TaskComment, TaskDetailModal, type TaskDetailModalProps, type TaskFilterType, type TaskFormData, TaskFormModal, type TaskFormModalProps, TaskGrid, type TaskPriority, type TaskTag, type Theme, type ThemeColors, type ThemeContextValue, ThemeModal, type ThemeModalProps, type ThemeName, ThemeProvider, ThemeSwitcher, type TimeEntry, TimeInputPopover, type TimeInputPopoverProps, type TimeLogInput, type TimeLogSource, TimePill, type TimePillProps, TimePopover, type TimePopoverProps, type TimeScale, type TimeTrackingBoardProps, type TimeTrackingCallbacks, type TimeTrackingSummary, Timeline, type TimerState, type ThemeColors$1 as TokenThemeColors, type TokenValue, type UsageStats, type UseAIOptions, type UseAIReturn, type UseBoardReturn as UseBoardCoreReturn, type UseBoardOptions, type UseBoardReturn$1 as UseBoardReturn, type UseCardStackingOptions, type UseCardStackingResult, type UseDragStateReturn, type UseFiltersOptions, type UseFiltersReturn, type UseKanbanStateOptions, type UseKanbanStateReturn, type UseKeyboardShortcutsOptions, type UseKeyboardShortcutsReturn, type UseMultiSelectReturn, type UseSelectionStateReturn, type User$1 as User, UserAssignmentSelector, type UserAssignmentSelectorProps, VelocityChart, type VelocityChartProps, type VelocityDataPoint, VirtualGrid, type VirtualGridProps, VirtualList, type VirtualListProps, type WeekDay, type ZIndexToken, aiUsageTracker, borderRadius, calculatePosition, darkTheme$2 as calendarDarkTheme, en as calendarEnTranslations, es as calendarEsTranslations, lightTheme$2 as calendarLightTheme, neutralTheme$2 as calendarNeutralTheme, calendarThemes, calendarTranslations, cardToGanttTask, cardsToGanttTasks, cn, createKanbanView, createRetryWrapper, darkTheme, darkTheme$1 as darkTokenTheme, defaultTheme, designTokens, duration, easing, exportTokensToCSS, findTaskByName, fontSize, fontWeight, formatCost, en$2 as ganttEnTranslations, es$2 as ganttEsTranslations, ganttTaskToCardUpdate, themes$1 as ganttThemes, gantt as ganttTokens, translations as ganttTranslations, ganttUtils, generateCSSVariables, generateCompleteCSS, generateInitialPositions, generateTasksContext, generateThemeVariables, getCalendarTheme, getCalendarTranslations, getListViewTheme, getListViewTranslations, getMonthNames, getToken, getTranslations, getWeekdayNames, kanban as kanbanTokens, lightTheme, lightTheme$1 as lightTokenTheme, lineHeight, darkTheme$3 as listViewDarkTheme, en$1 as listViewEnTranslations, es$1 as listViewEsTranslations, lightTheme$3 as listViewLightTheme, neutralTheme$3 as listViewNeutralTheme, listViewThemes, listViewTranslations, mergeCalendarTranslations, mergeListViewTranslations, mergeTranslations, neutralTheme, neutralTheme$1 as neutralTokenTheme, opacity, parseLocalCommand, parseNaturalDate, parseNaturalDuration, parseProgress, parseStatus, pluginManager, retrySyncOperation, retryWithBackoff, shadows, shouldVirtualizeGrid, spacing, themes, useAI, useBoard$1 as useBoard, useBoard as useBoardCore, useBoardStore, useCardStacking, useDragState, useFilteredCards, useFilters, useGanttI18n, useKanbanState, useKeyboardShortcuts, useMultiSelect, useSelectionState, useSortedCards, useTheme, useVirtualGrid, useVirtualList, validateAIResponse, withErrorBoundary, wouldCreateCircularDependency, zIndex };
6675
+ export { type AICallbacks, type AICommandResult, type GanttTask as AIGanttTask, type AIMessage, type AIModelKey, type AIOperation, AIUsageDashboard, type AIUsageDashboardProps, AI_FEATURES, AI_MODELS, type Activity, type ActivityType, AddCardButton, type AddCardButtonProps, type AddCardData, AddColumnButton, type AddColumnButtonProps, type AssigneeSuggestion, type Attachment, AttachmentUploader, type AttachmentUploaderProps, type AvailableUser, type Board, type BoardCallbacks, type BoardConfig, BoardProvider, type BoardProviderProps, type BorderRadiusToken, BulkOperationsToolbar, type BulkOperationsToolbarProps, BurnDownChart, type BurnDownChartProps, type BurnDownDataPoint, CUSTOM_FIELD_TYPES, CalendarBoard, type CalendarBoardProps, type CalendarCallbacks, type CalendarConfig, type CalendarDay, type CalendarEvent, type CalendarPermissions, type CalendarSupportedLocale, type CalendarTheme, type CalendarThemeName, type CalendarTranslations, type CalendarViewMode, Card, CardDetailModal, type CardDetailModalProps, CardDetailModalV2, type CardDetailModalV2Props, type CardFilter, type CardFilters, CardHistoryReplay, type CardHistoryReplayProps, CardHistoryTimeline, type CardHistoryTimelineProps, type CardProps, CardRelationshipsGraph, type CardRelationshipsGraphProps, type CardSort, type CardSortKey, CardStack, type CardStackProps, type CardStack$1 as CardStackType, type CardStatus, type CardTemplate, CardTemplateSelector, type CardTemplateSelectorProps, type CardTimeProps, type Card$1 as CardType, CircuitBreaker, Column, ColumnManager, type ColumnProps, type Column$1 as ColumnType, CommandPalette, type CommandPaletteProps, type Comment, type CommentAttachment, ConfigMenu, type ConfigMenuProps, ContextMenu, type ContextMenuAction, type ContextMenuState, type CustomFieldDefinition, type CustomFieldValue, DEFAULT_SHORTCUTS, DEFAULT_TABLE_COLUMNS, DEFAULT_TEMPLATES, type DateFilter, DateRangePicker, type DateRangePickerProps, DependenciesSelector, type DependenciesSelectorProps, DependencyLine, type DesignTokens, DistributionCharts, type DistributionChartsProps, type DistributionDataPoint, type DragData, type DropData, type DurationToken, type EasingToken, EditableColumnTitle, type EditableColumnTitleProps, ErrorBoundary, type ErrorBoundaryProps, type ExportFormat, ExportImportModal, type ExportImportModalProps, type ExportOptions, FilterBar, type FilterBarProps, type FilterState, type FlattenedTask, type FontSizeToken, type FontWeightToken, GANTT_AI_SYSTEM_PROMPT, GanttAIAssistant, type GanttAIAssistantConfig, type Assignee as GanttAssignee, GanttBoard, type GanttConfig as GanttBoardConfig, type GanttBoardRef, type GanttColumn, type ColumnType$1 as GanttColumnType, GanttI18nContext, Milestone as GanttMilestone, type GanttPermissions, type Task as GanttTask, type GanttTemplates, type Theme$1 as GanttTheme, type GanttTheme as GanttThemeConfig, GanttToolbar, type GanttTranslations, GenerateGanttTasksDialog, type GenerateGanttTasksDialogProps, GeneratePlanModal, type GeneratePlanModalProps, type GeneratedPlan, type GeneratedTasksResponse, type GroupByOption, GroupBySelector, type GroupBySelectorProps, HealthBar, type HealthBarProps, type IPluginManager, type ImportResult, type Insight, type InsightSeverity, type InsightType, KanbanBoard, type KanbanBoardProps, KanbanToolbar, type KanbanToolbarProps, KanbanViewAdapter, type KanbanViewConfig, type KeyboardAction, type KeyboardShortcut, KeyboardShortcutsHelp, type KeyboardShortcutsHelpProps, type LineHeightToken, type ListColumn, type ColumnType as ListColumnType, type ListFilter, type ListSort, type ListSortColumn, ListView, type ListViewCallbacks, type ListViewConfig, type ListViewPermissions, type ListViewProps, type ListViewSupportedLocale, type ListViewTheme, type ListViewThemeName, type ListViewTranslations, MenuIcons, type OpacityToken, type PendingFile, type PersistHistoryConfig, type Plugin, type PluginContext, type PluginHooks, PluginManager, type Priority, PrioritySelector, type PrioritySelectorProps, ProfitabilityReport, type ProfitabilityReportProps, type ProjectForecast, type ProjectHealthData, QuickTaskCreate, type QuickTaskCreateData, type QuickTaskCreateProps, RATE_LIMITS, type RenderProps, type RetryOptions, type RetryResult, STANDARD_FIELDS, type ShadowToken, type SortBy, type SortDirection, type SortOrder, type SortState, type SpacingToken, type StackSuggestion, type StackingConfig, type StackingStrategy, type Subtask, type SupportedLocale, type Swimlane, SwimlaneBoardView, type SwimlaneBoardViewProps, type SwimlaneConfig, type TableColumn, TagBadge, TagList, TagPicker, TaskBar, type TaskComment, TaskDetailModal, type TaskDetailModalProps, type TaskFilterType, type TaskFormData, TaskFormModal, type TaskFormModalProps, TaskGrid, type TaskPriority, type TaskTag, type Theme, type ThemeColors, type ThemeContextValue, ThemeModal, type ThemeModalProps, type ThemeName, ThemeProvider, ThemeSwitcher, type TimeEntry, TimeInputPopover, type TimeInputPopoverProps, type TimeLogInput, type TimeLogSource, TimePill, type TimePillProps, TimePopover, type TimePopoverProps, type TimeScale, type TimeTrackingBoardProps, type TimeTrackingCallbacks, type TimeTrackingSummary, Timeline, type TimerState, type ThemeColors$1 as TokenThemeColors, type TokenValue, type UsageStats, type UseAIOptions, type UseAIReturn, type UseBoardReturn as UseBoardCoreReturn, type UseBoardOptions, type UseBoardReturn$1 as UseBoardReturn, type UseCardStackingOptions, type UseCardStackingResult, type UseDragStateReturn, type UseFiltersOptions, type UseFiltersReturn, type UseKanbanStateOptions, type UseKanbanStateReturn, type UseKeyboardShortcutsOptions, type UseKeyboardShortcutsReturn, type UseMultiSelectReturn, type UseSelectionStateReturn, type User$1 as User, UserAssignmentSelector, type UserAssignmentSelectorProps, VelocityChart, type VelocityChartProps, type VelocityDataPoint, VirtualGrid, type VirtualGridProps, VirtualList, type VirtualListProps, type WeekDay, type ZIndexToken, aiUsageTracker, borderRadius, calculatePosition, darkTheme$2 as calendarDarkTheme, en as calendarEnTranslations, es as calendarEsTranslations, lightTheme$2 as calendarLightTheme, neutralTheme$2 as calendarNeutralTheme, calendarThemes, calendarTranslations, cardToGanttTask, cardsToGanttTasks, cn, createKanbanView, createRetryWrapper, darkTheme, darkTheme$1 as darkTokenTheme, defaultTheme, designTokens, duration, easing, exportTokensToCSS, findTaskByName, fontSize, fontWeight, formatCost, en$2 as ganttEnTranslations, es$2 as ganttEsTranslations, ganttTaskToCardUpdate, themes$1 as ganttThemes, gantt as ganttTokens, translations as ganttTranslations, ganttUtils, generateCSSVariables, generateCompleteCSS, generateInitialPositions, generateTasksContext, generateThemeVariables, getCalendarTheme, getCalendarTranslations, getListViewTheme, getListViewTranslations, getMonthNames, getToken, getTranslations, getWeekdayNames, kanban as kanbanTokens, lightTheme, lightTheme$1 as lightTokenTheme, lineHeight, darkTheme$3 as listViewDarkTheme, en$1 as listViewEnTranslations, es$1 as listViewEsTranslations, lightTheme$3 as listViewLightTheme, neutralTheme$3 as listViewNeutralTheme, listViewThemes, listViewTranslations, mergeCalendarTranslations, mergeListViewTranslations, mergeTranslations, neutralTheme, neutralTheme$1 as neutralTokenTheme, opacity, parseLocalCommand, parseNaturalDate, parseNaturalDuration, parseProgress, parseStatus, pluginManager, retrySyncOperation, retryWithBackoff, shadows, shouldVirtualizeGrid, spacing, themes, useAI, useBoard$1 as useBoard, useBoard as useBoardCore, useBoardStore, useCardStacking, useDragState, useFilteredCards, useFilters, useGanttI18n, useKanbanState, useKeyboardShortcuts, useMultiSelect, useSelectionState, useSortedCards, useTheme, useVirtualGrid, useVirtualList, validateAIResponse, withErrorBoundary, wouldCreateCircularDependency, zIndex };