@optifye/dashboard-core 6.6.0 → 6.6.2

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
@@ -1315,6 +1315,17 @@ declare class S3ClipsService$1 {
1315
1315
  * Create empty video index for compatibility
1316
1316
  */
1317
1317
  private createEmptyVideoIndex;
1318
+ /**
1319
+ * Get clip by ID
1320
+ */
1321
+ getClipById(clipId: string, sopCategories?: SOPCategory[]): Promise<BottleneckVideoData | null>;
1322
+ /**
1323
+ * Get neighboring clips
1324
+ */
1325
+ getNeighboringClips(workspaceId: string, date: string, shiftId: string | number, category: string, currentClipId: string, sopCategories?: SOPCategory[]): Promise<{
1326
+ previous: BottleneckVideoData | null;
1327
+ next: BottleneckVideoData | null;
1328
+ }>;
1318
1329
  /**
1319
1330
  * Cleanup
1320
1331
  */
@@ -2471,7 +2482,7 @@ declare const useTargets: (options?: UseTargetsOptions) => {
2471
2482
  * @property {string} [createdAt] - Timestamp of creation.
2472
2483
  * @property {string} [updatedAt] - Timestamp of last update.
2473
2484
  */
2474
- interface ShiftData$2 {
2485
+ interface ShiftData$3 {
2475
2486
  id: string | number;
2476
2487
  name: string;
2477
2488
  startTime: string;
@@ -2502,7 +2513,7 @@ interface ShiftData$2 {
2502
2513
  * // Render shifts information
2503
2514
  */
2504
2515
  declare const useShifts: () => {
2505
- shifts: ShiftData$2[];
2516
+ shifts: ShiftData$3[];
2506
2517
  isLoading: boolean;
2507
2518
  error: MetricsError | null;
2508
2519
  refetch: () => Promise<void>;
@@ -2963,7 +2974,18 @@ interface ClipType {
2963
2974
  color: string;
2964
2975
  description?: string;
2965
2976
  subtitle?: string;
2977
+ icon?: string;
2978
+ sort_order?: number;
2979
+ severity_levels?: string[];
2966
2980
  count?: number;
2981
+ metadata?: {
2982
+ label?: string;
2983
+ color?: string;
2984
+ description?: string;
2985
+ icon?: string;
2986
+ sort_order?: number;
2987
+ severity_levels?: string[];
2988
+ };
2967
2989
  }
2968
2990
  /**
2969
2991
  * S3 Clips Service - Supabase Implementation
@@ -3013,8 +3035,22 @@ declare class S3ClipsSupabaseService {
3013
3035
  * Get clip counts (simplified version)
3014
3036
  */
3015
3037
  getClipCounts(workspaceId: string, date: string, shiftId: string | number): Promise<Record<string, number>>;
3038
+ /**
3039
+ * Get clip by ID - stable navigation method
3040
+ * This ensures navigation works even when new clips are added
3041
+ */
3042
+ getClipById(clipId: string, sopCategories?: SOPCategory[]): Promise<BottleneckVideoData | null>;
3043
+ /**
3044
+ * Get neighboring clips for navigation
3045
+ * Returns previous and next clips based on timestamp
3046
+ */
3047
+ getNeighboringClips(workspaceId: string, date: string, shiftId: string | number, category: string, currentClipId: string, sopCategories?: SOPCategory[]): Promise<{
3048
+ previous: BottleneckVideoData | null;
3049
+ next: BottleneckVideoData | null;
3050
+ }>;
3016
3051
  /**
3017
3052
  * Get clip by index
3053
+ * @deprecated Use getClipById for stable navigation
3018
3054
  */
3019
3055
  getClipByIndex(workspaceId: string, date: string, shiftId: string | number, category: string, index: number): Promise<BottleneckVideoData | null>;
3020
3056
  /**
@@ -3050,17 +3086,12 @@ declare class S3ClipsSupabaseService {
3050
3086
  }
3051
3087
 
3052
3088
  /**
3053
- * Video Prefetch Manager
3089
+ * Video Prefetch Manager - DISABLED
3054
3090
  *
3055
- * Centralized singleton for managing video clip prefetching across the application.
3056
- * Prevents duplicate API requests and provides event-driven status updates.
3091
+ * This service has been disabled as part of removing all client-side caching and preloading.
3092
+ * All methods now return empty/null values to prevent any caching or prefetching.
3057
3093
  *
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
3094
+ * The file is kept for compatibility but all functionality is disabled.
3064
3095
  */
3065
3096
 
3066
3097
  declare const S3ClipsService: typeof S3ClipsService$1 | typeof S3ClipsSupabaseService;
@@ -3081,50 +3112,24 @@ type RenderReadyCallback = (key: string, data: ClipCountsWithIndex$2) => void;
3081
3112
  type FullyIndexedCallback = (key: string, data: ClipCountsWithIndex$2) => void;
3082
3113
  type ErrorCallback = (key: string, error: Error) => void;
3083
3114
  /**
3084
- * Centralized Video Prefetch Manager
3115
+ * DISABLED Video Prefetch Manager
3085
3116
  *
3086
- * Manages video clip prefetching with Promise caching and event-driven updates.
3087
- * Prevents duplicate requests and provides granular loading states.
3117
+ * All methods return null/empty values - no caching or prefetching occurs
3088
3118
  */
3089
3119
  declare class VideoPrefetchManager extends EventEmitter {
3090
- private requests;
3091
3120
  private s3Services;
3092
- private cleanupInterval;
3093
- private readonly REQUEST_TTL;
3094
- private readonly CLEANUP_INTERVAL;
3095
- private readonly MAX_CONCURRENT_REQUESTS;
3096
3121
  constructor();
3097
3122
  /**
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
3123
+ * Get or create S3 service instance
3124
+ * Still functional to provide S3 service instances
3104
3125
  */
3105
3126
  getS3Service(dashboardConfig: DashboardConfig): InstanceType<typeof S3ClipsService>;
3106
3127
  /**
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
3128
+ * DISABLED - Returns null immediately
3124
3129
  */
3125
3130
  prefetch(params: PrefetchParams, dashboardConfig: DashboardConfig, subscriberId?: string, buildIndex?: boolean): Promise<ClipCountsWithIndex$2 | null>;
3126
3131
  /**
3127
- * Get current status of a prefetch request
3132
+ * DISABLED - Returns idle status
3128
3133
  */
3129
3134
  getStatus(params: PrefetchParams): {
3130
3135
  status: PrefetchStatus;
@@ -3134,15 +3139,15 @@ declare class VideoPrefetchManager extends EventEmitter {
3134
3139
  isFullyIndexed: boolean;
3135
3140
  };
3136
3141
  /**
3137
- * Check if data is available (either render-ready or fully indexed)
3142
+ * DISABLED - Always returns false
3138
3143
  */
3139
3144
  isDataAvailable(params: PrefetchParams): boolean;
3140
3145
  /**
3141
- * Get cached data if available
3146
+ * DISABLED - Always returns null
3142
3147
  */
3143
3148
  getCachedData(params: PrefetchParams): ClipCountsWithIndex$2 | null;
3144
3149
  /**
3145
- * Subscribe to status changes for specific request
3150
+ * DISABLED - Returns empty cleanup function
3146
3151
  */
3147
3152
  subscribe(params: PrefetchParams, subscriberId: string, callbacks: {
3148
3153
  onStatusChange?: StatusChangeCallback;
@@ -3151,15 +3156,15 @@ declare class VideoPrefetchManager extends EventEmitter {
3151
3156
  onError?: ErrorCallback;
3152
3157
  }): () => void;
3153
3158
  /**
3154
- * Cancel a prefetch request
3159
+ * DISABLED - Does nothing
3155
3160
  */
3156
3161
  cancel(params: PrefetchParams, subscriberId?: string): void;
3157
3162
  /**
3158
- * Clear all requests (useful for testing or reset)
3163
+ * DISABLED - Does nothing
3159
3164
  */
3160
3165
  clear(): void;
3161
3166
  /**
3162
- * Get statistics about current requests
3167
+ * DISABLED - Returns empty stats
3163
3168
  */
3164
3169
  getStats(): {
3165
3170
  totalRequests: number;
@@ -3168,92 +3173,44 @@ declare class VideoPrefetchManager extends EventEmitter {
3168
3173
  totalSubscribers: number;
3169
3174
  };
3170
3175
  /**
3171
- * Start cleanup task to remove old requests
3172
- */
3173
- private startCleanup;
3174
- /**
3175
- * Stop cleanup task
3176
+ * DISABLED - Does nothing
3176
3177
  */
3177
3178
  destroy(): void;
3178
3179
  }
3179
3180
  declare const videoPrefetchManager: VideoPrefetchManager;
3180
3181
 
3181
3182
  /**
3182
- * usePrefetchClipCounts Hook
3183
+ * usePrefetchClipCounts Hook - DISABLED
3183
3184
  *
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.
3185
+ * This hook has been disabled as part of removing all client-side caching and preloading.
3186
+ * All functionality returns empty/null values to prevent any prefetching.
3187
3187
  *
3188
- * Enhanced with videoPrefetchManager integration for deduplication and event-driven updates.
3188
+ * The file is kept for compatibility but all functionality is disabled.
3189
3189
  */
3190
+
3190
3191
  declare const USE_SUPABASE_CLIPS = true;
3191
3192
 
3192
3193
  type ClipCountsWithIndex = typeof USE_SUPABASE_CLIPS extends true ? ClipCountsWithIndex$1 : ClipCountsWithIndex$2;
3193
3194
  interface UsePrefetchClipCountsOptions {
3194
- /**
3195
- * Workspace ID to prefetch counts for
3196
- */
3197
3195
  workspaceId: string;
3198
- /**
3199
- * Optional date string (YYYY-MM-DD). If not provided, uses operational date
3200
- */
3201
3196
  date?: string;
3202
- /**
3203
- * Optional shift ID (0 = day, 1 = night). If not provided, uses current shift
3204
- */
3205
3197
  shift?: number | string;
3206
- /**
3207
- * Whether to enable prefetching. Defaults to true
3208
- */
3209
3198
  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
3199
  buildIndex?: boolean;
3215
- /**
3216
- * Subscriber ID for tracking. Auto-generated if not provided
3217
- */
3218
3200
  subscriberId?: string;
3219
3201
  }
3220
3202
  interface UsePrefetchClipCountsResult {
3221
- /**
3222
- * Current prefetch status
3223
- */
3224
3203
  status: PrefetchStatus;
3225
- /**
3226
- * Clip counts data (available when render ready or fully indexed)
3227
- */
3228
3204
  data: ClipCountsWithIndex | null;
3229
- /**
3230
- * Any error that occurred during prefetching
3231
- */
3232
3205
  error: Error | null;
3233
- /**
3234
- * Whether data is ready for rendering (counts available)
3235
- */
3236
3206
  isRenderReady: boolean;
3237
- /**
3238
- * Whether full video index is available
3239
- */
3240
3207
  isFullyIndexed: boolean;
3241
- /**
3242
- * Whether the prefetch is currently in progress
3243
- */
3244
3208
  isLoading: boolean;
3245
- /**
3246
- * Manual trigger function for re-prefetching
3247
- */
3248
3209
  prefetchClipCounts: () => Promise<ClipCountsWithIndex | null>;
3249
- /**
3250
- * Cache key used for this request
3251
- */
3252
3210
  cacheKey: string;
3253
3211
  }
3254
3212
  /**
3255
- * Hook to prefetch clip counts and build video index for faster clips tab loading
3256
- * Enhanced with videoPrefetchManager integration
3213
+ * DISABLED Hook - Returns empty/null values
3257
3214
  */
3258
3215
  declare const usePrefetchClipCounts: ({ workspaceId, date, shift, enabled, buildIndex, subscriberId }: UsePrefetchClipCountsOptions) => UsePrefetchClipCountsResult;
3259
3216
 
@@ -4412,32 +4369,17 @@ declare const getDefaultTabForWorkspace: (workspaceId?: string, displayName?: st
4412
4369
  declare const getWorkspaceNavigationParams: (workspaceId: string, displayName: string, lineId?: string) => string;
4413
4370
 
4414
4371
  /**
4415
- * VideoPreloader – lightweight, URL-only video pre-loading helper.
4372
+ * VideoPreloader – DISABLED
4416
4373
  *
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.
4374
+ * This video preloader has been disabled as part of removing all client-side caching and preloading.
4375
+ * All methods now do nothing to prevent any preloading.
4421
4376
  *
4422
- * No S3 / presigned-URL logic should live here keep this file focused on pure
4423
- * URL pre-loading.
4377
+ * The file is kept for compatibility but all functionality is disabled.
4424
4378
  */
4425
4379
  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
4380
  preloadVideo: (url: string | null | undefined) => void;
4433
4381
  preloadVideos: (urls: (string | null | undefined)[]) => void;
4434
4382
  clear: () => void;
4435
- private processQueue;
4436
- private preloadUrlInternal;
4437
- private canPlayHlsNatively;
4438
- private bufferNative;
4439
- private handleHls;
4440
- private bufferHls;
4441
4383
  }
4442
4384
  declare const videoPreloader: VideoPreloader;
4443
4385
  declare const preloadVideoUrl: (url: string | null | undefined) => void;
@@ -4997,19 +4939,19 @@ interface LinePdfExportButtonProps {
4997
4939
  }
4998
4940
  declare const LinePdfExportButton: React__default.FC<LinePdfExportButtonProps>;
4999
4941
 
5000
- interface ShiftData$1 {
4942
+ interface ShiftData$2 {
5001
4943
  avg_efficiency: number;
5002
4944
  underperforming_workspaces: number;
5003
4945
  total_workspaces: number;
5004
4946
  hasData?: boolean;
5005
4947
  }
5006
- interface DayData$3 {
4948
+ interface DayData$4 {
5007
4949
  date: Date | string;
5008
- dayShift: ShiftData$1;
5009
- nightShift: ShiftData$1;
4950
+ dayShift: ShiftData$2;
4951
+ nightShift: ShiftData$2;
5010
4952
  }
5011
4953
  interface LineHistoryCalendarProps {
5012
- data: DayData$3[];
4954
+ data: DayData$4[];
5013
4955
  month: number;
5014
4956
  year: number;
5015
4957
  lineId: string;
@@ -5075,7 +5017,7 @@ interface WorkspacePerformance {
5075
5017
  efficiency?: number;
5076
5018
  }[];
5077
5019
  }
5078
- interface DayData$2 {
5020
+ interface DayData$3 {
5079
5021
  date: Date;
5080
5022
  dayShift: PerformanceData;
5081
5023
  nightShift: PerformanceData;
@@ -5083,7 +5025,7 @@ interface DayData$2 {
5083
5025
  interface LineMonthlyPdfGeneratorProps {
5084
5026
  lineId: string;
5085
5027
  lineName: string;
5086
- monthlyData: DayData$2[];
5028
+ monthlyData: DayData$3[];
5087
5029
  underperformingWorkspaces: {
5088
5030
  dayShift: WorkspacePerformance[];
5089
5031
  nightShift: WorkspacePerformance[];
@@ -5244,6 +5186,35 @@ interface WorkspaceCardProps {
5244
5186
  }
5245
5187
  declare const WorkspaceCard: React__default.FC<WorkspaceCardProps>;
5246
5188
 
5189
+ interface ShiftData$1 {
5190
+ efficiency: number;
5191
+ output: number;
5192
+ cycleTime: number;
5193
+ pph: number;
5194
+ pphThreshold: number;
5195
+ idealOutput: number;
5196
+ rank: number;
5197
+ idleTime: number;
5198
+ hasData?: boolean;
5199
+ }
5200
+ interface DayData$2 {
5201
+ date: Date;
5202
+ dayShift: ShiftData$1;
5203
+ nightShift: ShiftData$1;
5204
+ }
5205
+ interface WorkspaceHistoryCalendarProps {
5206
+ data: DayData$2[];
5207
+ onDateSelect: (date: string) => void;
5208
+ month: number;
5209
+ year: number;
5210
+ workspaceId: string;
5211
+ selectedShift?: 'day' | 'night';
5212
+ onMonthNavigate?: (newMonth: number, newYear: number) => void;
5213
+ onShiftChange?: (shift: 'day' | 'night') => void;
5214
+ className?: string;
5215
+ }
5216
+ declare const WorkspaceHistoryCalendar: React__default.FC<WorkspaceHistoryCalendarProps>;
5217
+
5247
5218
  interface ShiftData {
5248
5219
  efficiency: number;
5249
5220
  output: number;
@@ -5260,18 +5231,19 @@ interface DayData$1 {
5260
5231
  dayShift: ShiftData;
5261
5232
  nightShift: ShiftData;
5262
5233
  }
5263
- interface WorkspaceHistoryCalendarProps {
5234
+ interface WorkspaceMonthlyHistoryProps {
5264
5235
  data: DayData$1[];
5265
- onDateSelect: (date: string) => void;
5266
5236
  month: number;
5267
5237
  year: number;
5268
5238
  workspaceId: string;
5269
5239
  selectedShift?: 'day' | 'night';
5240
+ onDateSelect: (date: string, shift: 'day' | 'night') => void;
5270
5241
  onMonthNavigate?: (newMonth: number, newYear: number) => void;
5271
5242
  onShiftChange?: (shift: 'day' | 'night') => void;
5243
+ monthlyDataLoading?: boolean;
5272
5244
  className?: string;
5273
5245
  }
5274
- declare const WorkspaceHistoryCalendar: React__default.FC<WorkspaceHistoryCalendarProps>;
5246
+ declare const WorkspaceMonthlyHistory: React__default.FC<WorkspaceMonthlyHistoryProps>;
5275
5247
 
5276
5248
  interface WorkspaceWhatsAppShareProps {
5277
5249
  workspace: WorkspaceDetailedMetrics;
@@ -5984,6 +5956,20 @@ interface InlineEditableTextProps {
5984
5956
  }
5985
5957
  declare const InlineEditableText: React__default.FC<InlineEditableTextProps>;
5986
5958
 
5959
+ /**
5960
+ * NewClipsNotification Component
5961
+ * Displays a notification when new clips are available
5962
+ * Following S-tier design principles: subtle, non-disruptive, user-controlled
5963
+ */
5964
+
5965
+ interface NewClipsNotificationProps {
5966
+ count: number;
5967
+ onRefresh: () => void;
5968
+ onDismiss: () => void;
5969
+ className?: string;
5970
+ }
5971
+ declare const NewClipsNotification: React__default.FC<NewClipsNotificationProps>;
5972
+
5987
5973
  interface LoadingStateProps {
5988
5974
  message?: string;
5989
5975
  subMessage?: string;
@@ -6727,4 +6713,4 @@ interface ThreadSidebarProps {
6727
6713
  }
6728
6714
  declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
6729
6715
 
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 };
6716
+ 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, 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 };