@optifye/dashboard-core 6.6.0 → 6.6.3

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
@@ -164,6 +164,7 @@ interface DashboardConfig {
164
164
  s3Config?: S3Config;
165
165
  videoConfig?: VideoConfig;
166
166
  skuConfig?: SKUConfig;
167
+ supervisorConfig?: SupervisorConfig;
167
168
  /** Feature flags or other arbitrary app-specific config values */
168
169
  featureFlags?: Record<string, boolean>;
169
170
  /** Generic object to allow any other custom config values needed by the app or overrides */
@@ -330,6 +331,10 @@ interface SKUConfig {
330
331
  /** Allow multiple SKUs per line */
331
332
  allowMultipleSKUsPerLine?: boolean;
332
333
  }
334
+ interface SupervisorConfig {
335
+ /** Enable/disable supervisor management features */
336
+ enabled: boolean;
337
+ }
333
338
 
334
339
  interface BasePerformanceMetric {
335
340
  id: string;
@@ -1315,6 +1320,17 @@ declare class S3ClipsService$1 {
1315
1320
  * Create empty video index for compatibility
1316
1321
  */
1317
1322
  private createEmptyVideoIndex;
1323
+ /**
1324
+ * Get clip by ID
1325
+ */
1326
+ getClipById(clipId: string, sopCategories?: SOPCategory[]): Promise<BottleneckVideoData | null>;
1327
+ /**
1328
+ * Get neighboring clips
1329
+ */
1330
+ getNeighboringClips(workspaceId: string, date: string, shiftId: string | number, category: string, currentClipId: string, sopCategories?: SOPCategory[]): Promise<{
1331
+ previous: BottleneckVideoData | null;
1332
+ next: BottleneckVideoData | null;
1333
+ }>;
1318
1334
  /**
1319
1335
  * Cleanup
1320
1336
  */
@@ -2471,7 +2487,7 @@ declare const useTargets: (options?: UseTargetsOptions) => {
2471
2487
  * @property {string} [createdAt] - Timestamp of creation.
2472
2488
  * @property {string} [updatedAt] - Timestamp of last update.
2473
2489
  */
2474
- interface ShiftData$2 {
2490
+ interface ShiftData$3 {
2475
2491
  id: string | number;
2476
2492
  name: string;
2477
2493
  startTime: string;
@@ -2502,7 +2518,7 @@ interface ShiftData$2 {
2502
2518
  * // Render shifts information
2503
2519
  */
2504
2520
  declare const useShifts: () => {
2505
- shifts: ShiftData$2[];
2521
+ shifts: ShiftData$3[];
2506
2522
  isLoading: boolean;
2507
2523
  error: MetricsError | null;
2508
2524
  refetch: () => Promise<void>;
@@ -2963,7 +2979,18 @@ interface ClipType {
2963
2979
  color: string;
2964
2980
  description?: string;
2965
2981
  subtitle?: string;
2982
+ icon?: string;
2983
+ sort_order?: number;
2984
+ severity_levels?: string[];
2966
2985
  count?: number;
2986
+ metadata?: {
2987
+ label?: string;
2988
+ color?: string;
2989
+ description?: string;
2990
+ icon?: string;
2991
+ sort_order?: number;
2992
+ severity_levels?: string[];
2993
+ };
2967
2994
  }
2968
2995
  /**
2969
2996
  * S3 Clips Service - Supabase Implementation
@@ -3013,8 +3040,22 @@ declare class S3ClipsSupabaseService {
3013
3040
  * Get clip counts (simplified version)
3014
3041
  */
3015
3042
  getClipCounts(workspaceId: string, date: string, shiftId: string | number): Promise<Record<string, number>>;
3043
+ /**
3044
+ * Get clip by ID - stable navigation method
3045
+ * This ensures navigation works even when new clips are added
3046
+ */
3047
+ getClipById(clipId: string, sopCategories?: SOPCategory[]): Promise<BottleneckVideoData | null>;
3048
+ /**
3049
+ * Get neighboring clips for navigation
3050
+ * Returns previous and next clips based on timestamp
3051
+ */
3052
+ getNeighboringClips(workspaceId: string, date: string, shiftId: string | number, category: string, currentClipId: string, sopCategories?: SOPCategory[]): Promise<{
3053
+ previous: BottleneckVideoData | null;
3054
+ next: BottleneckVideoData | null;
3055
+ }>;
3016
3056
  /**
3017
3057
  * Get clip by index
3058
+ * @deprecated Use getClipById for stable navigation
3018
3059
  */
3019
3060
  getClipByIndex(workspaceId: string, date: string, shiftId: string | number, category: string, index: number): Promise<BottleneckVideoData | null>;
3020
3061
  /**
@@ -3050,17 +3091,12 @@ declare class S3ClipsSupabaseService {
3050
3091
  }
3051
3092
 
3052
3093
  /**
3053
- * Video Prefetch Manager
3094
+ * Video Prefetch Manager - DISABLED
3054
3095
  *
3055
- * Centralized singleton for managing video clip prefetching across the application.
3056
- * Prevents duplicate API requests and provides event-driven status updates.
3096
+ * This service has been disabled as part of removing all client-side caching and preloading.
3097
+ * All methods now return empty/null values to prevent any caching or prefetching.
3057
3098
  *
3058
- * Features:
3059
- * - Singleton pattern with Promise caching
3060
- * - Two-phase loading: RENDER_READY → FULLY_INDEXED
3061
- * - Event-driven architecture for real-time status updates
3062
- * - Thread-safe state management
3063
- * - Automatic cleanup and error handling
3099
+ * The file is kept for compatibility but all functionality is disabled.
3064
3100
  */
3065
3101
 
3066
3102
  declare const S3ClipsService: typeof S3ClipsService$1 | typeof S3ClipsSupabaseService;
@@ -3081,50 +3117,24 @@ type RenderReadyCallback = (key: string, data: ClipCountsWithIndex$2) => void;
3081
3117
  type FullyIndexedCallback = (key: string, data: ClipCountsWithIndex$2) => void;
3082
3118
  type ErrorCallback = (key: string, error: Error) => void;
3083
3119
  /**
3084
- * Centralized Video Prefetch Manager
3120
+ * DISABLED Video Prefetch Manager
3085
3121
  *
3086
- * Manages video clip prefetching with Promise caching and event-driven updates.
3087
- * Prevents duplicate requests and provides granular loading states.
3122
+ * All methods return null/empty values - no caching or prefetching occurs
3088
3123
  */
3089
3124
  declare class VideoPrefetchManager extends EventEmitter {
3090
- private requests;
3091
3125
  private s3Services;
3092
- private cleanupInterval;
3093
- private readonly REQUEST_TTL;
3094
- private readonly CLEANUP_INTERVAL;
3095
- private readonly MAX_CONCURRENT_REQUESTS;
3096
3126
  constructor();
3097
3127
  /**
3098
- * Generate cache key for request parameters
3099
- */
3100
- private generateKey;
3101
- /**
3102
- * Get or create S3 service instance for dashboard config
3103
- * Public method to allow sharing the same S3Service instance across components
3128
+ * Get or create S3 service instance
3129
+ * Still functional to provide S3 service instances
3104
3130
  */
3105
3131
  getS3Service(dashboardConfig: DashboardConfig): InstanceType<typeof S3ClipsService>;
3106
3132
  /**
3107
- * Emit status change event with error handling
3108
- */
3109
- private safeEmit;
3110
- /**
3111
- * Update request status and emit events
3112
- */
3113
- private updateRequestStatus;
3114
- /**
3115
- * Perform the actual prefetch operation with timeout protection
3116
- */
3117
- private executePrefetch;
3118
- /**
3119
- * Perform the actual prefetch work
3120
- */
3121
- private performPrefetchWork;
3122
- /**
3123
- * Start prefetch operation for given parameters
3133
+ * DISABLED - Returns null immediately
3124
3134
  */
3125
3135
  prefetch(params: PrefetchParams, dashboardConfig: DashboardConfig, subscriberId?: string, buildIndex?: boolean): Promise<ClipCountsWithIndex$2 | null>;
3126
3136
  /**
3127
- * Get current status of a prefetch request
3137
+ * DISABLED - Returns idle status
3128
3138
  */
3129
3139
  getStatus(params: PrefetchParams): {
3130
3140
  status: PrefetchStatus;
@@ -3134,15 +3144,15 @@ declare class VideoPrefetchManager extends EventEmitter {
3134
3144
  isFullyIndexed: boolean;
3135
3145
  };
3136
3146
  /**
3137
- * Check if data is available (either render-ready or fully indexed)
3147
+ * DISABLED - Always returns false
3138
3148
  */
3139
3149
  isDataAvailable(params: PrefetchParams): boolean;
3140
3150
  /**
3141
- * Get cached data if available
3151
+ * DISABLED - Always returns null
3142
3152
  */
3143
3153
  getCachedData(params: PrefetchParams): ClipCountsWithIndex$2 | null;
3144
3154
  /**
3145
- * Subscribe to status changes for specific request
3155
+ * DISABLED - Returns empty cleanup function
3146
3156
  */
3147
3157
  subscribe(params: PrefetchParams, subscriberId: string, callbacks: {
3148
3158
  onStatusChange?: StatusChangeCallback;
@@ -3151,15 +3161,15 @@ declare class VideoPrefetchManager extends EventEmitter {
3151
3161
  onError?: ErrorCallback;
3152
3162
  }): () => void;
3153
3163
  /**
3154
- * Cancel a prefetch request
3164
+ * DISABLED - Does nothing
3155
3165
  */
3156
3166
  cancel(params: PrefetchParams, subscriberId?: string): void;
3157
3167
  /**
3158
- * Clear all requests (useful for testing or reset)
3168
+ * DISABLED - Does nothing
3159
3169
  */
3160
3170
  clear(): void;
3161
3171
  /**
3162
- * Get statistics about current requests
3172
+ * DISABLED - Returns empty stats
3163
3173
  */
3164
3174
  getStats(): {
3165
3175
  totalRequests: number;
@@ -3168,92 +3178,44 @@ declare class VideoPrefetchManager extends EventEmitter {
3168
3178
  totalSubscribers: number;
3169
3179
  };
3170
3180
  /**
3171
- * Start cleanup task to remove old requests
3172
- */
3173
- private startCleanup;
3174
- /**
3175
- * Stop cleanup task
3181
+ * DISABLED - Does nothing
3176
3182
  */
3177
3183
  destroy(): void;
3178
3184
  }
3179
3185
  declare const videoPrefetchManager: VideoPrefetchManager;
3180
3186
 
3181
3187
  /**
3182
- * usePrefetchClipCounts Hook
3188
+ * usePrefetchClipCounts Hook - DISABLED
3183
3189
  *
3184
- * Prefetches clip counts for video clips when workspace detail page loads.
3185
- * This hook is designed to start fetching data before the user clicks on the clips tab,
3186
- * enabling 70-90% faster rendering when they do access the clips.
3190
+ * This hook has been disabled as part of removing all client-side caching and preloading.
3191
+ * All functionality returns empty/null values to prevent any prefetching.
3187
3192
  *
3188
- * Enhanced with videoPrefetchManager integration for deduplication and event-driven updates.
3193
+ * The file is kept for compatibility but all functionality is disabled.
3189
3194
  */
3195
+
3190
3196
  declare const USE_SUPABASE_CLIPS = true;
3191
3197
 
3192
3198
  type ClipCountsWithIndex = typeof USE_SUPABASE_CLIPS extends true ? ClipCountsWithIndex$1 : ClipCountsWithIndex$2;
3193
3199
  interface UsePrefetchClipCountsOptions {
3194
- /**
3195
- * Workspace ID to prefetch counts for
3196
- */
3197
3200
  workspaceId: string;
3198
- /**
3199
- * Optional date string (YYYY-MM-DD). If not provided, uses operational date
3200
- */
3201
3201
  date?: string;
3202
- /**
3203
- * Optional shift ID (0 = day, 1 = night). If not provided, uses current shift
3204
- */
3205
3202
  shift?: number | string;
3206
- /**
3207
- * Whether to enable prefetching. Defaults to true
3208
- */
3209
3203
  enabled?: boolean;
3210
- /**
3211
- * Whether to build full video index. Defaults to false for cost efficiency.
3212
- * Set to true only if you need the complete video index.
3213
- */
3214
3204
  buildIndex?: boolean;
3215
- /**
3216
- * Subscriber ID for tracking. Auto-generated if not provided
3217
- */
3218
3205
  subscriberId?: string;
3219
3206
  }
3220
3207
  interface UsePrefetchClipCountsResult {
3221
- /**
3222
- * Current prefetch status
3223
- */
3224
3208
  status: PrefetchStatus;
3225
- /**
3226
- * Clip counts data (available when render ready or fully indexed)
3227
- */
3228
3209
  data: ClipCountsWithIndex | null;
3229
- /**
3230
- * Any error that occurred during prefetching
3231
- */
3232
3210
  error: Error | null;
3233
- /**
3234
- * Whether data is ready for rendering (counts available)
3235
- */
3236
3211
  isRenderReady: boolean;
3237
- /**
3238
- * Whether full video index is available
3239
- */
3240
3212
  isFullyIndexed: boolean;
3241
- /**
3242
- * Whether the prefetch is currently in progress
3243
- */
3244
3213
  isLoading: boolean;
3245
- /**
3246
- * Manual trigger function for re-prefetching
3247
- */
3248
3214
  prefetchClipCounts: () => Promise<ClipCountsWithIndex | null>;
3249
- /**
3250
- * Cache key used for this request
3251
- */
3252
3215
  cacheKey: string;
3253
3216
  }
3254
3217
  /**
3255
- * Hook to prefetch clip counts and build video index for faster clips tab loading
3256
- * Enhanced with videoPrefetchManager integration
3218
+ * DISABLED Hook - Returns empty/null values
3257
3219
  */
3258
3220
  declare const usePrefetchClipCounts: ({ workspaceId, date, shift, enabled, buildIndex, subscriberId }: UsePrefetchClipCountsOptions) => UsePrefetchClipCountsResult;
3259
3221
 
@@ -4412,32 +4374,17 @@ declare const getDefaultTabForWorkspace: (workspaceId?: string, displayName?: st
4412
4374
  declare const getWorkspaceNavigationParams: (workspaceId: string, displayName: string, lineId?: string) => string;
4413
4375
 
4414
4376
  /**
4415
- * VideoPreloader – lightweight, URL-only video pre-loading helper.
4377
+ * VideoPreloader – DISABLED
4416
4378
  *
4417
- * It keeps a Set-based cache of already processed URLs, runs a FIFO queue with a
4418
- * maximum concurrency of two, and supports both regular file sources (e.g.
4419
- * .mp4) as well as HLS playlists (.m3u8). For the latter it dynamically imports
4420
- * `hls.js`, buffers a single fragment, and tears everything down afterwards.
4379
+ * This video preloader has been disabled as part of removing all client-side caching and preloading.
4380
+ * All methods now do nothing to prevent any preloading.
4421
4381
  *
4422
- * No S3 / presigned-URL logic should live here keep this file focused on pure
4423
- * URL pre-loading.
4382
+ * The file is kept for compatibility but all functionality is disabled.
4424
4383
  */
4425
4384
  declare class VideoPreloader {
4426
- /** URLs that have finished (or at least attempted) pre-loading. */
4427
- private readonly cache;
4428
- /** FIFO queue of pending URLs. */
4429
- private queue;
4430
- /** Currently running pre-load operations. */
4431
- private active;
4432
4385
  preloadVideo: (url: string | null | undefined) => void;
4433
4386
  preloadVideos: (urls: (string | null | undefined)[]) => void;
4434
4387
  clear: () => void;
4435
- private processQueue;
4436
- private preloadUrlInternal;
4437
- private canPlayHlsNatively;
4438
- private bufferNative;
4439
- private handleHls;
4440
- private bufferHls;
4441
4388
  }
4442
4389
  declare const videoPreloader: VideoPreloader;
4443
4390
  declare const preloadVideoUrl: (url: string | null | undefined) => void;
@@ -4997,19 +4944,19 @@ interface LinePdfExportButtonProps {
4997
4944
  }
4998
4945
  declare const LinePdfExportButton: React__default.FC<LinePdfExportButtonProps>;
4999
4946
 
5000
- interface ShiftData$1 {
4947
+ interface ShiftData$2 {
5001
4948
  avg_efficiency: number;
5002
4949
  underperforming_workspaces: number;
5003
4950
  total_workspaces: number;
5004
4951
  hasData?: boolean;
5005
4952
  }
5006
- interface DayData$3 {
4953
+ interface DayData$4 {
5007
4954
  date: Date | string;
5008
- dayShift: ShiftData$1;
5009
- nightShift: ShiftData$1;
4955
+ dayShift: ShiftData$2;
4956
+ nightShift: ShiftData$2;
5010
4957
  }
5011
4958
  interface LineHistoryCalendarProps {
5012
- data: DayData$3[];
4959
+ data: DayData$4[];
5013
4960
  month: number;
5014
4961
  year: number;
5015
4962
  lineId: string;
@@ -5075,7 +5022,7 @@ interface WorkspacePerformance {
5075
5022
  efficiency?: number;
5076
5023
  }[];
5077
5024
  }
5078
- interface DayData$2 {
5025
+ interface DayData$3 {
5079
5026
  date: Date;
5080
5027
  dayShift: PerformanceData;
5081
5028
  nightShift: PerformanceData;
@@ -5083,7 +5030,7 @@ interface DayData$2 {
5083
5030
  interface LineMonthlyPdfGeneratorProps {
5084
5031
  lineId: string;
5085
5032
  lineName: string;
5086
- monthlyData: DayData$2[];
5033
+ monthlyData: DayData$3[];
5087
5034
  underperformingWorkspaces: {
5088
5035
  dayShift: WorkspacePerformance[];
5089
5036
  nightShift: WorkspacePerformance[];
@@ -5244,6 +5191,35 @@ interface WorkspaceCardProps {
5244
5191
  }
5245
5192
  declare const WorkspaceCard: React__default.FC<WorkspaceCardProps>;
5246
5193
 
5194
+ interface ShiftData$1 {
5195
+ efficiency: number;
5196
+ output: number;
5197
+ cycleTime: number;
5198
+ pph: number;
5199
+ pphThreshold: number;
5200
+ idealOutput: number;
5201
+ rank: number;
5202
+ idleTime: number;
5203
+ hasData?: boolean;
5204
+ }
5205
+ interface DayData$2 {
5206
+ date: Date;
5207
+ dayShift: ShiftData$1;
5208
+ nightShift: ShiftData$1;
5209
+ }
5210
+ interface WorkspaceHistoryCalendarProps {
5211
+ data: DayData$2[];
5212
+ onDateSelect: (date: string) => void;
5213
+ month: number;
5214
+ year: number;
5215
+ workspaceId: string;
5216
+ selectedShift?: 'day' | 'night';
5217
+ onMonthNavigate?: (newMonth: number, newYear: number) => void;
5218
+ onShiftChange?: (shift: 'day' | 'night') => void;
5219
+ className?: string;
5220
+ }
5221
+ declare const WorkspaceHistoryCalendar: React__default.FC<WorkspaceHistoryCalendarProps>;
5222
+
5247
5223
  interface ShiftData {
5248
5224
  efficiency: number;
5249
5225
  output: number;
@@ -5260,18 +5236,19 @@ interface DayData$1 {
5260
5236
  dayShift: ShiftData;
5261
5237
  nightShift: ShiftData;
5262
5238
  }
5263
- interface WorkspaceHistoryCalendarProps {
5239
+ interface WorkspaceMonthlyHistoryProps {
5264
5240
  data: DayData$1[];
5265
- onDateSelect: (date: string) => void;
5266
5241
  month: number;
5267
5242
  year: number;
5268
5243
  workspaceId: string;
5269
5244
  selectedShift?: 'day' | 'night';
5245
+ onDateSelect: (date: string, shift: 'day' | 'night') => void;
5270
5246
  onMonthNavigate?: (newMonth: number, newYear: number) => void;
5271
5247
  onShiftChange?: (shift: 'day' | 'night') => void;
5248
+ monthlyDataLoading?: boolean;
5272
5249
  className?: string;
5273
5250
  }
5274
- declare const WorkspaceHistoryCalendar: React__default.FC<WorkspaceHistoryCalendarProps>;
5251
+ declare const WorkspaceMonthlyHistory: React__default.FC<WorkspaceMonthlyHistoryProps>;
5275
5252
 
5276
5253
  interface WorkspaceWhatsAppShareProps {
5277
5254
  workspace: WorkspaceDetailedMetrics;
@@ -5984,6 +5961,20 @@ interface InlineEditableTextProps {
5984
5961
  }
5985
5962
  declare const InlineEditableText: React__default.FC<InlineEditableTextProps>;
5986
5963
 
5964
+ /**
5965
+ * NewClipsNotification Component
5966
+ * Displays a notification when new clips are available
5967
+ * Following S-tier design principles: subtle, non-disruptive, user-controlled
5968
+ */
5969
+
5970
+ interface NewClipsNotificationProps {
5971
+ count: number;
5972
+ onRefresh: () => void;
5973
+ onDismiss: () => void;
5974
+ className?: string;
5975
+ }
5976
+ declare const NewClipsNotification: React__default.FC<NewClipsNotificationProps>;
5977
+
5987
5978
  interface LoadingStateProps {
5988
5979
  message?: string;
5989
5980
  subMessage?: string;
@@ -6727,4 +6718,4 @@ interface ThreadSidebarProps {
6727
6718
  }
6728
6719
  declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
6729
6720
 
6730
- export { ACTION_NAMES, AIAgentView, type AccessControlReturn, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, type AnalyticsConfig, AudioService, AuthCallback, type AuthCallbackProps, AuthCallbackView, type AuthCallbackViewProps, type AuthConfig, AuthProvider, type AuthUser, AuthenticatedFactoryView, AuthenticatedHelpView, AuthenticatedHomeView, AuthenticatedShiftsView, AuthenticatedTargetsView, AuthenticatedWorkspaceHealthView, BackButton, BackButtonMinimal, BarChart, type BarChartDataItem, type BarChartProps, type BarProps, BaseHistoryCalendar, type BaseHistoryCalendarProps, type BaseLineMetric, type BasePerformanceMetric, type BottleneckFilterType, type BottleneckVideo, type BottleneckVideoData, BottlenecksContent, type BottlenecksContentProps, type BreadcrumbItem, type Break, BreakNotificationPopup, type BreakNotificationPopupProps, type BreakRowProps, type CacheEntryWithPrefetch, CachePrefetchStatus, type CachePrefetchStatusCallback, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, type ChatMessage, type ChatThread, type CleanupFunction, type ClipCounts, type ClipCountsWithIndex$2 as ClipCountsWithIndex, CompactWorkspaceHealthCard, type CompanyUser, type ComponentOverride, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, type CropConfig, CroppedVideoPlayer, type CroppedVideoPlayerProps, type CurrentShiftResult, CycleTimeChart, type CycleTimeChartProps, CycleTimeOverTimeChart, type CycleTimeOverTimeChartProps, DEFAULT_ANALYTICS_CONFIG, DEFAULT_AUTH_CONFIG, DEFAULT_CONFIG, DEFAULT_DATABASE_CONFIG, DEFAULT_DATE_TIME_CONFIG, DEFAULT_ENDPOINTS_CONFIG, DEFAULT_ENTITY_CONFIG, DEFAULT_SHIFT_CONFIG, DEFAULT_THEME_CONFIG, DEFAULT_VIDEO_CONFIG, DEFAULT_WORKSPACE_CONFIG, DEFAULT_WORKSPACE_POSITIONS, type DashboardConfig, DashboardHeader, type DashboardKPIs, DashboardLayout, type DashboardLayoutProps, DashboardOverridesProvider, DashboardProvider, type DashboardService, type DatabaseConfig, DateDisplay, type DateTimeConfig, DateTimeDisplay, type DateTimeDisplayProps, type DayHistoryData, type DaySummaryData, DebugAuth, DebugAuthView, DetailedHealthStatus, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type FactoryOverviewData, FactoryView, type FactoryViewProps, FirstTimeLoginDebug, FirstTimeLoginHandler, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, type HealthAlertConfig, type HealthAlertHistory, type HealthFilterOptions, type HealthMetrics, type HealthStatus, HealthStatusGrid, HealthStatusIndicator, type HealthSummary, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, InlineEditableText, InteractiveOnboardingTour, KPICard, type KPICardProps, KPIDetailViewWithDisplayNames as KPIDetailView, type KPIDetailViewProps, KPIGrid, type KPIGridProps, KPIHeader, type KPIHeaderProps, KPISection, type KPITrend, KPIsOverviewView, type KPIsOverviewViewProps, LINE_1_UUID, LINE_2_UUID, LargeOutputProgressChart, type LargeOutputProgressChartProps, LeaderboardDetailViewWithDisplayNames as LeaderboardDetailView, type LeaderboardDetailViewProps, type LeaderboardEntry, Legend, type Line$1 as Line, LineChart, type LineChartDataItem, type LineChartProps, type LineDetails, type LineDisplayData, LineHistoryCalendar, type LineHistoryCalendarProps, type LineInfo, type LineMetrics, LineMonthlyHistory, type LineMonthlyHistoryProps, type LineMonthlyMetric, LineMonthlyPdfGenerator, type LineMonthlyPdfGeneratorProps, type LineNavigationParams, LinePdfExportButton, type LinePdfExportButtonProps, LinePdfGenerator, type LinePdfGeneratorProps, type LineProps, type LineShiftConfig, type LineSnapshot, type LineThreshold, LineWhatsAppShareButton, type LineWhatsAppShareProps, LinesService, LiveTimer, LoadingInline, LoadingInline as LoadingInlineProps, LoadingOverlay, LoadingPage, LoadingSkeleton, LoadingSkeleton as LoadingSkeletonProps, LoadingState, LoadingState as LoadingStateProps, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, MainLayout, type MainLayoutProps, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, MinimalOnboardingPopup, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NoWorkspaceData, OnboardingDemo, OnboardingTour, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OptifyeLogoLoader, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, PieChart, type PieChartProps, type PoorPerformingWorkspace, PrefetchConfigurationError, PrefetchError, PrefetchEvents, type PrefetchKey, type PrefetchManagerConfig, type PrefetchManagerStats, type PrefetchOptions, type PrefetchParams$1 as PrefetchParams, type PrefetchRequest, type PrefetchResult, PrefetchStatus$1 as PrefetchStatus, type PrefetchStatusResult, type PrefetchSubscriptionCallbacks, PrefetchTimeoutError, type ProfileMenuItem, ProfileView, type QualityMetric, type QualityOverview, type QualityService, type RateLimitOptions, type RateLimitResult, type RealtimeService, RegistryProvider, type RenderReadyCallback$1 as RenderReadyCallback, type RoutePath, type S3ClipsAPIParams, S3ClipsService$1 as S3ClipsService, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, type SKU, type SKUConfig, type SKUCreateInput, type SKUListProps, SKUManagementView, type SKUModalProps, type SKUSelectorProps, type SKUUpdateInput, type SOPCategory, SOPComplianceChart, type SOPComplianceChartProps, SSEChatClient, type SSEEvent, Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectScrollDownButton, SelectScrollUpButton, SelectSeparator, SelectTrigger, SelectValue, type ShiftConfig, type ShiftConfiguration, type ShiftConfigurationRecord, type ShiftData$2 as ShiftData, ShiftDisplay, type ShiftHistoryData, type ShiftHoursMap, type ShiftPanelProps, type ShiftSummaryData, type ShiftTime, ShiftsView, type ShiftsViewProps, SideNavBar, type SideNavBarProps, type SimpleLine, SimpleOnboardingPopup, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, type Supervisor, type SupervisorAssignment, SupervisorDropdown, type SupervisorDropdownProps, type SupervisorManagementData, SupervisorManagementView, type SupervisorManagementViewProps, SupervisorService, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsViewWithDisplayNames as TargetsView, type TargetsViewProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TicketHistory, TicketHistoryService, TimeDisplay, TimePickerDropdown, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UptimeDetails, type UseActiveBreaksResult, type UseClipTypesResult, type UseDashboardMetricsProps, type UseFactoryOverviewOptions, type UseFormatNumberResult, type UseMessagesResult, type UsePrefetchClipCountsOptions$1 as UsePrefetchClipCountsOptions, type UsePrefetchClipCountsResult$1 as UsePrefetchClipCountsResult, type UseRealtimeLineMetricsProps, type UseTargetsOptions, type UseThreadsResult, type UseTicketHistoryReturn, type UseWorkspaceOperatorsOptions, type UserProfileConfig, type UserRole, UserService, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, type VideoIndex$1 as VideoIndex, type VideoIndexEntry$1 as VideoIndexEntry, type VideoMetadata, VideoPlayer, type VideoPlayerEventData, type VideoPlayerProps, type VideoPlayerRef, VideoPreloader, type VideoSeverity, type VideoSummary, type VideoType, WORKSPACE_POSITIONS, type WhatsAppSendResult, WhatsAppShareButton, type WhatsAppShareButtonProps, type WhatsappService, type Workspace, type WorkspaceActionUpdate, WorkspaceCard, type WorkspaceCardProps, type WorkspaceConfig, WrappedComponent as WorkspaceDetailView, type WorkspaceDetailedMetrics, WorkspaceDisplayNameExample, WorkspaceGrid, WorkspaceGridItem, type WorkspaceGridItemProps, type WorkspaceHealth, WorkspaceHealthCard, type WorkspaceHealthInfo, _default as WorkspaceHealthView, type WorkspaceHealthWithStatus, WorkspaceHistoryCalendar, WorkspaceMetricCards, WorkspaceMetricCardsImpl, type WorkspaceMetricCardsProps, type WorkspaceMetrics, WorkspaceMonthlyDataFetcher, type WorkspaceMonthlyDataFetcherProps, type WorkspaceMonthlyMetric, WorkspaceMonthlyPdfGenerator, type WorkspaceMonthlyPdfGeneratorProps, type WorkspaceNavigationParams, WorkspacePdfExportButton, type WorkspacePdfExportButtonProps, WorkspacePdfGenerator, type WorkspacePdfGeneratorProps, type WorkspacePosition, type WorkspaceQualityData, type WorkspaceUrlMapping, WorkspaceWhatsAppShareButton, type WorkspaceWhatsAppShareProps, actionService, apiUtils, authCoreService, authOTPService, authRateLimitService, checkRateLimit, clearAllRateLimits, clearRateLimit, clearS3VideoCache, clearS3VideoFromCache, clearWorkspaceDisplayNamesCache, cn, createLinesService, createStreamProxyHandler, createSupabaseClient, createSupervisorService, createThrottledReload, createUserService, dashboardService, deleteThread, forceRefreshWorkspaceDisplayNames, formatDateInZone, formatDateTimeInZone, formatISTDate, formatIdleTime, formatTimeInZone, fromUrlFriendlyName, getAllLineDisplayNames, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAnonClient, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getConfiguredLineIds, getCoreSessionRecordingProperties, getCoreSessionReplayUrl, getCurrentShift, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultLineId, getDefaultTabForWorkspace, getLineDisplayName, getManufacturingInsights, getMetricsTablePrefix, getOperationalDate, getS3SignedUrl, getS3VideoSrc, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getSubscriptionManager, getThreadMessages, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, identifyCoreUser, initializeCoreMixpanel, isLegacyConfiguration, isPrefetchError, isTransitionPeriod, isUrlPermanentlyFailed, isValidFactoryViewConfiguration, isValidLineInfoPayload, isValidPrefetchParams, isValidPrefetchStatus, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, linesService, mergeWithDefaultConfig, migrateLegacyConfiguration, optifyeAgentClient, parseS3Uri, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, shuffleArray, simulateApiDelay, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useAccessControl, useActiveBreaks, useAllWorkspaceMetrics, useAnalyticsConfig, useAudioService, useAuth, useAuthConfig, useCanSaveTargets, useClipTypes, useClipTypesWithCounts, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHistoricWorkspaceMetrics, useHlsStream, useHlsStreamWithCropping, useHookOverride, useHourEndTimer, useHourlyTargetAchievements, useHourlyTargetMisses, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineWorkspaceMetrics, useMessages, useMetrics, useNavigation, useOverrides, usePageOverride, usePrefetchClipCounts, useRealtimeLineMetrics, useRegistry, useSKUs, useShiftConfig, useShifts, useSubscriptionManager, useSubscriptionManagerSafe, useSupabase, useSupabaseClient, useTargets, useTheme, useThemeConfig, useThreads, useTicketHistory, useVideoConfig, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceHealth, useWorkspaceHealthById, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, userService, videoPrefetchManager, videoPreloader, whatsappService, withAccessControl, withAuth, withRegistry, workspaceHealthService, workspaceService };
6721
+ export { ACTION_NAMES, AIAgentView, type AccessControlReturn, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, type AnalyticsConfig, AudioService, AuthCallback, type AuthCallbackProps, AuthCallbackView, type AuthCallbackViewProps, type AuthConfig, AuthProvider, type AuthUser, AuthenticatedFactoryView, AuthenticatedHelpView, AuthenticatedHomeView, AuthenticatedShiftsView, AuthenticatedTargetsView, AuthenticatedWorkspaceHealthView, BackButton, BackButtonMinimal, BarChart, type BarChartDataItem, type BarChartProps, type BarProps, BaseHistoryCalendar, type BaseHistoryCalendarProps, type BaseLineMetric, type BasePerformanceMetric, type BottleneckFilterType, type BottleneckVideo, type BottleneckVideoData, BottlenecksContent, type BottlenecksContentProps, type BreadcrumbItem, type Break, BreakNotificationPopup, type BreakNotificationPopupProps, type BreakRowProps, type CacheEntryWithPrefetch, CachePrefetchStatus, type CachePrefetchStatusCallback, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, type ChatMessage, type ChatThread, type CleanupFunction, type ClipCounts, type ClipCountsWithIndex$2 as ClipCountsWithIndex, CompactWorkspaceHealthCard, type CompanyUser, type ComponentOverride, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, type CropConfig, CroppedVideoPlayer, type CroppedVideoPlayerProps, type CurrentShiftResult, CycleTimeChart, type CycleTimeChartProps, CycleTimeOverTimeChart, type CycleTimeOverTimeChartProps, DEFAULT_ANALYTICS_CONFIG, DEFAULT_AUTH_CONFIG, DEFAULT_CONFIG, DEFAULT_DATABASE_CONFIG, DEFAULT_DATE_TIME_CONFIG, DEFAULT_ENDPOINTS_CONFIG, DEFAULT_ENTITY_CONFIG, DEFAULT_SHIFT_CONFIG, DEFAULT_THEME_CONFIG, DEFAULT_VIDEO_CONFIG, DEFAULT_WORKSPACE_CONFIG, DEFAULT_WORKSPACE_POSITIONS, type DashboardConfig, DashboardHeader, type DashboardKPIs, DashboardLayout, type DashboardLayoutProps, DashboardOverridesProvider, DashboardProvider, type DashboardService, type DatabaseConfig, DateDisplay, type DateTimeConfig, DateTimeDisplay, type DateTimeDisplayProps, type DayHistoryData, type DaySummaryData, DebugAuth, DebugAuthView, DetailedHealthStatus, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type FactoryOverviewData, FactoryView, type FactoryViewProps, FirstTimeLoginDebug, FirstTimeLoginHandler, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, type HealthAlertConfig, type HealthAlertHistory, type HealthFilterOptions, type HealthMetrics, type HealthStatus, HealthStatusGrid, HealthStatusIndicator, type HealthSummary, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, InlineEditableText, InteractiveOnboardingTour, KPICard, type KPICardProps, KPIDetailViewWithDisplayNames as KPIDetailView, type KPIDetailViewProps, KPIGrid, type KPIGridProps, KPIHeader, type KPIHeaderProps, KPISection, type KPITrend, KPIsOverviewView, type KPIsOverviewViewProps, LINE_1_UUID, LINE_2_UUID, LargeOutputProgressChart, type LargeOutputProgressChartProps, LeaderboardDetailViewWithDisplayNames as LeaderboardDetailView, type LeaderboardDetailViewProps, type LeaderboardEntry, Legend, type Line$1 as Line, LineChart, type LineChartDataItem, type LineChartProps, type LineDetails, type LineDisplayData, LineHistoryCalendar, type LineHistoryCalendarProps, type LineInfo, type LineMetrics, LineMonthlyHistory, type LineMonthlyHistoryProps, type LineMonthlyMetric, LineMonthlyPdfGenerator, type LineMonthlyPdfGeneratorProps, type LineNavigationParams, LinePdfExportButton, type LinePdfExportButtonProps, LinePdfGenerator, type LinePdfGeneratorProps, type LineProps, type LineShiftConfig, type LineSnapshot, type LineThreshold, LineWhatsAppShareButton, type LineWhatsAppShareProps, LinesService, LiveTimer, LoadingInline, LoadingInline as LoadingInlineProps, LoadingOverlay, LoadingPage, LoadingSkeleton, LoadingSkeleton as LoadingSkeletonProps, LoadingState, LoadingState as LoadingStateProps, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, MainLayout, type MainLayoutProps, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, MinimalOnboardingPopup, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NewClipsNotification, type NewClipsNotificationProps, NoWorkspaceData, OnboardingDemo, OnboardingTour, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OptifyeLogoLoader, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, PieChart, type PieChartProps, type PoorPerformingWorkspace, PrefetchConfigurationError, PrefetchError, PrefetchEvents, type PrefetchKey, type PrefetchManagerConfig, type PrefetchManagerStats, type PrefetchOptions, type PrefetchParams$1 as PrefetchParams, type PrefetchRequest, type PrefetchResult, PrefetchStatus$1 as PrefetchStatus, type PrefetchStatusResult, type PrefetchSubscriptionCallbacks, PrefetchTimeoutError, type ProfileMenuItem, ProfileView, type QualityMetric, type QualityOverview, type QualityService, type RateLimitOptions, type RateLimitResult, type RealtimeService, RegistryProvider, type RenderReadyCallback$1 as RenderReadyCallback, type RoutePath, type S3ClipsAPIParams, S3ClipsService$1 as S3ClipsService, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, type SKU, type SKUConfig, type SKUCreateInput, type SKUListProps, SKUManagementView, type SKUModalProps, type SKUSelectorProps, type SKUUpdateInput, type SOPCategory, SOPComplianceChart, type SOPComplianceChartProps, SSEChatClient, type SSEEvent, Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectScrollDownButton, SelectScrollUpButton, SelectSeparator, SelectTrigger, SelectValue, type ShiftConfig, type ShiftConfiguration, type ShiftConfigurationRecord, type ShiftData$3 as ShiftData, ShiftDisplay, type ShiftHistoryData, type ShiftHoursMap, type ShiftPanelProps, type ShiftSummaryData, type ShiftTime, ShiftsView, type ShiftsViewProps, SideNavBar, type SideNavBarProps, type SimpleLine, SimpleOnboardingPopup, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, type Supervisor, type SupervisorAssignment, type SupervisorConfig, SupervisorDropdown, type SupervisorDropdownProps, type SupervisorManagementData, SupervisorManagementView, type SupervisorManagementViewProps, SupervisorService, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsViewWithDisplayNames as TargetsView, type TargetsViewProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TicketHistory, TicketHistoryService, TimeDisplay, TimePickerDropdown, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UptimeDetails, type UseActiveBreaksResult, type UseClipTypesResult, type UseDashboardMetricsProps, type UseFactoryOverviewOptions, type UseFormatNumberResult, type UseMessagesResult, type UsePrefetchClipCountsOptions$1 as UsePrefetchClipCountsOptions, type UsePrefetchClipCountsResult$1 as UsePrefetchClipCountsResult, type UseRealtimeLineMetricsProps, type UseTargetsOptions, type UseThreadsResult, type UseTicketHistoryReturn, type UseWorkspaceOperatorsOptions, type UserProfileConfig, type UserRole, UserService, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, type VideoIndex$1 as VideoIndex, type VideoIndexEntry$1 as VideoIndexEntry, type VideoMetadata, VideoPlayer, type VideoPlayerEventData, type VideoPlayerProps, type VideoPlayerRef, VideoPreloader, type VideoSeverity, type VideoSummary, type VideoType, WORKSPACE_POSITIONS, type WhatsAppSendResult, WhatsAppShareButton, type WhatsAppShareButtonProps, type WhatsappService, type Workspace, type WorkspaceActionUpdate, WorkspaceCard, type WorkspaceCardProps, type WorkspaceConfig, WrappedComponent as WorkspaceDetailView, type WorkspaceDetailedMetrics, WorkspaceDisplayNameExample, WorkspaceGrid, WorkspaceGridItem, type WorkspaceGridItemProps, type WorkspaceHealth, WorkspaceHealthCard, type WorkspaceHealthInfo, _default as WorkspaceHealthView, type WorkspaceHealthWithStatus, WorkspaceHistoryCalendar, WorkspaceMetricCards, WorkspaceMetricCardsImpl, type WorkspaceMetricCardsProps, type WorkspaceMetrics, WorkspaceMonthlyDataFetcher, type WorkspaceMonthlyDataFetcherProps, WorkspaceMonthlyHistory, type WorkspaceMonthlyMetric, WorkspaceMonthlyPdfGenerator, type WorkspaceMonthlyPdfGeneratorProps, type WorkspaceNavigationParams, WorkspacePdfExportButton, type WorkspacePdfExportButtonProps, WorkspacePdfGenerator, type WorkspacePdfGeneratorProps, type WorkspacePosition, type WorkspaceQualityData, type WorkspaceUrlMapping, WorkspaceWhatsAppShareButton, type WorkspaceWhatsAppShareProps, actionService, apiUtils, authCoreService, authOTPService, authRateLimitService, checkRateLimit, clearAllRateLimits, clearRateLimit, clearS3VideoCache, clearS3VideoFromCache, clearWorkspaceDisplayNamesCache, cn, createLinesService, createStreamProxyHandler, createSupabaseClient, createSupervisorService, createThrottledReload, createUserService, dashboardService, deleteThread, forceRefreshWorkspaceDisplayNames, formatDateInZone, formatDateTimeInZone, formatISTDate, formatIdleTime, formatTimeInZone, fromUrlFriendlyName, getAllLineDisplayNames, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAnonClient, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getConfiguredLineIds, getCoreSessionRecordingProperties, getCoreSessionReplayUrl, getCurrentShift, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultLineId, getDefaultTabForWorkspace, getLineDisplayName, getManufacturingInsights, getMetricsTablePrefix, getOperationalDate, getS3SignedUrl, getS3VideoSrc, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getSubscriptionManager, getThreadMessages, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, identifyCoreUser, initializeCoreMixpanel, isLegacyConfiguration, isPrefetchError, isTransitionPeriod, isUrlPermanentlyFailed, isValidFactoryViewConfiguration, isValidLineInfoPayload, isValidPrefetchParams, isValidPrefetchStatus, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, linesService, mergeWithDefaultConfig, migrateLegacyConfiguration, optifyeAgentClient, parseS3Uri, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, shuffleArray, simulateApiDelay, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useAccessControl, useActiveBreaks, useAllWorkspaceMetrics, useAnalyticsConfig, useAudioService, useAuth, useAuthConfig, useCanSaveTargets, useClipTypes, useClipTypesWithCounts, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHistoricWorkspaceMetrics, useHlsStream, useHlsStreamWithCropping, useHookOverride, useHourEndTimer, useHourlyTargetAchievements, useHourlyTargetMisses, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineWorkspaceMetrics, useMessages, useMetrics, useNavigation, useOverrides, usePageOverride, usePrefetchClipCounts, useRealtimeLineMetrics, useRegistry, useSKUs, useShiftConfig, useShifts, useSubscriptionManager, useSubscriptionManagerSafe, useSupabase, useSupabaseClient, useTargets, useTheme, useThemeConfig, useThreads, useTicketHistory, useVideoConfig, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceHealth, useWorkspaceHealthById, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, userService, videoPrefetchManager, videoPreloader, whatsappService, withAccessControl, withAuth, withRegistry, workspaceHealthService, workspaceService };