@optifye/dashboard-core 6.3.4 → 6.4.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.mts +137 -51
- package/dist/index.d.ts +137 -51
- package/dist/index.js +896 -1071
- package/dist/index.mjs +904 -1079
- package/package.json +1 -1
package/dist/index.d.mts
CHANGED
|
@@ -1164,6 +1164,126 @@ interface ClipCountsWithIndex {
|
|
|
1164
1164
|
counts: Record<string, number>;
|
|
1165
1165
|
videoIndex: VideoIndex;
|
|
1166
1166
|
}
|
|
1167
|
+
/**
|
|
1168
|
+
* S3 Clips Service Class
|
|
1169
|
+
*/
|
|
1170
|
+
declare class S3ClipsService {
|
|
1171
|
+
private s3Client;
|
|
1172
|
+
private config;
|
|
1173
|
+
private readonly defaultLimitPerCategory;
|
|
1174
|
+
private readonly maxLimitPerCategory;
|
|
1175
|
+
private readonly concurrencyLimit;
|
|
1176
|
+
private readonly maxInitialFetch;
|
|
1177
|
+
private readonly requestCache;
|
|
1178
|
+
private isIndexBuilding;
|
|
1179
|
+
private isPrefetching;
|
|
1180
|
+
private currentMetadataFetches;
|
|
1181
|
+
private readonly MAX_CONCURRENT_METADATA;
|
|
1182
|
+
constructor(config: DashboardConfig);
|
|
1183
|
+
/**
|
|
1184
|
+
* Validates and sanitizes the AWS region
|
|
1185
|
+
*/
|
|
1186
|
+
private validateAndSanitizeRegion;
|
|
1187
|
+
/**
|
|
1188
|
+
* Lists S3 clips for a workspace, date, and shift with request deduplication
|
|
1189
|
+
*/
|
|
1190
|
+
listS3Clips(params: S3ListObjectsParams): Promise<string[]>;
|
|
1191
|
+
/**
|
|
1192
|
+
* Internal implementation of S3 listing (called through deduplication)
|
|
1193
|
+
*/
|
|
1194
|
+
private executeListS3Clips;
|
|
1195
|
+
/**
|
|
1196
|
+
* Fetches and extracts cycle time from metadata.json with deduplication
|
|
1197
|
+
*/
|
|
1198
|
+
getMetadataCycleTime(playlistUri: string): Promise<number | null>;
|
|
1199
|
+
/**
|
|
1200
|
+
* Internal implementation of metadata cycle time fetching
|
|
1201
|
+
*/
|
|
1202
|
+
private executeGetMetadataCycleTime;
|
|
1203
|
+
/**
|
|
1204
|
+
* Control prefetch mode to prevent metadata fetching during background operations
|
|
1205
|
+
*/
|
|
1206
|
+
setPrefetchMode(enabled: boolean): void;
|
|
1207
|
+
/**
|
|
1208
|
+
* Fetches full metadata including timestamps with deduplication
|
|
1209
|
+
*/
|
|
1210
|
+
getFullMetadata(playlistUri: string): Promise<VideoMetadata | null>;
|
|
1211
|
+
/**
|
|
1212
|
+
* Internal implementation of full metadata fetching
|
|
1213
|
+
*/
|
|
1214
|
+
private executeGetFullMetadata;
|
|
1215
|
+
/**
|
|
1216
|
+
* Converts S3 URI to CloudFront URL
|
|
1217
|
+
*/
|
|
1218
|
+
s3UriToCloudfront(s3Uri: string): string;
|
|
1219
|
+
/**
|
|
1220
|
+
* Gets SOP categories for a specific workspace
|
|
1221
|
+
*/
|
|
1222
|
+
private getSOPCategories;
|
|
1223
|
+
/**
|
|
1224
|
+
* Fast clip counting using S3 delimiter to count video folders directly
|
|
1225
|
+
* Each video is in its own folder, so counting folders = counting clips
|
|
1226
|
+
* Now also builds a complete video index for efficient navigation
|
|
1227
|
+
*/
|
|
1228
|
+
getClipCounts(workspaceId: string, date: string, shiftId: string | number): Promise<Record<string, number>>;
|
|
1229
|
+
getClipCounts(workspaceId: string, date: string, shiftId: string | number, buildIndex: true): Promise<ClipCountsWithIndex>;
|
|
1230
|
+
/**
|
|
1231
|
+
* Internal implementation of clip counts fetching
|
|
1232
|
+
*/
|
|
1233
|
+
private executeGetClipCounts;
|
|
1234
|
+
/**
|
|
1235
|
+
* Get clip counts with cache-first strategy for performance optimization
|
|
1236
|
+
* This method checks cache first and only builds index if not building from cache
|
|
1237
|
+
*/
|
|
1238
|
+
getClipCountsCacheFirst(workspaceId: string, date: string, shiftId: string | number): Promise<Record<string, number>>;
|
|
1239
|
+
getClipCountsCacheFirst(workspaceId: string, date: string, shiftId: string | number, buildIndex: true): Promise<ClipCountsWithIndex>;
|
|
1240
|
+
/**
|
|
1241
|
+
* Get first clip for a specific category with deduplication
|
|
1242
|
+
*/
|
|
1243
|
+
getFirstClipForCategory(workspaceId: string, date: string, shiftId: string | number, category: string): Promise<BottleneckVideoData | null>;
|
|
1244
|
+
/**
|
|
1245
|
+
* Internal implementation of first clip fetching
|
|
1246
|
+
*/
|
|
1247
|
+
private executeGetFirstClipForCategory;
|
|
1248
|
+
/**
|
|
1249
|
+
* Get a specific video from the pre-built video index - O(1) lookup performance
|
|
1250
|
+
*/
|
|
1251
|
+
getVideoFromIndex(videoIndex: VideoIndex, category: string, index: number, includeCycleTime?: boolean, includeMetadata?: boolean): Promise<BottleneckVideoData | null>;
|
|
1252
|
+
/**
|
|
1253
|
+
* Get a specific clip by index for a category with deduplication
|
|
1254
|
+
* @deprecated Use getVideoFromIndex with a pre-built VideoIndex for better performance
|
|
1255
|
+
*/
|
|
1256
|
+
getClipByIndex(workspaceId: string, date: string, shiftId: string | number, category: string, index: number, includeCycleTime?: boolean, includeMetadata?: boolean): Promise<BottleneckVideoData | null>;
|
|
1257
|
+
/**
|
|
1258
|
+
* Internal implementation of clip by index fetching
|
|
1259
|
+
*/
|
|
1260
|
+
private executeGetClipByIndex;
|
|
1261
|
+
/**
|
|
1262
|
+
* Get one sample video from each category for preloading
|
|
1263
|
+
*/
|
|
1264
|
+
private getSampleVideos;
|
|
1265
|
+
/**
|
|
1266
|
+
* Processes a single video completely
|
|
1267
|
+
*/
|
|
1268
|
+
processFullVideo(uri: string, index: number, workspaceId: string, date: string, shiftId: string | number, includeCycleTime: boolean, includeMetadata?: boolean): Promise<BottleneckVideoData | null>;
|
|
1269
|
+
/**
|
|
1270
|
+
* Simplified method to fetch clips based on parameters
|
|
1271
|
+
*/
|
|
1272
|
+
fetchClips(params: S3ClipsAPIParams): Promise<BottleneckVideoData[] | VideoSummary>;
|
|
1273
|
+
/**
|
|
1274
|
+
* Cleanup method for proper resource management
|
|
1275
|
+
*/
|
|
1276
|
+
dispose(): void;
|
|
1277
|
+
/**
|
|
1278
|
+
* Get service statistics for monitoring
|
|
1279
|
+
*/
|
|
1280
|
+
getStats(): {
|
|
1281
|
+
requestCache: {
|
|
1282
|
+
pendingCount: number;
|
|
1283
|
+
maxSize: number;
|
|
1284
|
+
};
|
|
1285
|
+
};
|
|
1286
|
+
}
|
|
1167
1287
|
|
|
1168
1288
|
/**
|
|
1169
1289
|
* TypeScript types for the video prefetch system
|
|
@@ -2705,8 +2825,9 @@ declare class VideoPrefetchManager extends EventEmitter {
|
|
|
2705
2825
|
private generateKey;
|
|
2706
2826
|
/**
|
|
2707
2827
|
* Get or create S3 service instance for dashboard config
|
|
2828
|
+
* Public method to allow sharing the same S3Service instance across components
|
|
2708
2829
|
*/
|
|
2709
|
-
|
|
2830
|
+
getS3Service(dashboardConfig: DashboardConfig): S3ClipsService;
|
|
2710
2831
|
/**
|
|
2711
2832
|
* Emit status change event with error handling
|
|
2712
2833
|
*/
|
|
@@ -3401,48 +3522,6 @@ declare function getAllThreadMessages(threadId: string): Promise<ChatMessage[]>;
|
|
|
3401
3522
|
declare function updateThreadTitle(threadId: string, newTitle: string): Promise<ChatThread>;
|
|
3402
3523
|
declare function deleteThread(threadId: string): Promise<void>;
|
|
3403
3524
|
|
|
3404
|
-
interface CacheOptions {
|
|
3405
|
-
duration?: number;
|
|
3406
|
-
storage?: 'memory' | 'localStorage' | 'sessionStorage';
|
|
3407
|
-
}
|
|
3408
|
-
declare class CacheService {
|
|
3409
|
-
private memoryCache;
|
|
3410
|
-
private readonly DEFAULT_DURATION;
|
|
3411
|
-
/**
|
|
3412
|
-
* Generate a cache key from multiple parts
|
|
3413
|
-
*/
|
|
3414
|
-
generateKey(...parts: (string | number | undefined | null)[]): string;
|
|
3415
|
-
/**
|
|
3416
|
-
* Get item from cache
|
|
3417
|
-
*/
|
|
3418
|
-
get<T>(key: string, options?: CacheOptions): T | null;
|
|
3419
|
-
/**
|
|
3420
|
-
* Set item in cache
|
|
3421
|
-
*/
|
|
3422
|
-
set<T>(key: string, data: T, options?: CacheOptions): void;
|
|
3423
|
-
/**
|
|
3424
|
-
* Delete item from cache
|
|
3425
|
-
*/
|
|
3426
|
-
delete(key: string, options?: CacheOptions): void;
|
|
3427
|
-
/**
|
|
3428
|
-
* Clear all items from cache
|
|
3429
|
-
*/
|
|
3430
|
-
clear(options?: CacheOptions): void;
|
|
3431
|
-
/**
|
|
3432
|
-
* Get or set item in cache with a factory function
|
|
3433
|
-
*/
|
|
3434
|
-
getOrSet<T>(key: string, factory: () => Promise<T>, options?: CacheOptions): Promise<T>;
|
|
3435
|
-
/**
|
|
3436
|
-
* Invalidate cache entries matching a pattern
|
|
3437
|
-
*/
|
|
3438
|
-
invalidatePattern(pattern: string | RegExp, options?: CacheOptions): void;
|
|
3439
|
-
/**
|
|
3440
|
-
* Clean up expired items
|
|
3441
|
-
*/
|
|
3442
|
-
cleanup(options?: CacheOptions): void;
|
|
3443
|
-
}
|
|
3444
|
-
declare const cacheService: CacheService;
|
|
3445
|
-
|
|
3446
3525
|
/**
|
|
3447
3526
|
* Lightweight Audio Service for Dashboard Notifications
|
|
3448
3527
|
* Handles device-agnostic audio playback with fallback strategies
|
|
@@ -3985,7 +4064,7 @@ declare const getAnonClient: () => _supabase_supabase_js.SupabaseClient<any, "pu
|
|
|
3985
4064
|
declare const withAuth: <P extends object>(WrappedComponent: React$1.ComponentType<P>, options?: {
|
|
3986
4065
|
redirectTo?: string;
|
|
3987
4066
|
requireAuth?: boolean;
|
|
3988
|
-
}) =>
|
|
4067
|
+
}) => React$1.NamedExoticComponent<P>;
|
|
3989
4068
|
|
|
3990
4069
|
interface LoginPageProps {
|
|
3991
4070
|
onRateLimitCheck?: (email: string) => Promise<{
|
|
@@ -5364,7 +5443,7 @@ declare function DebugAuthView(): React__default.ReactNode;
|
|
|
5364
5443
|
* FactoryView Component - Displays factory-level overview with metrics for each production line
|
|
5365
5444
|
*/
|
|
5366
5445
|
declare const FactoryView: React__default.FC<FactoryViewProps>;
|
|
5367
|
-
declare const AuthenticatedFactoryView:
|
|
5446
|
+
declare const AuthenticatedFactoryView: React__default.NamedExoticComponent<FactoryViewProps>;
|
|
5368
5447
|
|
|
5369
5448
|
interface HelpViewProps {
|
|
5370
5449
|
/**
|
|
@@ -5388,7 +5467,7 @@ interface SupportTicket {
|
|
|
5388
5467
|
* HelpView component - Support ticket submission page
|
|
5389
5468
|
*/
|
|
5390
5469
|
declare const HelpView: React__default.FC<HelpViewProps>;
|
|
5391
|
-
declare const AuthenticatedHelpView:
|
|
5470
|
+
declare const AuthenticatedHelpView: React__default.NamedExoticComponent<HelpViewProps>;
|
|
5392
5471
|
|
|
5393
5472
|
interface HomeViewProps {
|
|
5394
5473
|
/**
|
|
@@ -5432,7 +5511,7 @@ interface HomeViewProps {
|
|
|
5432
5511
|
*/
|
|
5433
5512
|
declare function HomeView({ defaultLineId, factoryViewId, lineIds: allLineIds, // Default to empty array
|
|
5434
5513
|
lineNames, videoSources, factoryName }: HomeViewProps): React__default.ReactNode;
|
|
5435
|
-
declare const AuthenticatedHomeView:
|
|
5514
|
+
declare const AuthenticatedHomeView: React__default.NamedExoticComponent<HomeViewProps>;
|
|
5436
5515
|
|
|
5437
5516
|
interface KPIDetailViewProps {
|
|
5438
5517
|
/**
|
|
@@ -5536,6 +5615,7 @@ declare const ProfileView: React__default.FC;
|
|
|
5536
5615
|
* ShiftsView component for managing day and night shift configurations
|
|
5537
5616
|
*/
|
|
5538
5617
|
declare const ShiftsView: React__default.FC<ShiftsViewProps>;
|
|
5618
|
+
declare const AuthenticatedShiftsView: React__default.NamedExoticComponent<ShiftsViewProps>;
|
|
5539
5619
|
|
|
5540
5620
|
interface TargetsViewProps {
|
|
5541
5621
|
/** Line UUIDs to display and configure in the view */
|
|
@@ -5559,10 +5639,16 @@ declare const TargetsViewWithDisplayNames: React__default.ComponentType<TargetsV
|
|
|
5559
5639
|
selectedLineId?: string;
|
|
5560
5640
|
}>;
|
|
5561
5641
|
|
|
5562
|
-
declare const AuthenticatedTargetsView: (
|
|
5642
|
+
declare const AuthenticatedTargetsView: React__default.NamedExoticComponent<(TargetsViewProps & {
|
|
5643
|
+
lineIds?: string[] | Record<string, string | undefined>;
|
|
5644
|
+
selectedLineId?: string;
|
|
5645
|
+
}) | (TargetsViewProps & {
|
|
5646
|
+
lineIds?: string[] | Record<string, string | undefined>;
|
|
5647
|
+
selectedLineId?: string;
|
|
5648
|
+
} & React__default.RefAttributes<React__default.Component<TargetsViewProps & {
|
|
5563
5649
|
lineIds?: string[] | Record<string, string | undefined>;
|
|
5564
5650
|
selectedLineId?: string;
|
|
5565
|
-
}
|
|
5651
|
+
}, any, any>>)>;
|
|
5566
5652
|
|
|
5567
5653
|
type TabType = 'overview' | 'monthly_history' | 'bottlenecks';
|
|
5568
5654
|
type NavigationHandler = (url: string) => void;
|
|
@@ -5641,7 +5727,7 @@ interface WorkspaceDetailViewProps {
|
|
|
5641
5727
|
*/
|
|
5642
5728
|
renderHeaderActions?: (workspace: any) => ReactNode;
|
|
5643
5729
|
}
|
|
5644
|
-
declare const WrappedComponent:
|
|
5730
|
+
declare const WrappedComponent: React__default.NamedExoticComponent<WorkspaceDetailViewProps>;
|
|
5645
5731
|
|
|
5646
5732
|
declare const SKUManagementView: React__default.FC;
|
|
5647
5733
|
|
|
@@ -5846,4 +5932,4 @@ interface ThreadSidebarProps {
|
|
|
5846
5932
|
}
|
|
5847
5933
|
declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
|
|
5848
5934
|
|
|
5849
|
-
export { ACTION_NAMES, AIAgentView, 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, AuthenticatedTargetsView, 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, type ComponentOverride, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, 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, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, 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, 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, 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, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NoWorkspaceData, 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, 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, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, 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 UseActiveBreaksResult, 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, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, 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, WorkspaceHistoryCalendar, WorkspaceMetricCards, 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, cacheService, checkRateLimit, clearAllRateLimits, clearRateLimit, clearS3VideoCache, clearS3VideoFromCache, clearWorkspaceDisplayNamesCache, cn, createStreamProxyHandler, createSupabaseClient, createThrottledReload, 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, mergeWithDefaultConfig, migrateLegacyConfiguration, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAllWorkspaceMetrics, useAnalyticsConfig, useAudioService, useAuth, useAuthConfig, 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, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPrefetchManager, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|
|
5935
|
+
export { ACTION_NAMES, AIAgentView, 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, 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, type ComponentOverride, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, 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, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, 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, 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, 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, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NoWorkspaceData, 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, 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, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, 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 UseActiveBreaksResult, 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, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, 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, WorkspaceHistoryCalendar, WorkspaceMetricCards, 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, createStreamProxyHandler, createSupabaseClient, createThrottledReload, 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, mergeWithDefaultConfig, migrateLegacyConfiguration, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAllWorkspaceMetrics, useAnalyticsConfig, useAudioService, useAuth, useAuthConfig, 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, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPrefetchManager, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|
package/dist/index.d.ts
CHANGED
|
@@ -1164,6 +1164,126 @@ interface ClipCountsWithIndex {
|
|
|
1164
1164
|
counts: Record<string, number>;
|
|
1165
1165
|
videoIndex: VideoIndex;
|
|
1166
1166
|
}
|
|
1167
|
+
/**
|
|
1168
|
+
* S3 Clips Service Class
|
|
1169
|
+
*/
|
|
1170
|
+
declare class S3ClipsService {
|
|
1171
|
+
private s3Client;
|
|
1172
|
+
private config;
|
|
1173
|
+
private readonly defaultLimitPerCategory;
|
|
1174
|
+
private readonly maxLimitPerCategory;
|
|
1175
|
+
private readonly concurrencyLimit;
|
|
1176
|
+
private readonly maxInitialFetch;
|
|
1177
|
+
private readonly requestCache;
|
|
1178
|
+
private isIndexBuilding;
|
|
1179
|
+
private isPrefetching;
|
|
1180
|
+
private currentMetadataFetches;
|
|
1181
|
+
private readonly MAX_CONCURRENT_METADATA;
|
|
1182
|
+
constructor(config: DashboardConfig);
|
|
1183
|
+
/**
|
|
1184
|
+
* Validates and sanitizes the AWS region
|
|
1185
|
+
*/
|
|
1186
|
+
private validateAndSanitizeRegion;
|
|
1187
|
+
/**
|
|
1188
|
+
* Lists S3 clips for a workspace, date, and shift with request deduplication
|
|
1189
|
+
*/
|
|
1190
|
+
listS3Clips(params: S3ListObjectsParams): Promise<string[]>;
|
|
1191
|
+
/**
|
|
1192
|
+
* Internal implementation of S3 listing (called through deduplication)
|
|
1193
|
+
*/
|
|
1194
|
+
private executeListS3Clips;
|
|
1195
|
+
/**
|
|
1196
|
+
* Fetches and extracts cycle time from metadata.json with deduplication
|
|
1197
|
+
*/
|
|
1198
|
+
getMetadataCycleTime(playlistUri: string): Promise<number | null>;
|
|
1199
|
+
/**
|
|
1200
|
+
* Internal implementation of metadata cycle time fetching
|
|
1201
|
+
*/
|
|
1202
|
+
private executeGetMetadataCycleTime;
|
|
1203
|
+
/**
|
|
1204
|
+
* Control prefetch mode to prevent metadata fetching during background operations
|
|
1205
|
+
*/
|
|
1206
|
+
setPrefetchMode(enabled: boolean): void;
|
|
1207
|
+
/**
|
|
1208
|
+
* Fetches full metadata including timestamps with deduplication
|
|
1209
|
+
*/
|
|
1210
|
+
getFullMetadata(playlistUri: string): Promise<VideoMetadata | null>;
|
|
1211
|
+
/**
|
|
1212
|
+
* Internal implementation of full metadata fetching
|
|
1213
|
+
*/
|
|
1214
|
+
private executeGetFullMetadata;
|
|
1215
|
+
/**
|
|
1216
|
+
* Converts S3 URI to CloudFront URL
|
|
1217
|
+
*/
|
|
1218
|
+
s3UriToCloudfront(s3Uri: string): string;
|
|
1219
|
+
/**
|
|
1220
|
+
* Gets SOP categories for a specific workspace
|
|
1221
|
+
*/
|
|
1222
|
+
private getSOPCategories;
|
|
1223
|
+
/**
|
|
1224
|
+
* Fast clip counting using S3 delimiter to count video folders directly
|
|
1225
|
+
* Each video is in its own folder, so counting folders = counting clips
|
|
1226
|
+
* Now also builds a complete video index for efficient navigation
|
|
1227
|
+
*/
|
|
1228
|
+
getClipCounts(workspaceId: string, date: string, shiftId: string | number): Promise<Record<string, number>>;
|
|
1229
|
+
getClipCounts(workspaceId: string, date: string, shiftId: string | number, buildIndex: true): Promise<ClipCountsWithIndex>;
|
|
1230
|
+
/**
|
|
1231
|
+
* Internal implementation of clip counts fetching
|
|
1232
|
+
*/
|
|
1233
|
+
private executeGetClipCounts;
|
|
1234
|
+
/**
|
|
1235
|
+
* Get clip counts with cache-first strategy for performance optimization
|
|
1236
|
+
* This method checks cache first and only builds index if not building from cache
|
|
1237
|
+
*/
|
|
1238
|
+
getClipCountsCacheFirst(workspaceId: string, date: string, shiftId: string | number): Promise<Record<string, number>>;
|
|
1239
|
+
getClipCountsCacheFirst(workspaceId: string, date: string, shiftId: string | number, buildIndex: true): Promise<ClipCountsWithIndex>;
|
|
1240
|
+
/**
|
|
1241
|
+
* Get first clip for a specific category with deduplication
|
|
1242
|
+
*/
|
|
1243
|
+
getFirstClipForCategory(workspaceId: string, date: string, shiftId: string | number, category: string): Promise<BottleneckVideoData | null>;
|
|
1244
|
+
/**
|
|
1245
|
+
* Internal implementation of first clip fetching
|
|
1246
|
+
*/
|
|
1247
|
+
private executeGetFirstClipForCategory;
|
|
1248
|
+
/**
|
|
1249
|
+
* Get a specific video from the pre-built video index - O(1) lookup performance
|
|
1250
|
+
*/
|
|
1251
|
+
getVideoFromIndex(videoIndex: VideoIndex, category: string, index: number, includeCycleTime?: boolean, includeMetadata?: boolean): Promise<BottleneckVideoData | null>;
|
|
1252
|
+
/**
|
|
1253
|
+
* Get a specific clip by index for a category with deduplication
|
|
1254
|
+
* @deprecated Use getVideoFromIndex with a pre-built VideoIndex for better performance
|
|
1255
|
+
*/
|
|
1256
|
+
getClipByIndex(workspaceId: string, date: string, shiftId: string | number, category: string, index: number, includeCycleTime?: boolean, includeMetadata?: boolean): Promise<BottleneckVideoData | null>;
|
|
1257
|
+
/**
|
|
1258
|
+
* Internal implementation of clip by index fetching
|
|
1259
|
+
*/
|
|
1260
|
+
private executeGetClipByIndex;
|
|
1261
|
+
/**
|
|
1262
|
+
* Get one sample video from each category for preloading
|
|
1263
|
+
*/
|
|
1264
|
+
private getSampleVideos;
|
|
1265
|
+
/**
|
|
1266
|
+
* Processes a single video completely
|
|
1267
|
+
*/
|
|
1268
|
+
processFullVideo(uri: string, index: number, workspaceId: string, date: string, shiftId: string | number, includeCycleTime: boolean, includeMetadata?: boolean): Promise<BottleneckVideoData | null>;
|
|
1269
|
+
/**
|
|
1270
|
+
* Simplified method to fetch clips based on parameters
|
|
1271
|
+
*/
|
|
1272
|
+
fetchClips(params: S3ClipsAPIParams): Promise<BottleneckVideoData[] | VideoSummary>;
|
|
1273
|
+
/**
|
|
1274
|
+
* Cleanup method for proper resource management
|
|
1275
|
+
*/
|
|
1276
|
+
dispose(): void;
|
|
1277
|
+
/**
|
|
1278
|
+
* Get service statistics for monitoring
|
|
1279
|
+
*/
|
|
1280
|
+
getStats(): {
|
|
1281
|
+
requestCache: {
|
|
1282
|
+
pendingCount: number;
|
|
1283
|
+
maxSize: number;
|
|
1284
|
+
};
|
|
1285
|
+
};
|
|
1286
|
+
}
|
|
1167
1287
|
|
|
1168
1288
|
/**
|
|
1169
1289
|
* TypeScript types for the video prefetch system
|
|
@@ -2705,8 +2825,9 @@ declare class VideoPrefetchManager extends EventEmitter {
|
|
|
2705
2825
|
private generateKey;
|
|
2706
2826
|
/**
|
|
2707
2827
|
* Get or create S3 service instance for dashboard config
|
|
2828
|
+
* Public method to allow sharing the same S3Service instance across components
|
|
2708
2829
|
*/
|
|
2709
|
-
|
|
2830
|
+
getS3Service(dashboardConfig: DashboardConfig): S3ClipsService;
|
|
2710
2831
|
/**
|
|
2711
2832
|
* Emit status change event with error handling
|
|
2712
2833
|
*/
|
|
@@ -3401,48 +3522,6 @@ declare function getAllThreadMessages(threadId: string): Promise<ChatMessage[]>;
|
|
|
3401
3522
|
declare function updateThreadTitle(threadId: string, newTitle: string): Promise<ChatThread>;
|
|
3402
3523
|
declare function deleteThread(threadId: string): Promise<void>;
|
|
3403
3524
|
|
|
3404
|
-
interface CacheOptions {
|
|
3405
|
-
duration?: number;
|
|
3406
|
-
storage?: 'memory' | 'localStorage' | 'sessionStorage';
|
|
3407
|
-
}
|
|
3408
|
-
declare class CacheService {
|
|
3409
|
-
private memoryCache;
|
|
3410
|
-
private readonly DEFAULT_DURATION;
|
|
3411
|
-
/**
|
|
3412
|
-
* Generate a cache key from multiple parts
|
|
3413
|
-
*/
|
|
3414
|
-
generateKey(...parts: (string | number | undefined | null)[]): string;
|
|
3415
|
-
/**
|
|
3416
|
-
* Get item from cache
|
|
3417
|
-
*/
|
|
3418
|
-
get<T>(key: string, options?: CacheOptions): T | null;
|
|
3419
|
-
/**
|
|
3420
|
-
* Set item in cache
|
|
3421
|
-
*/
|
|
3422
|
-
set<T>(key: string, data: T, options?: CacheOptions): void;
|
|
3423
|
-
/**
|
|
3424
|
-
* Delete item from cache
|
|
3425
|
-
*/
|
|
3426
|
-
delete(key: string, options?: CacheOptions): void;
|
|
3427
|
-
/**
|
|
3428
|
-
* Clear all items from cache
|
|
3429
|
-
*/
|
|
3430
|
-
clear(options?: CacheOptions): void;
|
|
3431
|
-
/**
|
|
3432
|
-
* Get or set item in cache with a factory function
|
|
3433
|
-
*/
|
|
3434
|
-
getOrSet<T>(key: string, factory: () => Promise<T>, options?: CacheOptions): Promise<T>;
|
|
3435
|
-
/**
|
|
3436
|
-
* Invalidate cache entries matching a pattern
|
|
3437
|
-
*/
|
|
3438
|
-
invalidatePattern(pattern: string | RegExp, options?: CacheOptions): void;
|
|
3439
|
-
/**
|
|
3440
|
-
* Clean up expired items
|
|
3441
|
-
*/
|
|
3442
|
-
cleanup(options?: CacheOptions): void;
|
|
3443
|
-
}
|
|
3444
|
-
declare const cacheService: CacheService;
|
|
3445
|
-
|
|
3446
3525
|
/**
|
|
3447
3526
|
* Lightweight Audio Service for Dashboard Notifications
|
|
3448
3527
|
* Handles device-agnostic audio playback with fallback strategies
|
|
@@ -3985,7 +4064,7 @@ declare const getAnonClient: () => _supabase_supabase_js.SupabaseClient<any, "pu
|
|
|
3985
4064
|
declare const withAuth: <P extends object>(WrappedComponent: React$1.ComponentType<P>, options?: {
|
|
3986
4065
|
redirectTo?: string;
|
|
3987
4066
|
requireAuth?: boolean;
|
|
3988
|
-
}) =>
|
|
4067
|
+
}) => React$1.NamedExoticComponent<P>;
|
|
3989
4068
|
|
|
3990
4069
|
interface LoginPageProps {
|
|
3991
4070
|
onRateLimitCheck?: (email: string) => Promise<{
|
|
@@ -5364,7 +5443,7 @@ declare function DebugAuthView(): React__default.ReactNode;
|
|
|
5364
5443
|
* FactoryView Component - Displays factory-level overview with metrics for each production line
|
|
5365
5444
|
*/
|
|
5366
5445
|
declare const FactoryView: React__default.FC<FactoryViewProps>;
|
|
5367
|
-
declare const AuthenticatedFactoryView:
|
|
5446
|
+
declare const AuthenticatedFactoryView: React__default.NamedExoticComponent<FactoryViewProps>;
|
|
5368
5447
|
|
|
5369
5448
|
interface HelpViewProps {
|
|
5370
5449
|
/**
|
|
@@ -5388,7 +5467,7 @@ interface SupportTicket {
|
|
|
5388
5467
|
* HelpView component - Support ticket submission page
|
|
5389
5468
|
*/
|
|
5390
5469
|
declare const HelpView: React__default.FC<HelpViewProps>;
|
|
5391
|
-
declare const AuthenticatedHelpView:
|
|
5470
|
+
declare const AuthenticatedHelpView: React__default.NamedExoticComponent<HelpViewProps>;
|
|
5392
5471
|
|
|
5393
5472
|
interface HomeViewProps {
|
|
5394
5473
|
/**
|
|
@@ -5432,7 +5511,7 @@ interface HomeViewProps {
|
|
|
5432
5511
|
*/
|
|
5433
5512
|
declare function HomeView({ defaultLineId, factoryViewId, lineIds: allLineIds, // Default to empty array
|
|
5434
5513
|
lineNames, videoSources, factoryName }: HomeViewProps): React__default.ReactNode;
|
|
5435
|
-
declare const AuthenticatedHomeView:
|
|
5514
|
+
declare const AuthenticatedHomeView: React__default.NamedExoticComponent<HomeViewProps>;
|
|
5436
5515
|
|
|
5437
5516
|
interface KPIDetailViewProps {
|
|
5438
5517
|
/**
|
|
@@ -5536,6 +5615,7 @@ declare const ProfileView: React__default.FC;
|
|
|
5536
5615
|
* ShiftsView component for managing day and night shift configurations
|
|
5537
5616
|
*/
|
|
5538
5617
|
declare const ShiftsView: React__default.FC<ShiftsViewProps>;
|
|
5618
|
+
declare const AuthenticatedShiftsView: React__default.NamedExoticComponent<ShiftsViewProps>;
|
|
5539
5619
|
|
|
5540
5620
|
interface TargetsViewProps {
|
|
5541
5621
|
/** Line UUIDs to display and configure in the view */
|
|
@@ -5559,10 +5639,16 @@ declare const TargetsViewWithDisplayNames: React__default.ComponentType<TargetsV
|
|
|
5559
5639
|
selectedLineId?: string;
|
|
5560
5640
|
}>;
|
|
5561
5641
|
|
|
5562
|
-
declare const AuthenticatedTargetsView: (
|
|
5642
|
+
declare const AuthenticatedTargetsView: React__default.NamedExoticComponent<(TargetsViewProps & {
|
|
5643
|
+
lineIds?: string[] | Record<string, string | undefined>;
|
|
5644
|
+
selectedLineId?: string;
|
|
5645
|
+
}) | (TargetsViewProps & {
|
|
5646
|
+
lineIds?: string[] | Record<string, string | undefined>;
|
|
5647
|
+
selectedLineId?: string;
|
|
5648
|
+
} & React__default.RefAttributes<React__default.Component<TargetsViewProps & {
|
|
5563
5649
|
lineIds?: string[] | Record<string, string | undefined>;
|
|
5564
5650
|
selectedLineId?: string;
|
|
5565
|
-
}
|
|
5651
|
+
}, any, any>>)>;
|
|
5566
5652
|
|
|
5567
5653
|
type TabType = 'overview' | 'monthly_history' | 'bottlenecks';
|
|
5568
5654
|
type NavigationHandler = (url: string) => void;
|
|
@@ -5641,7 +5727,7 @@ interface WorkspaceDetailViewProps {
|
|
|
5641
5727
|
*/
|
|
5642
5728
|
renderHeaderActions?: (workspace: any) => ReactNode;
|
|
5643
5729
|
}
|
|
5644
|
-
declare const WrappedComponent:
|
|
5730
|
+
declare const WrappedComponent: React__default.NamedExoticComponent<WorkspaceDetailViewProps>;
|
|
5645
5731
|
|
|
5646
5732
|
declare const SKUManagementView: React__default.FC;
|
|
5647
5733
|
|
|
@@ -5846,4 +5932,4 @@ interface ThreadSidebarProps {
|
|
|
5846
5932
|
}
|
|
5847
5933
|
declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
|
|
5848
5934
|
|
|
5849
|
-
export { ACTION_NAMES, AIAgentView, 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, AuthenticatedTargetsView, 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, type ComponentOverride, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, 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, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, 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, 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, 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, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NoWorkspaceData, 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, 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, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, 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 UseActiveBreaksResult, 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, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, 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, WorkspaceHistoryCalendar, WorkspaceMetricCards, 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, cacheService, checkRateLimit, clearAllRateLimits, clearRateLimit, clearS3VideoCache, clearS3VideoFromCache, clearWorkspaceDisplayNamesCache, cn, createStreamProxyHandler, createSupabaseClient, createThrottledReload, 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, mergeWithDefaultConfig, migrateLegacyConfiguration, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAllWorkspaceMetrics, useAnalyticsConfig, useAudioService, useAuth, useAuthConfig, 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, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPrefetchManager, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|
|
5935
|
+
export { ACTION_NAMES, AIAgentView, 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, 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, type ComponentOverride, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, 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, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, 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, 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, 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, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NoWorkspaceData, 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, 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, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, 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 UseActiveBreaksResult, 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, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, 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, WorkspaceHistoryCalendar, WorkspaceMetricCards, 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, createStreamProxyHandler, createSupabaseClient, createThrottledReload, 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, mergeWithDefaultConfig, migrateLegacyConfiguration, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAllWorkspaceMetrics, useAnalyticsConfig, useAudioService, useAuth, useAuthConfig, 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, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPrefetchManager, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|