@optifye/dashboard-core 4.2.6 → 4.2.8
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 +82 -21
- package/dist/index.d.ts +82 -21
- package/dist/index.js +2235 -2039
- package/dist/index.mjs +2232 -2039
- package/package.json +1 -1
package/dist/index.d.mts
CHANGED
|
@@ -157,7 +157,8 @@ interface DashboardConfig {
|
|
|
157
157
|
endpoints?: EndpointsConfig;
|
|
158
158
|
edgeFunctionBaseUrl?: string;
|
|
159
159
|
s3Config?: S3Config;
|
|
160
|
-
|
|
160
|
+
videoConfig?: VideoConfig;
|
|
161
|
+
/** Feature flags or other arbitrary app-specific config values */
|
|
161
162
|
featureFlags?: Record<string, boolean>;
|
|
162
163
|
/** Generic object to allow any other custom config values needed by the app or overrides */
|
|
163
164
|
customConfig?: Record<string, unknown>;
|
|
@@ -231,6 +232,38 @@ interface S3Config {
|
|
|
231
232
|
};
|
|
232
233
|
signedUrlExpiresIn?: number;
|
|
233
234
|
}
|
|
235
|
+
interface VideoCroppingRect {
|
|
236
|
+
/** X offset as percentage (0-100) from left */
|
|
237
|
+
x: number;
|
|
238
|
+
/** Y offset as percentage (0-100) from top */
|
|
239
|
+
y: number;
|
|
240
|
+
/** Width as percentage (0-100) of original */
|
|
241
|
+
width: number;
|
|
242
|
+
/** Height as percentage (0-100) of original */
|
|
243
|
+
height: number;
|
|
244
|
+
}
|
|
245
|
+
interface VideoCroppingConfig {
|
|
246
|
+
/** Default cropping settings for all workspaces */
|
|
247
|
+
default?: VideoCroppingRect;
|
|
248
|
+
/** Workspace-specific cropping settings */
|
|
249
|
+
workspaceOverrides?: Record<string, VideoCroppingRect>;
|
|
250
|
+
}
|
|
251
|
+
interface VideoConfig {
|
|
252
|
+
/** HLS stream URLs for workspaces */
|
|
253
|
+
hlsUrls?: {
|
|
254
|
+
defaultHlsUrl?: string;
|
|
255
|
+
workspaceHlsUrls?: Record<string, string>;
|
|
256
|
+
};
|
|
257
|
+
/** Video cropping configuration */
|
|
258
|
+
cropping?: VideoCroppingConfig;
|
|
259
|
+
/** Canvas rendering configuration */
|
|
260
|
+
canvasConfig?: {
|
|
261
|
+
/** Frame rate for canvas rendering (default: 30) */
|
|
262
|
+
fps?: number;
|
|
263
|
+
/** Whether to use requestAnimationFrame (default: true) */
|
|
264
|
+
useRAF?: boolean;
|
|
265
|
+
};
|
|
266
|
+
}
|
|
234
267
|
|
|
235
268
|
interface BasePerformanceMetric {
|
|
236
269
|
id: string;
|
|
@@ -597,6 +630,10 @@ interface WorkspaceMonthlyMetric {
|
|
|
597
630
|
avg_pph: number;
|
|
598
631
|
pph_threshold: number;
|
|
599
632
|
workspace_rank: number;
|
|
633
|
+
/**
|
|
634
|
+
* Total idle time for the shift in seconds
|
|
635
|
+
*/
|
|
636
|
+
idle_time: number;
|
|
600
637
|
}
|
|
601
638
|
interface LineMonthlyMetric {
|
|
602
639
|
date: string;
|
|
@@ -977,6 +1014,7 @@ declare function useWorkspaceConfig(): WorkspaceConfig;
|
|
|
977
1014
|
declare function useEndpointsConfig(): EndpointsConfig;
|
|
978
1015
|
declare function useFeatureFlags(): Record<string, boolean>;
|
|
979
1016
|
declare function useCustomConfig(): Record<string, unknown>;
|
|
1017
|
+
declare function useVideoConfig(): VideoConfig;
|
|
980
1018
|
|
|
981
1019
|
interface AuthContextType {
|
|
982
1020
|
session: Session | null;
|
|
@@ -1694,6 +1732,43 @@ declare const useWorkspaceOperators: (workspaceId: string, options?: UseWorkspac
|
|
|
1694
1732
|
refetch: () => Promise<void>;
|
|
1695
1733
|
};
|
|
1696
1734
|
|
|
1735
|
+
interface UseHlsStreamOptions {
|
|
1736
|
+
src: string;
|
|
1737
|
+
shouldPlay: boolean;
|
|
1738
|
+
onFatalError?: () => void;
|
|
1739
|
+
}
|
|
1740
|
+
/**
|
|
1741
|
+
* Enterprise-grade HLS streaming hook with auto-recovery
|
|
1742
|
+
*
|
|
1743
|
+
* Recovery timing configuration:
|
|
1744
|
+
* - Buffer underrun (waiting): 10 seconds grace period
|
|
1745
|
+
* - Stall detection: checks every 7 seconds, 8 seconds grace period
|
|
1746
|
+
* - Soft restart escalation: after 5 failed attempts
|
|
1747
|
+
* - Total time before recovery: 10-15 seconds typically
|
|
1748
|
+
*/
|
|
1749
|
+
declare function useHlsStream(videoRef: React.RefObject<HTMLVideoElement | null>, { src, shouldPlay, onFatalError }: UseHlsStreamOptions): {
|
|
1750
|
+
restartKey: number;
|
|
1751
|
+
isNativeHls: boolean;
|
|
1752
|
+
};
|
|
1753
|
+
|
|
1754
|
+
interface UseHlsStreamWithCroppingOptions {
|
|
1755
|
+
src: string;
|
|
1756
|
+
shouldPlay: boolean;
|
|
1757
|
+
cropping?: VideoCroppingRect;
|
|
1758
|
+
canvasFps?: number;
|
|
1759
|
+
useRAF?: boolean;
|
|
1760
|
+
onFatalError?: () => void;
|
|
1761
|
+
}
|
|
1762
|
+
/**
|
|
1763
|
+
* Enhanced HLS streaming hook with canvas-based cropping support
|
|
1764
|
+
* Extends the enterprise-grade useHlsStream with video cropping capabilities
|
|
1765
|
+
*/
|
|
1766
|
+
declare function useHlsStreamWithCropping(videoRef: React.RefObject<HTMLVideoElement | null>, canvasRef: React.RefObject<HTMLCanvasElement | null>, options: UseHlsStreamWithCroppingOptions): {
|
|
1767
|
+
isCanvasRendering: boolean;
|
|
1768
|
+
restartKey: number;
|
|
1769
|
+
isNativeHls: boolean;
|
|
1770
|
+
};
|
|
1771
|
+
|
|
1697
1772
|
interface UseThreadsResult {
|
|
1698
1773
|
threads: ChatThread[];
|
|
1699
1774
|
isLoading: boolean;
|
|
@@ -2101,25 +2176,6 @@ interface UseFormatNumberResult {
|
|
|
2101
2176
|
*/
|
|
2102
2177
|
declare const useFormatNumber: () => UseFormatNumberResult;
|
|
2103
2178
|
|
|
2104
|
-
interface UseHlsStreamOptions {
|
|
2105
|
-
src: string;
|
|
2106
|
-
shouldPlay: boolean;
|
|
2107
|
-
onFatalError?: () => void;
|
|
2108
|
-
}
|
|
2109
|
-
/**
|
|
2110
|
-
* Enterprise-grade HLS streaming hook with auto-recovery
|
|
2111
|
-
*
|
|
2112
|
-
* Recovery timing configuration:
|
|
2113
|
-
* - Buffer underrun (waiting): 10 seconds grace period
|
|
2114
|
-
* - Stall detection: checks every 7 seconds, 8 seconds grace period
|
|
2115
|
-
* - Soft restart escalation: after 5 failed attempts
|
|
2116
|
-
* - Total time before recovery: 10-15 seconds typically
|
|
2117
|
-
*/
|
|
2118
|
-
declare function useHlsStream(videoRef: React.RefObject<HTMLVideoElement | null>, { src, shouldPlay, onFatalError }: UseHlsStreamOptions): {
|
|
2119
|
-
restartKey: number;
|
|
2120
|
-
isNativeHls: boolean;
|
|
2121
|
-
};
|
|
2122
|
-
|
|
2123
2179
|
declare const actionService: {
|
|
2124
2180
|
getActionsByName(actionNames: string[], companyIdInput?: string): Promise<Action[]>;
|
|
2125
2181
|
};
|
|
@@ -3276,6 +3332,7 @@ interface ShiftData {
|
|
|
3276
3332
|
pphThreshold: number;
|
|
3277
3333
|
idealOutput: number;
|
|
3278
3334
|
rank: number;
|
|
3335
|
+
idleTime: number;
|
|
3279
3336
|
}
|
|
3280
3337
|
interface DayData$1 {
|
|
3281
3338
|
date: Date;
|
|
@@ -3492,6 +3549,9 @@ interface VideoCardProps {
|
|
|
3492
3549
|
onClick?: () => void;
|
|
3493
3550
|
onFatalError?: () => void;
|
|
3494
3551
|
isVeryLowEfficiency?: boolean;
|
|
3552
|
+
cropping?: VideoCroppingRect;
|
|
3553
|
+
canvasFps?: number;
|
|
3554
|
+
useRAF?: boolean;
|
|
3495
3555
|
className?: string;
|
|
3496
3556
|
}
|
|
3497
3557
|
declare const VideoCard: React__default.FC<VideoCardProps>;
|
|
@@ -4191,6 +4251,7 @@ declare const DEFAULT_ENDPOINTS_CONFIG: EndpointsConfig;
|
|
|
4191
4251
|
declare const DEFAULT_THEME_CONFIG: ThemeConfig;
|
|
4192
4252
|
declare const DEFAULT_ANALYTICS_CONFIG: AnalyticsConfig;
|
|
4193
4253
|
declare const DEFAULT_AUTH_CONFIG: AuthConfig;
|
|
4254
|
+
declare const DEFAULT_VIDEO_CONFIG: VideoConfig;
|
|
4194
4255
|
declare const LINE_1_UUID = "910a224b-0abc-459a-babb-4c899824cfe7";
|
|
4195
4256
|
declare const DEFAULT_CONFIG: Omit<DashboardConfig, 'supabaseUrl' | 'supabaseKey'>;
|
|
4196
4257
|
|
|
@@ -4428,4 +4489,4 @@ interface ThreadSidebarProps {
|
|
|
4428
4489
|
}
|
|
4429
4490
|
declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
|
|
4430
4491
|
|
|
4431
|
-
export { ACTION_NAMES, AIAgentView, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, type AnalyticsConfig, 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, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, type ChatMessage, type ChatThread, type ClipCounts, type ComponentOverride, 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_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, type EndpointsConfig, type EntityConfig, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, GridComponentsPlaceholder, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type ISTDateProps, ISTTimer, type ISTTimerProps, KPICard, type KPICardProps, KPIDetailView, type KPIDetailViewProps, KPIGrid, type KPIGridProps, KPIHeader, type KPIHeaderProps, KPISection, type KPITrend, KPIsOverviewView, type KPIsOverviewViewProps, LINE_1_UUID, LargeOutputProgressChart, type LargeOutputProgressChartProps, 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, LoadingOverlay, LoadingPage, LoadingSpinner, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, MainLayout, type MainLayoutProps, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, type NavItem, type NavItemTrackingEvent, NoWorkspaceData, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, type PoorPerformingWorkspace, type ProfileMenuItem, ProfileView, type QualityMetric, type QualityOverview, type QualityService, type RateLimitOptions, type RateLimitResult, type RealtimeService, RegistryProvider, type RoutePath, type S3ClipsAPIParams, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, 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, SlackAPI, type StreamProxyConfig, type SupabaseClient, SupabaseProvider, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsView, type TargetsViewProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TimeDisplay, TimePickerDropdown, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UseActiveBreaksResult, type UseDashboardMetricsProps, type UseFactoryOverviewOptions, type UseFormatNumberResult, type UseMessagesResult, type UseRealtimeLineMetricsProps, type UseTargetsOptions, type UseThreadsResult, type UseWorkspaceOperatorsOptions, type UserProfileConfig, VideoCard, VideoGridView, type VideoMetadata, 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, 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, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAnonClient, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getCurrentShift, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultTabForWorkspace, getManufacturingInsights, getMetricsTablePrefix, getOperationalDate, getS3SignedUrl, getS3VideoSrc, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getThreadMessages, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, identifyCoreUser, initializeCoreMixpanel, isTransitionPeriod, isValidLineInfoPayload, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, mergeWithDefaultConfig, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, s3VideoPreloader, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAnalyticsConfig, useAuth, useAuthConfig, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHistoricWorkspaceMetrics, useHlsStream, useHookOverride, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineWorkspaceMetrics, useMessages, useMetrics, useNavigation, useOverrides, usePageOverride, useRealtimeLineMetrics, useRegistry, useShiftConfig, useShifts, useSupabase, useSupabaseClient, useTargets, useTheme, useThemeConfig, useThreads, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|
|
4492
|
+
export { ACTION_NAMES, AIAgentView, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, type AnalyticsConfig, 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, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, type ChatMessage, type ChatThread, type ClipCounts, type ComponentOverride, 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, type EndpointsConfig, type EntityConfig, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, GridComponentsPlaceholder, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type ISTDateProps, ISTTimer, type ISTTimerProps, KPICard, type KPICardProps, KPIDetailView, type KPIDetailViewProps, KPIGrid, type KPIGridProps, KPIHeader, type KPIHeaderProps, KPISection, type KPITrend, KPIsOverviewView, type KPIsOverviewViewProps, LINE_1_UUID, LargeOutputProgressChart, type LargeOutputProgressChartProps, 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, LoadingOverlay, LoadingPage, LoadingSpinner, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, MainLayout, type MainLayoutProps, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, type NavItem, type NavItemTrackingEvent, NoWorkspaceData, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, type PoorPerformingWorkspace, type ProfileMenuItem, ProfileView, type QualityMetric, type QualityOverview, type QualityService, type RateLimitOptions, type RateLimitResult, type RealtimeService, RegistryProvider, type RoutePath, type S3ClipsAPIParams, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, 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, SlackAPI, type StreamProxyConfig, type SupabaseClient, SupabaseProvider, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsView, type TargetsViewProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TimeDisplay, TimePickerDropdown, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UseActiveBreaksResult, type UseDashboardMetricsProps, type UseFactoryOverviewOptions, type UseFormatNumberResult, type UseMessagesResult, type UseRealtimeLineMetricsProps, type UseTargetsOptions, type UseThreadsResult, type UseWorkspaceOperatorsOptions, type UserProfileConfig, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, type VideoMetadata, 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, 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, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAnonClient, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getCurrentShift, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultTabForWorkspace, getManufacturingInsights, getMetricsTablePrefix, getOperationalDate, getS3SignedUrl, getS3VideoSrc, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getThreadMessages, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, identifyCoreUser, initializeCoreMixpanel, isTransitionPeriod, isValidLineInfoPayload, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, mergeWithDefaultConfig, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, s3VideoPreloader, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAnalyticsConfig, useAuth, useAuthConfig, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHistoricWorkspaceMetrics, useHlsStream, useHlsStreamWithCropping, useHookOverride, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineWorkspaceMetrics, useMessages, useMetrics, useNavigation, useOverrides, usePageOverride, useRealtimeLineMetrics, useRegistry, useShiftConfig, useShifts, useSupabase, useSupabaseClient, useTargets, useTheme, useThemeConfig, useThreads, useVideoConfig, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|
package/dist/index.d.ts
CHANGED
|
@@ -157,7 +157,8 @@ interface DashboardConfig {
|
|
|
157
157
|
endpoints?: EndpointsConfig;
|
|
158
158
|
edgeFunctionBaseUrl?: string;
|
|
159
159
|
s3Config?: S3Config;
|
|
160
|
-
|
|
160
|
+
videoConfig?: VideoConfig;
|
|
161
|
+
/** Feature flags or other arbitrary app-specific config values */
|
|
161
162
|
featureFlags?: Record<string, boolean>;
|
|
162
163
|
/** Generic object to allow any other custom config values needed by the app or overrides */
|
|
163
164
|
customConfig?: Record<string, unknown>;
|
|
@@ -231,6 +232,38 @@ interface S3Config {
|
|
|
231
232
|
};
|
|
232
233
|
signedUrlExpiresIn?: number;
|
|
233
234
|
}
|
|
235
|
+
interface VideoCroppingRect {
|
|
236
|
+
/** X offset as percentage (0-100) from left */
|
|
237
|
+
x: number;
|
|
238
|
+
/** Y offset as percentage (0-100) from top */
|
|
239
|
+
y: number;
|
|
240
|
+
/** Width as percentage (0-100) of original */
|
|
241
|
+
width: number;
|
|
242
|
+
/** Height as percentage (0-100) of original */
|
|
243
|
+
height: number;
|
|
244
|
+
}
|
|
245
|
+
interface VideoCroppingConfig {
|
|
246
|
+
/** Default cropping settings for all workspaces */
|
|
247
|
+
default?: VideoCroppingRect;
|
|
248
|
+
/** Workspace-specific cropping settings */
|
|
249
|
+
workspaceOverrides?: Record<string, VideoCroppingRect>;
|
|
250
|
+
}
|
|
251
|
+
interface VideoConfig {
|
|
252
|
+
/** HLS stream URLs for workspaces */
|
|
253
|
+
hlsUrls?: {
|
|
254
|
+
defaultHlsUrl?: string;
|
|
255
|
+
workspaceHlsUrls?: Record<string, string>;
|
|
256
|
+
};
|
|
257
|
+
/** Video cropping configuration */
|
|
258
|
+
cropping?: VideoCroppingConfig;
|
|
259
|
+
/** Canvas rendering configuration */
|
|
260
|
+
canvasConfig?: {
|
|
261
|
+
/** Frame rate for canvas rendering (default: 30) */
|
|
262
|
+
fps?: number;
|
|
263
|
+
/** Whether to use requestAnimationFrame (default: true) */
|
|
264
|
+
useRAF?: boolean;
|
|
265
|
+
};
|
|
266
|
+
}
|
|
234
267
|
|
|
235
268
|
interface BasePerformanceMetric {
|
|
236
269
|
id: string;
|
|
@@ -597,6 +630,10 @@ interface WorkspaceMonthlyMetric {
|
|
|
597
630
|
avg_pph: number;
|
|
598
631
|
pph_threshold: number;
|
|
599
632
|
workspace_rank: number;
|
|
633
|
+
/**
|
|
634
|
+
* Total idle time for the shift in seconds
|
|
635
|
+
*/
|
|
636
|
+
idle_time: number;
|
|
600
637
|
}
|
|
601
638
|
interface LineMonthlyMetric {
|
|
602
639
|
date: string;
|
|
@@ -977,6 +1014,7 @@ declare function useWorkspaceConfig(): WorkspaceConfig;
|
|
|
977
1014
|
declare function useEndpointsConfig(): EndpointsConfig;
|
|
978
1015
|
declare function useFeatureFlags(): Record<string, boolean>;
|
|
979
1016
|
declare function useCustomConfig(): Record<string, unknown>;
|
|
1017
|
+
declare function useVideoConfig(): VideoConfig;
|
|
980
1018
|
|
|
981
1019
|
interface AuthContextType {
|
|
982
1020
|
session: Session | null;
|
|
@@ -1694,6 +1732,43 @@ declare const useWorkspaceOperators: (workspaceId: string, options?: UseWorkspac
|
|
|
1694
1732
|
refetch: () => Promise<void>;
|
|
1695
1733
|
};
|
|
1696
1734
|
|
|
1735
|
+
interface UseHlsStreamOptions {
|
|
1736
|
+
src: string;
|
|
1737
|
+
shouldPlay: boolean;
|
|
1738
|
+
onFatalError?: () => void;
|
|
1739
|
+
}
|
|
1740
|
+
/**
|
|
1741
|
+
* Enterprise-grade HLS streaming hook with auto-recovery
|
|
1742
|
+
*
|
|
1743
|
+
* Recovery timing configuration:
|
|
1744
|
+
* - Buffer underrun (waiting): 10 seconds grace period
|
|
1745
|
+
* - Stall detection: checks every 7 seconds, 8 seconds grace period
|
|
1746
|
+
* - Soft restart escalation: after 5 failed attempts
|
|
1747
|
+
* - Total time before recovery: 10-15 seconds typically
|
|
1748
|
+
*/
|
|
1749
|
+
declare function useHlsStream(videoRef: React.RefObject<HTMLVideoElement | null>, { src, shouldPlay, onFatalError }: UseHlsStreamOptions): {
|
|
1750
|
+
restartKey: number;
|
|
1751
|
+
isNativeHls: boolean;
|
|
1752
|
+
};
|
|
1753
|
+
|
|
1754
|
+
interface UseHlsStreamWithCroppingOptions {
|
|
1755
|
+
src: string;
|
|
1756
|
+
shouldPlay: boolean;
|
|
1757
|
+
cropping?: VideoCroppingRect;
|
|
1758
|
+
canvasFps?: number;
|
|
1759
|
+
useRAF?: boolean;
|
|
1760
|
+
onFatalError?: () => void;
|
|
1761
|
+
}
|
|
1762
|
+
/**
|
|
1763
|
+
* Enhanced HLS streaming hook with canvas-based cropping support
|
|
1764
|
+
* Extends the enterprise-grade useHlsStream with video cropping capabilities
|
|
1765
|
+
*/
|
|
1766
|
+
declare function useHlsStreamWithCropping(videoRef: React.RefObject<HTMLVideoElement | null>, canvasRef: React.RefObject<HTMLCanvasElement | null>, options: UseHlsStreamWithCroppingOptions): {
|
|
1767
|
+
isCanvasRendering: boolean;
|
|
1768
|
+
restartKey: number;
|
|
1769
|
+
isNativeHls: boolean;
|
|
1770
|
+
};
|
|
1771
|
+
|
|
1697
1772
|
interface UseThreadsResult {
|
|
1698
1773
|
threads: ChatThread[];
|
|
1699
1774
|
isLoading: boolean;
|
|
@@ -2101,25 +2176,6 @@ interface UseFormatNumberResult {
|
|
|
2101
2176
|
*/
|
|
2102
2177
|
declare const useFormatNumber: () => UseFormatNumberResult;
|
|
2103
2178
|
|
|
2104
|
-
interface UseHlsStreamOptions {
|
|
2105
|
-
src: string;
|
|
2106
|
-
shouldPlay: boolean;
|
|
2107
|
-
onFatalError?: () => void;
|
|
2108
|
-
}
|
|
2109
|
-
/**
|
|
2110
|
-
* Enterprise-grade HLS streaming hook with auto-recovery
|
|
2111
|
-
*
|
|
2112
|
-
* Recovery timing configuration:
|
|
2113
|
-
* - Buffer underrun (waiting): 10 seconds grace period
|
|
2114
|
-
* - Stall detection: checks every 7 seconds, 8 seconds grace period
|
|
2115
|
-
* - Soft restart escalation: after 5 failed attempts
|
|
2116
|
-
* - Total time before recovery: 10-15 seconds typically
|
|
2117
|
-
*/
|
|
2118
|
-
declare function useHlsStream(videoRef: React.RefObject<HTMLVideoElement | null>, { src, shouldPlay, onFatalError }: UseHlsStreamOptions): {
|
|
2119
|
-
restartKey: number;
|
|
2120
|
-
isNativeHls: boolean;
|
|
2121
|
-
};
|
|
2122
|
-
|
|
2123
2179
|
declare const actionService: {
|
|
2124
2180
|
getActionsByName(actionNames: string[], companyIdInput?: string): Promise<Action[]>;
|
|
2125
2181
|
};
|
|
@@ -3276,6 +3332,7 @@ interface ShiftData {
|
|
|
3276
3332
|
pphThreshold: number;
|
|
3277
3333
|
idealOutput: number;
|
|
3278
3334
|
rank: number;
|
|
3335
|
+
idleTime: number;
|
|
3279
3336
|
}
|
|
3280
3337
|
interface DayData$1 {
|
|
3281
3338
|
date: Date;
|
|
@@ -3492,6 +3549,9 @@ interface VideoCardProps {
|
|
|
3492
3549
|
onClick?: () => void;
|
|
3493
3550
|
onFatalError?: () => void;
|
|
3494
3551
|
isVeryLowEfficiency?: boolean;
|
|
3552
|
+
cropping?: VideoCroppingRect;
|
|
3553
|
+
canvasFps?: number;
|
|
3554
|
+
useRAF?: boolean;
|
|
3495
3555
|
className?: string;
|
|
3496
3556
|
}
|
|
3497
3557
|
declare const VideoCard: React__default.FC<VideoCardProps>;
|
|
@@ -4191,6 +4251,7 @@ declare const DEFAULT_ENDPOINTS_CONFIG: EndpointsConfig;
|
|
|
4191
4251
|
declare const DEFAULT_THEME_CONFIG: ThemeConfig;
|
|
4192
4252
|
declare const DEFAULT_ANALYTICS_CONFIG: AnalyticsConfig;
|
|
4193
4253
|
declare const DEFAULT_AUTH_CONFIG: AuthConfig;
|
|
4254
|
+
declare const DEFAULT_VIDEO_CONFIG: VideoConfig;
|
|
4194
4255
|
declare const LINE_1_UUID = "910a224b-0abc-459a-babb-4c899824cfe7";
|
|
4195
4256
|
declare const DEFAULT_CONFIG: Omit<DashboardConfig, 'supabaseUrl' | 'supabaseKey'>;
|
|
4196
4257
|
|
|
@@ -4428,4 +4489,4 @@ interface ThreadSidebarProps {
|
|
|
4428
4489
|
}
|
|
4429
4490
|
declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
|
|
4430
4491
|
|
|
4431
|
-
export { ACTION_NAMES, AIAgentView, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, type AnalyticsConfig, 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, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, type ChatMessage, type ChatThread, type ClipCounts, type ComponentOverride, 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_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, type EndpointsConfig, type EntityConfig, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, GridComponentsPlaceholder, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type ISTDateProps, ISTTimer, type ISTTimerProps, KPICard, type KPICardProps, KPIDetailView, type KPIDetailViewProps, KPIGrid, type KPIGridProps, KPIHeader, type KPIHeaderProps, KPISection, type KPITrend, KPIsOverviewView, type KPIsOverviewViewProps, LINE_1_UUID, LargeOutputProgressChart, type LargeOutputProgressChartProps, 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, LoadingOverlay, LoadingPage, LoadingSpinner, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, MainLayout, type MainLayoutProps, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, type NavItem, type NavItemTrackingEvent, NoWorkspaceData, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, type PoorPerformingWorkspace, type ProfileMenuItem, ProfileView, type QualityMetric, type QualityOverview, type QualityService, type RateLimitOptions, type RateLimitResult, type RealtimeService, RegistryProvider, type RoutePath, type S3ClipsAPIParams, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, 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, SlackAPI, type StreamProxyConfig, type SupabaseClient, SupabaseProvider, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsView, type TargetsViewProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TimeDisplay, TimePickerDropdown, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UseActiveBreaksResult, type UseDashboardMetricsProps, type UseFactoryOverviewOptions, type UseFormatNumberResult, type UseMessagesResult, type UseRealtimeLineMetricsProps, type UseTargetsOptions, type UseThreadsResult, type UseWorkspaceOperatorsOptions, type UserProfileConfig, VideoCard, VideoGridView, type VideoMetadata, 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, 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, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAnonClient, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getCurrentShift, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultTabForWorkspace, getManufacturingInsights, getMetricsTablePrefix, getOperationalDate, getS3SignedUrl, getS3VideoSrc, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getThreadMessages, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, identifyCoreUser, initializeCoreMixpanel, isTransitionPeriod, isValidLineInfoPayload, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, mergeWithDefaultConfig, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, s3VideoPreloader, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAnalyticsConfig, useAuth, useAuthConfig, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHistoricWorkspaceMetrics, useHlsStream, useHookOverride, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineWorkspaceMetrics, useMessages, useMetrics, useNavigation, useOverrides, usePageOverride, useRealtimeLineMetrics, useRegistry, useShiftConfig, useShifts, useSupabase, useSupabaseClient, useTargets, useTheme, useThemeConfig, useThreads, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|
|
4492
|
+
export { ACTION_NAMES, AIAgentView, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, type AnalyticsConfig, 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, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, type ChatMessage, type ChatThread, type ClipCounts, type ComponentOverride, 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, type EndpointsConfig, type EntityConfig, type FactoryOverviewData, FactoryView, type FactoryViewProps, type FormatNumberOptions, GridComponentsPlaceholder, Header, type HeaderProps, HelpView, type HelpViewProps, type HistoryCalendarProps, HomeView, type HookOverride, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type ISTDateProps, ISTTimer, type ISTTimerProps, KPICard, type KPICardProps, KPIDetailView, type KPIDetailViewProps, KPIGrid, type KPIGridProps, KPIHeader, type KPIHeaderProps, KPISection, type KPITrend, KPIsOverviewView, type KPIsOverviewViewProps, LINE_1_UUID, LargeOutputProgressChart, type LargeOutputProgressChartProps, 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, LoadingOverlay, LoadingPage, LoadingSpinner, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, MainLayout, type MainLayoutProps, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, type NavItem, type NavItemTrackingEvent, NoWorkspaceData, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, type PoorPerformingWorkspace, type ProfileMenuItem, ProfileView, type QualityMetric, type QualityOverview, type QualityService, type RateLimitOptions, type RateLimitResult, type RealtimeService, RegistryProvider, type RoutePath, type S3ClipsAPIParams, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, 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, SlackAPI, type StreamProxyConfig, type SupabaseClient, SupabaseProvider, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsView, type TargetsViewProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TimeDisplay, TimePickerDropdown, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UseActiveBreaksResult, type UseDashboardMetricsProps, type UseFactoryOverviewOptions, type UseFormatNumberResult, type UseMessagesResult, type UseRealtimeLineMetricsProps, type UseTargetsOptions, type UseThreadsResult, type UseWorkspaceOperatorsOptions, type UserProfileConfig, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, type VideoMetadata, 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, 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, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAnonClient, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getCurrentShift, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultTabForWorkspace, getManufacturingInsights, getMetricsTablePrefix, getOperationalDate, getS3SignedUrl, getS3VideoSrc, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getThreadMessages, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, identifyCoreUser, initializeCoreMixpanel, isTransitionPeriod, isValidLineInfoPayload, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, mergeWithDefaultConfig, optifyeAgentClient, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, s3VideoPreloader, storeWorkspaceMapping, streamProxyConfig, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, updateThreadTitle, useActiveBreaks, useAnalyticsConfig, useAuth, useAuthConfig, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHistoricWorkspaceMetrics, useHlsStream, useHlsStreamWithCropping, useHookOverride, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineWorkspaceMetrics, useMessages, useMetrics, useNavigation, useOverrides, usePageOverride, useRealtimeLineMetrics, useRegistry, useShiftConfig, useShifts, useSupabase, useSupabaseClient, useTargets, useTheme, useThemeConfig, useThreads, useVideoConfig, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, videoPreloader, whatsappService, withAuth, withRegistry, workspaceService };
|