@optifye/dashboard-core 6.10.24 → 6.10.26
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 +177 -77
- package/dist/index.d.ts +177 -77
- package/dist/index.js +3393 -1741
- package/dist/index.mjs +3393 -1745
- package/package.json +1 -1
package/dist/index.d.mts
CHANGED
|
@@ -1402,6 +1402,15 @@ interface ClipType {
|
|
|
1402
1402
|
severity_levels?: string[];
|
|
1403
1403
|
};
|
|
1404
1404
|
}
|
|
1405
|
+
interface ClipsInitData {
|
|
1406
|
+
clipTypes: ClipType[];
|
|
1407
|
+
counts: Record<string, number>;
|
|
1408
|
+
defaultCategory?: string | null;
|
|
1409
|
+
snapshotDateTime?: string | null;
|
|
1410
|
+
snapshotClipId?: string | null;
|
|
1411
|
+
firstClips?: Record<string, BottleneckVideoData | null>;
|
|
1412
|
+
firstClip?: BottleneckVideoData | null;
|
|
1413
|
+
}
|
|
1405
1414
|
/**
|
|
1406
1415
|
* S3 Clips Service - Supabase Implementation
|
|
1407
1416
|
* All clip operations go through Supabase database
|
|
@@ -1409,6 +1418,10 @@ interface ClipType {
|
|
|
1409
1418
|
declare class S3ClipsSupabaseService {
|
|
1410
1419
|
private config;
|
|
1411
1420
|
private requestCache;
|
|
1421
|
+
private clipTypesCache;
|
|
1422
|
+
private clipCountsCache;
|
|
1423
|
+
private clipByIdCache;
|
|
1424
|
+
private clipsInitCache;
|
|
1412
1425
|
private readonly defaultLimitPerCategory;
|
|
1413
1426
|
private readonly maxLimitPerCategory;
|
|
1414
1427
|
private readonly concurrencyLimit;
|
|
@@ -1449,7 +1462,9 @@ declare class S3ClipsSupabaseService {
|
|
|
1449
1462
|
/**
|
|
1450
1463
|
* Get clip counts (simplified version)
|
|
1451
1464
|
*/
|
|
1452
|
-
getClipCounts(workspaceId: string, date: string, shiftId: string | number, totalOutput?: number
|
|
1465
|
+
getClipCounts(workspaceId: string, date: string, shiftId: string | number, totalOutput?: number, options?: {
|
|
1466
|
+
bypassCache?: boolean;
|
|
1467
|
+
}): Promise<Record<string, number>>;
|
|
1453
1468
|
/**
|
|
1454
1469
|
* Get clip by ID - stable navigation method
|
|
1455
1470
|
* This ensures navigation works even when new clips are added
|
|
@@ -1464,7 +1479,11 @@ declare class S3ClipsSupabaseService {
|
|
|
1464
1479
|
* Returns previous and next clips based on timestamp
|
|
1465
1480
|
* Handles both regular and percentile categories
|
|
1466
1481
|
*/
|
|
1467
|
-
getNeighboringClips(workspaceId: string, date: string, shiftId: string | number, category: string, currentClipId: string,
|
|
1482
|
+
getNeighboringClips(workspaceId: string, date: string, shiftId: string | number, category: string, currentClipId: string, options?: {
|
|
1483
|
+
sopCategories?: SOPCategory$1[];
|
|
1484
|
+
snapshotDateTime?: string | null;
|
|
1485
|
+
snapshotClipId?: string | null;
|
|
1486
|
+
}): Promise<{
|
|
1468
1487
|
previous: BottleneckVideoData | null;
|
|
1469
1488
|
next: BottleneckVideoData | null;
|
|
1470
1489
|
}>;
|
|
@@ -1499,6 +1518,10 @@ declare class S3ClipsSupabaseService {
|
|
|
1499
1518
|
* Get all clip types from Supabase
|
|
1500
1519
|
*/
|
|
1501
1520
|
getClipTypes(): Promise<ClipType[]>;
|
|
1521
|
+
/**
|
|
1522
|
+
* Get init data for clips tab (types, counts, default category, first clip)
|
|
1523
|
+
*/
|
|
1524
|
+
getClipsInit(workspaceId: string, date: string, shiftId: string | number, totalOutput?: number): Promise<ClipsInitData>;
|
|
1502
1525
|
/**
|
|
1503
1526
|
* Ensure videos are loaded for navigation
|
|
1504
1527
|
*/
|
|
@@ -2596,7 +2619,8 @@ interface HistoricWorkspaceMetrics {
|
|
|
2596
2619
|
avg_cycle_time: number;
|
|
2597
2620
|
ideal_cycle_time: number;
|
|
2598
2621
|
idle_time?: number;
|
|
2599
|
-
output_hourly?: number[]
|
|
2622
|
+
output_hourly?: Record<string, number[]>;
|
|
2623
|
+
output_array?: number[];
|
|
2600
2624
|
idle_time_hourly?: Record<string, string[]>;
|
|
2601
2625
|
hourly_action_counts: number[];
|
|
2602
2626
|
shift_start: string;
|
|
@@ -3746,6 +3770,27 @@ declare function useClipTypesWithCounts(workspaceId: string, date: string, shift
|
|
|
3746
3770
|
counts: Record<string, number>;
|
|
3747
3771
|
};
|
|
3748
3772
|
|
|
3773
|
+
interface UseClipsInitOptions {
|
|
3774
|
+
workspaceId: string;
|
|
3775
|
+
date: string;
|
|
3776
|
+
shiftId: string | number;
|
|
3777
|
+
totalOutput?: number;
|
|
3778
|
+
enabled?: boolean;
|
|
3779
|
+
}
|
|
3780
|
+
interface UseClipsInitResult {
|
|
3781
|
+
clipTypes: ClipType[];
|
|
3782
|
+
counts: Record<string, number>;
|
|
3783
|
+
defaultCategory: string | null;
|
|
3784
|
+
snapshotDateTime: string | null;
|
|
3785
|
+
snapshotClipId: string | null;
|
|
3786
|
+
firstClips: Record<string, BottleneckVideoData | null>;
|
|
3787
|
+
firstClip: BottleneckVideoData | null;
|
|
3788
|
+
isLoading: boolean;
|
|
3789
|
+
error: string | null;
|
|
3790
|
+
refreshCounts: () => Promise<void>;
|
|
3791
|
+
}
|
|
3792
|
+
declare const useClipsInit: ({ workspaceId, date, shiftId, totalOutput, enabled }: UseClipsInitOptions) => UseClipsInitResult;
|
|
3793
|
+
|
|
3749
3794
|
interface UseLineShiftConfigResult {
|
|
3750
3795
|
/** The shift configuration for the line, or null if not loaded */
|
|
3751
3796
|
shiftConfig: ShiftConfig | null;
|
|
@@ -3807,6 +3852,109 @@ interface UseMultiLineShiftConfigsResult {
|
|
|
3807
3852
|
*/
|
|
3808
3853
|
declare const useMultiLineShiftConfigs: (lineIds: string[], fallbackConfig?: ShiftConfig) => UseMultiLineShiftConfigsResult;
|
|
3809
3854
|
|
|
3855
|
+
/**
|
|
3856
|
+
* Represents a group of lines that share the same current shift
|
|
3857
|
+
*/
|
|
3858
|
+
interface ShiftLineGroup {
|
|
3859
|
+
/** The shift ID that these lines are currently on */
|
|
3860
|
+
shiftId: number;
|
|
3861
|
+
/** The operational date for this shift */
|
|
3862
|
+
date: string;
|
|
3863
|
+
/** The shift name (e.g., "Day Shift", "Night Shift") */
|
|
3864
|
+
shiftName: string;
|
|
3865
|
+
/** Line IDs that are currently on this shift */
|
|
3866
|
+
lineIds: string[];
|
|
3867
|
+
}
|
|
3868
|
+
/**
|
|
3869
|
+
* Result of getCurrentShiftForLine
|
|
3870
|
+
*/
|
|
3871
|
+
interface LineShiftInfo {
|
|
3872
|
+
lineId: string;
|
|
3873
|
+
shiftId: number;
|
|
3874
|
+
date: string;
|
|
3875
|
+
shiftName: string;
|
|
3876
|
+
}
|
|
3877
|
+
/**
|
|
3878
|
+
* Gets the current shift info for a line given its shift configuration
|
|
3879
|
+
*
|
|
3880
|
+
* @param lineId - The line UUID
|
|
3881
|
+
* @param shiftConfig - The shift configuration for this line
|
|
3882
|
+
* @param timezone - The timezone to use for calculations
|
|
3883
|
+
* @param now - The current date/time (optional, defaults to new Date())
|
|
3884
|
+
* @returns The current shift information for the line
|
|
3885
|
+
*/
|
|
3886
|
+
declare const getCurrentShiftForLine: (lineId: string, shiftConfig: ShiftConfig, timezone: string, now?: Date) => LineShiftInfo;
|
|
3887
|
+
/**
|
|
3888
|
+
* Groups line IDs by their current shift based on per-line shift configurations.
|
|
3889
|
+
* This is useful for making efficient queries when different lines may be in different shifts.
|
|
3890
|
+
*
|
|
3891
|
+
* Example:
|
|
3892
|
+
* - Line 1 has shift config starting at 7 PM → Currently in Night Shift (shiftId: 1)
|
|
3893
|
+
* - Line 2 has shift config starting at 6 PM → Currently in Day Shift (shiftId: 0)
|
|
3894
|
+
*
|
|
3895
|
+
* Returns:
|
|
3896
|
+
* [
|
|
3897
|
+
* { shiftId: 0, date: '2025-01-15', shiftName: 'Day Shift', lineIds: ['line2-uuid'] },
|
|
3898
|
+
* { shiftId: 1, date: '2025-01-15', shiftName: 'Night Shift', lineIds: ['line1-uuid'] }
|
|
3899
|
+
* ]
|
|
3900
|
+
*
|
|
3901
|
+
* @param shiftConfigMap - Map of lineId → ShiftConfig
|
|
3902
|
+
* @param timezone - The timezone to use for calculations
|
|
3903
|
+
* @param now - The current date/time (optional, defaults to new Date())
|
|
3904
|
+
* @returns Array of shift groups, each containing the lines currently on that shift
|
|
3905
|
+
*/
|
|
3906
|
+
declare const groupLinesByShift: (shiftConfigMap: Map<string, ShiftConfig>, timezone: string, now?: Date) => ShiftLineGroup[];
|
|
3907
|
+
/**
|
|
3908
|
+
* Checks if all lines are on the same shift (common case optimization)
|
|
3909
|
+
*
|
|
3910
|
+
* @param shiftConfigMap - Map of lineId → ShiftConfig
|
|
3911
|
+
* @param timezone - The timezone to use for calculations
|
|
3912
|
+
* @param now - The current date/time (optional, defaults to new Date())
|
|
3913
|
+
* @returns true if all lines are on the same shift, false otherwise
|
|
3914
|
+
*/
|
|
3915
|
+
declare const areAllLinesOnSameShift: (shiftConfigMap: Map<string, ShiftConfig>, timezone: string, now?: Date) => boolean;
|
|
3916
|
+
/**
|
|
3917
|
+
* Gets a single shift group if all lines are on the same shift.
|
|
3918
|
+
* This is a convenience function for the common case where we expect uniform shifts.
|
|
3919
|
+
*
|
|
3920
|
+
* @param shiftConfigMap - Map of lineId → ShiftConfig
|
|
3921
|
+
* @param timezone - The timezone to use for calculations
|
|
3922
|
+
* @param now - The current date/time (optional, defaults to new Date())
|
|
3923
|
+
* @returns The single shift group if uniform, or null if lines are on different shifts
|
|
3924
|
+
*/
|
|
3925
|
+
declare const getUniformShiftGroup: (shiftConfigMap: Map<string, ShiftConfig>, timezone: string, now?: Date) => ShiftLineGroup | null;
|
|
3926
|
+
/**
|
|
3927
|
+
* Builds a stable key for a set of shift groups.
|
|
3928
|
+
* Used to detect shift boundary changes without resubscribing on every tick.
|
|
3929
|
+
*/
|
|
3930
|
+
declare const buildShiftGroupsKey: (groups: ShiftLineGroup[]) => string;
|
|
3931
|
+
|
|
3932
|
+
type UseShiftGroupsParams = {
|
|
3933
|
+
enabled: boolean;
|
|
3934
|
+
shiftConfigMap: Map<string, ShiftConfig>;
|
|
3935
|
+
timezone: string;
|
|
3936
|
+
pollIntervalMs?: number;
|
|
3937
|
+
};
|
|
3938
|
+
type UseShiftGroupsResult = {
|
|
3939
|
+
shiftGroups: ShiftLineGroup[];
|
|
3940
|
+
shiftGroupsKey: string;
|
|
3941
|
+
};
|
|
3942
|
+
declare const useShiftGroups: ({ enabled, shiftConfigMap, timezone, pollIntervalMs, }: UseShiftGroupsParams) => UseShiftGroupsResult;
|
|
3943
|
+
|
|
3944
|
+
type UseOperationalShiftKeyParams = {
|
|
3945
|
+
enabled?: boolean;
|
|
3946
|
+
timezone: string;
|
|
3947
|
+
shiftConfig: ShiftConfig | null | undefined;
|
|
3948
|
+
pollIntervalMs?: number;
|
|
3949
|
+
};
|
|
3950
|
+
type UseOperationalShiftKeyResult = {
|
|
3951
|
+
shiftKey: string;
|
|
3952
|
+
date: string | null;
|
|
3953
|
+
shiftId: number | null;
|
|
3954
|
+
shiftName: string | null;
|
|
3955
|
+
};
|
|
3956
|
+
declare const useOperationalShiftKey: ({ enabled, timezone, shiftConfig, pollIntervalMs, }: UseOperationalShiftKeyParams) => UseOperationalShiftKeyResult;
|
|
3957
|
+
|
|
3810
3958
|
/**
|
|
3811
3959
|
* Interface for navigation method used across packages
|
|
3812
3960
|
* Abstracts navigation implementation details from components
|
|
@@ -3976,7 +4124,7 @@ interface UseWorkspaceHealthByIdOptions {
|
|
|
3976
4124
|
* @hook useWorkspaceHealthById
|
|
3977
4125
|
* @summary Monitors workspace heartbeat and health status in real-time
|
|
3978
4126
|
*
|
|
3979
|
-
* @description This hook retrieves workspace health data from the
|
|
4127
|
+
* @description This hook retrieves workspace health data from the configured health table
|
|
3980
4128
|
* which tracks heartbeats and connectivity status. It supports real-time subscriptions
|
|
3981
4129
|
* for live monitoring.
|
|
3982
4130
|
*
|
|
@@ -4186,6 +4334,8 @@ declare function useAccessControl(): AccessControlReturn;
|
|
|
4186
4334
|
interface CompanyUserWithDetails {
|
|
4187
4335
|
user_id: string;
|
|
4188
4336
|
email: string;
|
|
4337
|
+
first_name?: string;
|
|
4338
|
+
last_name?: string;
|
|
4189
4339
|
role_level: 'owner' | 'plant_head' | 'supervisor' | 'optifye';
|
|
4190
4340
|
first_login_completed: boolean;
|
|
4191
4341
|
created_at: string;
|
|
@@ -4225,6 +4375,15 @@ interface AssignUserToFactoriesInput {
|
|
|
4225
4375
|
factory_ids: string[];
|
|
4226
4376
|
assigned_by: string;
|
|
4227
4377
|
}
|
|
4378
|
+
/**
|
|
4379
|
+
* Input for updating user name
|
|
4380
|
+
*/
|
|
4381
|
+
interface UpdateUserNameInput {
|
|
4382
|
+
user_id: string;
|
|
4383
|
+
first_name: string;
|
|
4384
|
+
last_name?: string;
|
|
4385
|
+
updated_by: string;
|
|
4386
|
+
}
|
|
4228
4387
|
/**
|
|
4229
4388
|
* Service for managing users in the system (now using backend APIs)
|
|
4230
4389
|
*/
|
|
@@ -4309,6 +4468,11 @@ declare class UserManagementService {
|
|
|
4309
4468
|
deleted_user_email: string;
|
|
4310
4469
|
deleted_by: string;
|
|
4311
4470
|
}>;
|
|
4471
|
+
/**
|
|
4472
|
+
* Update a user's name
|
|
4473
|
+
* @param input - Update name input
|
|
4474
|
+
*/
|
|
4475
|
+
updateUserName(input: UpdateUserNameInput): Promise<void>;
|
|
4312
4476
|
}
|
|
4313
4477
|
/**
|
|
4314
4478
|
* Factory function to create UserManagementService
|
|
@@ -5912,78 +6076,6 @@ declare const getShiftNameById: (shiftId: number, timezone: string, shiftConfig?
|
|
|
5912
6076
|
*/
|
|
5913
6077
|
declare const getShortShiftName: (shiftId: number, timezone: string, shiftConfig?: ShiftConfig | null) => string;
|
|
5914
6078
|
|
|
5915
|
-
/**
|
|
5916
|
-
* Represents a group of lines that share the same current shift
|
|
5917
|
-
*/
|
|
5918
|
-
interface ShiftLineGroup {
|
|
5919
|
-
/** The shift ID that these lines are currently on */
|
|
5920
|
-
shiftId: number;
|
|
5921
|
-
/** The operational date for this shift */
|
|
5922
|
-
date: string;
|
|
5923
|
-
/** The shift name (e.g., "Day Shift", "Night Shift") */
|
|
5924
|
-
shiftName: string;
|
|
5925
|
-
/** Line IDs that are currently on this shift */
|
|
5926
|
-
lineIds: string[];
|
|
5927
|
-
}
|
|
5928
|
-
/**
|
|
5929
|
-
* Result of getCurrentShiftForLine
|
|
5930
|
-
*/
|
|
5931
|
-
interface LineShiftInfo {
|
|
5932
|
-
lineId: string;
|
|
5933
|
-
shiftId: number;
|
|
5934
|
-
date: string;
|
|
5935
|
-
shiftName: string;
|
|
5936
|
-
}
|
|
5937
|
-
/**
|
|
5938
|
-
* Gets the current shift info for a line given its shift configuration
|
|
5939
|
-
*
|
|
5940
|
-
* @param lineId - The line UUID
|
|
5941
|
-
* @param shiftConfig - The shift configuration for this line
|
|
5942
|
-
* @param timezone - The timezone to use for calculations
|
|
5943
|
-
* @param now - The current date/time (optional, defaults to new Date())
|
|
5944
|
-
* @returns The current shift information for the line
|
|
5945
|
-
*/
|
|
5946
|
-
declare const getCurrentShiftForLine: (lineId: string, shiftConfig: ShiftConfig, timezone: string, now?: Date) => LineShiftInfo;
|
|
5947
|
-
/**
|
|
5948
|
-
* Groups line IDs by their current shift based on per-line shift configurations.
|
|
5949
|
-
* This is useful for making efficient queries when different lines may be in different shifts.
|
|
5950
|
-
*
|
|
5951
|
-
* Example:
|
|
5952
|
-
* - Line 1 has shift config starting at 7 PM → Currently in Night Shift (shiftId: 1)
|
|
5953
|
-
* - Line 2 has shift config starting at 6 PM → Currently in Day Shift (shiftId: 0)
|
|
5954
|
-
*
|
|
5955
|
-
* Returns:
|
|
5956
|
-
* [
|
|
5957
|
-
* { shiftId: 0, date: '2025-01-15', shiftName: 'Day Shift', lineIds: ['line2-uuid'] },
|
|
5958
|
-
* { shiftId: 1, date: '2025-01-15', shiftName: 'Night Shift', lineIds: ['line1-uuid'] }
|
|
5959
|
-
* ]
|
|
5960
|
-
*
|
|
5961
|
-
* @param shiftConfigMap - Map of lineId → ShiftConfig
|
|
5962
|
-
* @param timezone - The timezone to use for calculations
|
|
5963
|
-
* @param now - The current date/time (optional, defaults to new Date())
|
|
5964
|
-
* @returns Array of shift groups, each containing the lines currently on that shift
|
|
5965
|
-
*/
|
|
5966
|
-
declare const groupLinesByShift: (shiftConfigMap: Map<string, ShiftConfig>, timezone: string, now?: Date) => ShiftLineGroup[];
|
|
5967
|
-
/**
|
|
5968
|
-
* Checks if all lines are on the same shift (common case optimization)
|
|
5969
|
-
*
|
|
5970
|
-
* @param shiftConfigMap - Map of lineId → ShiftConfig
|
|
5971
|
-
* @param timezone - The timezone to use for calculations
|
|
5972
|
-
* @param now - The current date/time (optional, defaults to new Date())
|
|
5973
|
-
* @returns true if all lines are on the same shift, false otherwise
|
|
5974
|
-
*/
|
|
5975
|
-
declare const areAllLinesOnSameShift: (shiftConfigMap: Map<string, ShiftConfig>, timezone: string, now?: Date) => boolean;
|
|
5976
|
-
/**
|
|
5977
|
-
* Gets a single shift group if all lines are on the same shift.
|
|
5978
|
-
* This is a convenience function for the common case where we expect uniform shifts.
|
|
5979
|
-
*
|
|
5980
|
-
* @param shiftConfigMap - Map of lineId → ShiftConfig
|
|
5981
|
-
* @param timezone - The timezone to use for calculations
|
|
5982
|
-
* @param now - The current date/time (optional, defaults to new Date())
|
|
5983
|
-
* @returns The single shift group if uniform, or null if lines are on different shifts
|
|
5984
|
-
*/
|
|
5985
|
-
declare const getUniformShiftGroup: (shiftConfigMap: Map<string, ShiftConfig>, timezone: string, now?: Date) => ShiftLineGroup | null;
|
|
5986
|
-
|
|
5987
6079
|
/**
|
|
5988
6080
|
* Utility functions for timezone-aware time calculations
|
|
5989
6081
|
*/
|
|
@@ -7325,6 +7417,7 @@ declare const LiveTimer: React__default.FC;
|
|
|
7325
7417
|
/**
|
|
7326
7418
|
* Types for BottlenecksContent component
|
|
7327
7419
|
*/
|
|
7420
|
+
|
|
7328
7421
|
/**
|
|
7329
7422
|
* Props for the BottlenecksContent component
|
|
7330
7423
|
*/
|
|
@@ -7358,6 +7451,10 @@ interface BottlenecksContentProps {
|
|
|
7358
7451
|
* Total output from workspace metrics for cycle completion adjustment
|
|
7359
7452
|
*/
|
|
7360
7453
|
totalOutput?: number;
|
|
7454
|
+
/**
|
|
7455
|
+
* Optional workspace metrics to avoid duplicate fetches
|
|
7456
|
+
*/
|
|
7457
|
+
workspaceMetrics?: WorkspaceDetailedMetrics | null;
|
|
7361
7458
|
/**
|
|
7362
7459
|
* Optional custom content to replace the video counter (1/34)
|
|
7363
7460
|
*/
|
|
@@ -7800,6 +7897,8 @@ interface FileManagerFiltersProps {
|
|
|
7800
7897
|
workspaceId?: string;
|
|
7801
7898
|
date?: string;
|
|
7802
7899
|
shift?: string | number;
|
|
7900
|
+
snapshotDateTime?: string | null;
|
|
7901
|
+
snapshotClipId?: string | null;
|
|
7803
7902
|
className?: string;
|
|
7804
7903
|
targetCycleTime?: number | null;
|
|
7805
7904
|
clipClassifications?: Record<string, ClipClassification>;
|
|
@@ -8482,6 +8581,7 @@ interface UserManagementTableProps {
|
|
|
8482
8581
|
onRemoveUser?: (userId: string) => Promise<void>;
|
|
8483
8582
|
onLineAssignmentUpdate?: (userId: string, lineIds: string[]) => Promise<void>;
|
|
8484
8583
|
onFactoryAssignmentUpdate?: (userId: string, factoryIds: string[]) => Promise<void>;
|
|
8584
|
+
onNameUpdate?: (userId: string, firstName: string, lastName: string | undefined) => Promise<void>;
|
|
8485
8585
|
availableLines?: Line[];
|
|
8486
8586
|
availableFactories?: Factory[];
|
|
8487
8587
|
currentUserId?: string;
|
|
@@ -9253,4 +9353,4 @@ interface ThreadSidebarProps {
|
|
|
9253
9353
|
}
|
|
9254
9354
|
declare const ThreadSidebar: React__default.FC<ThreadSidebarProps>;
|
|
9255
9355
|
|
|
9256
|
-
export { ACTION_NAMES, AIAgentView, AcceptInvite, type AcceptInviteProps, AcceptInviteView, type AcceptInviteViewProps, type AccessControlReturn, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, AdvancedFilterDialog, AdvancedFilterPanel, type AnalyticsConfig, type AssignUserToFactoriesInput, type AssignUserToLinesInput, AudioService, AuthCallback, type AuthCallbackProps, AuthCallbackView, type AuthCallbackViewProps, type AuthConfig, AuthProvider, AuthService, type AuthUser, AuthenticatedBottleneckClipsView, AuthenticatedFactoryView, AuthenticatedHelpView, AuthenticatedHomeView, AuthenticatedShiftsView, AuthenticatedTargetsView, AuthenticatedTicketsView, AuthenticatedWorkspaceHealthView, AxelNotificationPopup, type AxelNotificationPopupProps, AxelOrb, type AxelOrbProps, type AxelSuggestion, BackButton, BackButtonMinimal, BarChart, type BarChartDataItem, type BarChartProps, type BarProps, BaseHistoryCalendar, type BaseHistoryCalendarProps, type BaseLineMetric, type BasePerformanceMetric, BottleneckClipsModal, type BottleneckClipsModalProps, type BottleneckClipsNavigationParams, BottleneckClipsView, type BottleneckClipsViewProps, type BottleneckFilterType, type BottleneckVideo, type BottleneckVideoData, BottlenecksContent, type BottlenecksContentProps, type BreadcrumbItem, type Break, BreakNotificationPopup, type BreakNotificationPopupProps, type BreakRowProps, type CacheEntryWithPrefetch, CachePrefetchStatus, type CachePrefetchStatusCallback, type CalendarShiftData, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, ChangeRoleDialog, type ChangeRoleDialogProps, type ChatMessage, type ChatThread, type CleanupFunction, type ClipCounts, type ClipCountsWithIndex, ClipFilterProvider, type ClipFilterState, type ClipsConfig, CompactWorkspaceHealthCard, type CompanyUsageReport, type CompanyUser, type CompanyUserUsageSummary, type CompanyUserWithDetails, type ComponentOverride, ConfirmRemoveUserDialog, type ConfirmRemoveUserDialogProps, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, type CreateInvitationInput, type CropConfig, CroppedHlsVideoPlayer, type CroppedHlsVideoPlayerProps, CroppedVideoPlayer, type CroppedVideoPlayerProps, type CurrentShiftResult, CycleTimeChart, type CycleTimeChartProps, CycleTimeOverTimeChart, type CycleTimeOverTimeChartProps, DEFAULT_ANALYTICS_CONFIG, DEFAULT_AUTH_CONFIG, DEFAULT_CONFIG, DEFAULT_DATABASE_CONFIG, DEFAULT_DATE_TIME_CONFIG, DEFAULT_ENDPOINTS_CONFIG, DEFAULT_ENTITY_CONFIG, DEFAULT_HOME_VIEW_CONFIG, DEFAULT_MAP_VIEW_CONFIG, DEFAULT_SHIFT_CONFIG, DEFAULT_SHIFT_DATA, 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 DateKeyRange, type DateTimeConfig, DateTimeDisplay, type DateTimeDisplayProps, type DayData, type DayHistoryData, type DaySummaryData, DebugAuth, DebugAuthView, DetailedHealthStatus, type DiagnosisOption$1 as DiagnosisOption, DiagnosisVideoModal, type DynamicLineShiftConfig, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type Factory, FactoryAssignmentDropdown, type FactoryAssignmentDropdownProps, type FactoryOverviewMetrics, FactoryView, type FactoryViewProps, type FetchIdleTimeReasonsParams, FileManagerFilters, FileManagerFilters as FileManagerFiltersProps, FilterDialogTrigger, FirstTimeLoginDebug, FirstTimeLoginHandler, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, type HealthAlertConfig, type HealthAlertHistory, HealthDateShiftSelector, type HealthFilterOptions, type HealthMetrics, type HealthStatus, HealthStatusGrid, HealthStatusIndicator, type HealthSummary, HelpView, type HelpViewProps, type HistoricWorkspaceMetrics, type HistoryCalendarProps, HlsVideoPlayer, type HlsVideoPlayerProps, type HlsVideoPlayerRef, HomeView, type HomeViewConfig, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, type IdleTimeClipMetadata, type IdleTimeReason, type IdleTimeReasonData, type IdleTimeReasonsData, type IdleTimeReasonsResponse, ImprovementCenterView, InlineEditableText, InteractiveOnboardingTour, InvitationService, type InvitationWithDetails, InvitationsTable, InviteUserDialog, 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, LineAssignmentDropdown, type LineAssignmentDropdownProps, 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 LineRecord, type LineShiftConfig, type LineShiftInfo, type LineSnapshot, type LineThreshold, LineWhatsAppShareButton, type LineWhatsAppShareProps, LinesService, LiveTimer, LoadingInline, LoadingInline as LoadingInlineProps, LoadingOverlay, LoadingPage, LoadingSkeleton, LoadingSkeleton as LoadingSkeletonProps, LoadingState, LoadingState as LoadingStateProps, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, Logo, type LogoProps, MainLayout, type MainLayoutProps, MapGridView, type MapViewConfig, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, MinimalOnboardingPopup, type MixpanelSessionOptions, MobileMenuProvider, type MobileMenuProviderProps, type MonthWeekRange, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NewClipsNotification, type NewClipsNotificationProps, NoWorkspaceData, OnboardingDemo, OnboardingTour, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OptifyeLogoLoader, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, PieChart, type PieChartProps, PlayPauseIndicator, type PlayPauseIndicatorProps, 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 RealtimeLineMetricsProps, type RealtimeService, RegistryProvider, type RenderReadyCallback$1 as RenderReadyCallback, RoleBadge, type RoutePath, type S3ClipsAPIParams, S3ClipsSupabaseService as S3ClipsService, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, type SKU, type SKUConfig, type SKUCreateInput, type SKUListProps, SKUManagementView, type SKUModalProps, type SKUSelectorProps, type SKUUpdateInput, type SOPCategory$1 as SOPCategory, SOPComplianceChart, type SOPComplianceChartProps, SSEChatClient, type SSEEvent, Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectScrollDownButton, SelectScrollUpButton, SelectSeparator, SelectTrigger, SelectValue, SessionTracker, SessionTrackingContext, SessionTrackingProvider, SettingsPopup, type SettingsPopupItem, type ShiftConfig, type ShiftConfiguration, type ShiftConfigurationRecord, type ShiftData, type ShiftDefinition, ShiftDisplay, type ShiftHistoryData, type ShiftHoursMap, type ShiftLineGroup, type ShiftPanelProps, type ShiftSummaryData, type ShiftTime, ShiftsView, type ShiftsViewProps, SideNavBar, type SideNavBarProps, SignupWithInvitation, type SignupWithInvitationProps, SilentErrorBoundary, type SimpleLine, SimpleOnboardingPopup, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, type Supervisor, type SupervisorAssignment, type SupervisorConfig, SupervisorDropdown, type SupervisorDropdownProps, type SupervisorLine, type SupervisorManagementData, SupervisorManagementView, type SupervisorManagementViewProps, SupervisorService, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsViewWithDisplayNames as TargetsView, type TargetsViewProps, type TeamManagementPermissions, TeamManagementView, type TeamManagementViewProps, TeamUsagePdfGenerator, type TeamUsagePdfGeneratorProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TicketHistory, TicketHistoryService, type TicketsConfig, TicketsView, type TicketsViewProps, TimeDisplay, TimePickerDropdown, Timer, TimezoneProvider, TimezoneService, type TodayUsage, type TodayUsageData, type TodayUsageReport, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UpdateUserRoleInput, type UptimeDetails, type UptimeStatus, type UsageBreakdown, type UseActiveBreaksResult, type UseAllWorkspaceMetricsOptions, type UseClipTypesResult, type UseCompanyUsersUsageOptions, type UseCompanyUsersUsageReturn, type UseDashboardMetricsProps, type UseDynamicShiftConfigResult, type UseFormatNumberResult, type UseIdleTimeReasonsProps, type UseIdleTimeReasonsResult, type UseLineShiftConfigResult, type UseLineWorkspaceMetricsOptions, type UseMessagesResult, type UseMultiLineShiftConfigsResult, type UsePrefetchClipCountsOptions$1 as UsePrefetchClipCountsOptions, type UsePrefetchClipCountsResult$1 as UsePrefetchClipCountsResult, type UseRealtimeLineMetricsProps, type UseSupervisorsByLineIdsResult, type UseTargetsOptions, type UseThreadsResult, type UseTicketHistoryReturn, type UseUserUsageOptions, type UseUserUsageReturn, type UseWorkspaceHealthByIdOptions, type UseWorkspaceHealthStatusReturn, type UseWorkspaceOperatorsOptions, type UseWorkspaceUptimeTimelineOptions, type UseWorkspaceUptimeTimelineResult, type UserInvitation, UserManagementService, UserManagementTable, type UserProfileConfig, type UserRole, type UserRoleLevel, UserService, type UserUsageDetail, UserUsageDetailModal, type UserUsageDetailModalProps, type UserUsageInfo, UserUsageStats, type UserUsageStatsProps, type UserUsageSummary, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, type VideoIndex, type VideoIndexEntry, type VideoMetadata, VideoPlayer, 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, type WorkspaceCropRect, WrappedComponent as WorkspaceDetailView, type WorkspaceDetailedMetrics, WorkspaceDisplayNameExample, type WorkspaceDowntimeSegment, WorkspaceGrid, WorkspaceGridItem, type WorkspaceGridItemProps, type WorkspaceGridPosition, type WorkspaceHealth, WorkspaceHealthCard, type WorkspaceHealthInfo, type WorkspaceHealthStatusData, _default as WorkspaceHealthView, type WorkspaceHealthWithStatus, WorkspaceHistoryCalendar, WorkspaceMetricCards, WorkspaceMetricCardsImpl, type WorkspaceMetricCardsProps, type WorkspaceMetrics, WorkspaceMonthlyDataFetcher, type WorkspaceMonthlyDataFetcherProps, WorkspaceMonthlyHistory, type WorkspaceMonthlyMetric, WorkspaceMonthlyPdfGenerator, type WorkspaceMonthlyPdfGeneratorProps, type WorkspaceNavigationParams, WorkspacePdfExportButton, type WorkspacePdfExportButtonProps, WorkspacePdfGenerator, type WorkspacePdfGeneratorProps, type WorkspacePosition, type WorkspaceQualityData, type WorkspaceUptimeTimeline, type WorkspaceUptimeTimelinePoint, type WorkspaceUrlMapping, type WorkspaceVideoStream, WorkspaceWhatsAppShareButton, type WorkspaceWhatsAppShareProps, actionService, aggregateKPIsFromLineMetricsRows, apiUtils, areAllLinesOnSameShift, authCoreService, authOTPService, authRateLimitService, buildDateKey, buildKPIsFromLineMetricsRow, checkRateLimit, clearAllRateLimits, clearRateLimit, clearS3VideoCache, clearS3VideoFromCache, clearWorkspaceDisplayNamesCache, cn, createDefaultKPIs, createInvitationService, createLinesService, createSessionTracker, createStreamProxyHandler, createSupabaseClient, createSupervisorService, createThrottledReload, createUserManagementService, createUserService, dashboardService, deleteThread, fetchIdleTimeReasons, filterDataByDateKeyRange, forceRefreshWorkspaceDisplayNames, formatDateInZone, formatDateKeyForDisplay, formatDateTimeInZone, formatDuration, formatISTDate, formatIdleTime, formatRangeLabel, formatReasonLabel, formatRelativeTime, formatTimeInZone, fromUrlFriendlyName, getAllLineDisplayNames, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAllWorkspaceDisplayNamesSnapshot, getAnonClient, getAvailableShiftIds, getBrowserName, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getConfiguredLineIds, getCoreSessionRecordingProperties, getCoreSessionReplayUrl, getCurrentShift, getCurrentShiftForLine, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDateKeyFromDate, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultLineId, getDefaultTabForWorkspace, getLineDisplayName, getManufacturingInsights, getMetricsTablePrefix, getMonthKeyBounds, getMonthWeekRanges, getNextUpdateInterval, getOperationalDate, getReasonColor, getS3SignedUrl, getS3VideoSrc, getShiftData, getShiftNameById, getShiftWorkDurationSeconds, getShortShiftName, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getSubscriptionManager, getThreadMessages, getUniformShiftGroup, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, groupLinesByShift, hasAnyShiftData, identifyCoreUser, initializeCoreMixpanel, isFullMonthRange, isLegacyConfiguration, isPrefetchError, isSafari, isTransitionPeriod, isUrlPermanentlyFailed, isValidFactoryViewConfiguration, isValidLineInfoPayload, isValidPrefetchParams, isValidPrefetchStatus, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, linesService, mergeWithDefaultConfig, migrateLegacyConfiguration, normalizeDateKeyRange, optifyeAgentClient, parseDateKeyToDate, parseS3Uri, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, shuffleArray, simulateApiDelay, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, subscribeWorkspaceDisplayNames, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, transformToChartData, updateThreadTitle, upsertWorkspaceDisplayNameInCache, useAccessControl, useActiveBreaks, useActiveLineId, useAllWorkspaceMetrics, useAnalyticsConfig, useAppTimezone, useAudioService, useAuth, useAuthConfig, useAxelNotifications, useCanSaveTargets, useClipFilter, useClipTypes, useClipTypesWithCounts, useCompanyUsersUsage, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useDynamicShiftConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHasLineAccess, useHideMobileHeader, useHistoricWorkspaceMetrics, useHlsStream, useHlsStreamWithCropping, useHookOverride, useHourEndTimer, useHourlyTargetAchievements, useHourlyTargetMisses, useIdleTimeClipClassifications, useIdleTimeReasons, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineShiftConfig, useLineSupervisor, useLineWorkspaceMetrics, useLines, useMessages, useMetrics, useMobileMenu, useMultiLineShiftConfigs, useNavigation, useOptionalSupabase, useOverrides, usePageOverride, usePrefetchClipCounts, useRealtimeLineMetrics, useRegistry, useSKUs, useSessionKeepAlive, useSessionTracking, useSessionTrackingContext, useShiftConfig, useShifts, useSubscriptionManager, useSubscriptionManagerSafe, useSupabase, useSupabaseClient, useSupervisorsByLineIds, useTargets, useTeamManagementPermissions, useTheme, useThemeConfig, useThreads, useTicketHistory, useTimezoneContext, useUserLineAccess, useUserUsage, useVideoConfig, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceHealthById, useWorkspaceHealthStatus, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, useWorkspaceUptimeTimeline, useWorkspaceVideoStreams, userService, videoPrefetchManager, videoPreloader, whatsappService, withAccessControl, withAuth, withRegistry, withTimezone, workspaceHealthService, workspaceService };
|
|
9356
|
+
export { ACTION_NAMES, AIAgentView, AcceptInvite, type AcceptInviteProps, AcceptInviteView, type AcceptInviteViewProps, type AccessControlReturn, type Action, type ActionName, type ActionService, type ActionThreshold, type ActiveBreak, AdvancedFilterDialog, AdvancedFilterPanel, type AnalyticsConfig, type AssignUserToFactoriesInput, type AssignUserToLinesInput, AudioService, AuthCallback, type AuthCallbackProps, AuthCallbackView, type AuthCallbackViewProps, type AuthConfig, AuthProvider, AuthService, type AuthUser, AuthenticatedBottleneckClipsView, AuthenticatedFactoryView, AuthenticatedHelpView, AuthenticatedHomeView, AuthenticatedShiftsView, AuthenticatedTargetsView, AuthenticatedTicketsView, AuthenticatedWorkspaceHealthView, AxelNotificationPopup, type AxelNotificationPopupProps, AxelOrb, type AxelOrbProps, type AxelSuggestion, BackButton, BackButtonMinimal, BarChart, type BarChartDataItem, type BarChartProps, type BarProps, BaseHistoryCalendar, type BaseHistoryCalendarProps, type BaseLineMetric, type BasePerformanceMetric, BottleneckClipsModal, type BottleneckClipsModalProps, type BottleneckClipsNavigationParams, BottleneckClipsView, type BottleneckClipsViewProps, type BottleneckFilterType, type BottleneckVideo, type BottleneckVideoData, BottlenecksContent, type BottlenecksContentProps, type BreadcrumbItem, type Break, BreakNotificationPopup, type BreakNotificationPopupProps, type BreakRowProps, type CacheEntryWithPrefetch, CachePrefetchStatus, type CachePrefetchStatusCallback, type CalendarShiftData, Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, ChangeRoleDialog, type ChangeRoleDialogProps, type ChatMessage, type ChatThread, type CleanupFunction, type ClipCounts, type ClipCountsWithIndex, ClipFilterProvider, type ClipFilterState, type ClipsConfig, CompactWorkspaceHealthCard, type CompanyUsageReport, type CompanyUser, type CompanyUserUsageSummary, type CompanyUserWithDetails, type ComponentOverride, ConfirmRemoveUserDialog, type ConfirmRemoveUserDialogProps, CongratulationsOverlay, type CongratulationsOverlayProps, type CoreComponents, type CreateInvitationInput, type CropConfig, CroppedHlsVideoPlayer, type CroppedHlsVideoPlayerProps, CroppedVideoPlayer, type CroppedVideoPlayerProps, type CurrentShiftResult, CycleTimeChart, type CycleTimeChartProps, CycleTimeOverTimeChart, type CycleTimeOverTimeChartProps, DEFAULT_ANALYTICS_CONFIG, DEFAULT_AUTH_CONFIG, DEFAULT_CONFIG, DEFAULT_DATABASE_CONFIG, DEFAULT_DATE_TIME_CONFIG, DEFAULT_ENDPOINTS_CONFIG, DEFAULT_ENTITY_CONFIG, DEFAULT_HOME_VIEW_CONFIG, DEFAULT_MAP_VIEW_CONFIG, DEFAULT_SHIFT_CONFIG, DEFAULT_SHIFT_DATA, 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 DateKeyRange, type DateTimeConfig, DateTimeDisplay, type DateTimeDisplayProps, type DayData, type DayHistoryData, type DaySummaryData, DebugAuth, DebugAuthView, DetailedHealthStatus, type DiagnosisOption$1 as DiagnosisOption, DiagnosisVideoModal, type DynamicLineShiftConfig, EmptyStateMessage, type EmptyStateMessageProps, EncouragementOverlay, type EndpointsConfig, type EntityConfig, type ErrorCallback$1 as ErrorCallback, type ExtendedCacheMetrics, type Factory, FactoryAssignmentDropdown, type FactoryAssignmentDropdownProps, type FactoryOverviewMetrics, FactoryView, type FactoryViewProps, type FetchIdleTimeReasonsParams, FileManagerFilters, FileManagerFilters as FileManagerFiltersProps, FilterDialogTrigger, FirstTimeLoginDebug, FirstTimeLoginHandler, type FormatNumberOptions, type FullyIndexedCallback$1 as FullyIndexedCallback, GaugeChart, type GaugeChartProps, GridComponentsPlaceholder, HamburgerButton, type HamburgerButtonProps, Header, type HeaderProps, type HealthAlertConfig, type HealthAlertHistory, HealthDateShiftSelector, type HealthFilterOptions, type HealthMetrics, type HealthStatus, HealthStatusGrid, HealthStatusIndicator, type HealthSummary, HelpView, type HelpViewProps, type HistoricWorkspaceMetrics, type HistoryCalendarProps, HlsVideoPlayer, type HlsVideoPlayerProps, type HlsVideoPlayerRef, HomeView, type HomeViewConfig, type HookOverride, type HourlyAchievement, HourlyOutputChart, type HourlyOutputChartProps, type HourlyPerformance, type IPrefetchManager, type ISTDateProps, ISTTimer, type ISTTimerProps, type IdleTimeClipMetadata, type IdleTimeReason, type IdleTimeReasonData, type IdleTimeReasonsData, type IdleTimeReasonsResponse, ImprovementCenterView, InlineEditableText, InteractiveOnboardingTour, InvitationService, type InvitationWithDetails, InvitationsTable, InviteUserDialog, 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, LineAssignmentDropdown, type LineAssignmentDropdownProps, 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 LineRecord, type LineShiftConfig, type LineShiftInfo, type LineSnapshot, type LineThreshold, LineWhatsAppShareButton, type LineWhatsAppShareProps, LinesService, LiveTimer, LoadingInline, LoadingInline as LoadingInlineProps, LoadingOverlay, LoadingPage, LoadingSkeleton, LoadingSkeleton as LoadingSkeletonProps, LoadingState, LoadingState as LoadingStateProps, LoginPage, type LoginPageProps, LoginView, type LoginViewProps, Logo, type LogoProps, MainLayout, type MainLayoutProps, MapGridView, type MapViewConfig, type Metric, MetricCard, type MetricCardProps$1 as MetricCardProps, type MetricsError, MinimalOnboardingPopup, type MixpanelSessionOptions, MobileMenuProvider, type MobileMenuProviderProps, type MonthWeekRange, type NavItem, type NavItemTrackingEvent, type NavigationMethod, NewClipsNotification, type NewClipsNotificationProps, NoWorkspaceData, OnboardingDemo, OnboardingTour, type OperatorData, type OperatorInfo, OptifyeAgentClient, type OptifyeAgentContext, type OptifyeAgentRequest, type OptifyeAgentResponse, OptifyeLogoLoader, OutputProgressChart, type OutputProgressChartProps, type OverridesMap, type OverviewLineMetric, type OverviewWorkspaceMetric, PageHeader, type PageHeaderProps, type PageOverride, PieChart, type PieChartProps, PlayPauseIndicator, type PlayPauseIndicatorProps, 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 RealtimeLineMetricsProps, type RealtimeService, RegistryProvider, type RenderReadyCallback$1 as RenderReadyCallback, RoleBadge, type RoutePath, type S3ClipsAPIParams, S3ClipsSupabaseService as S3ClipsService, type S3Config, type S3ListObjectsParams, S3Service, type S3ServiceConfig, type SKU, type SKUConfig, type SKUCreateInput, type SKUListProps, SKUManagementView, type SKUModalProps, type SKUSelectorProps, type SKUUpdateInput, type SOPCategory$1 as SOPCategory, SOPComplianceChart, type SOPComplianceChartProps, SSEChatClient, type SSEEvent, Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectScrollDownButton, SelectScrollUpButton, SelectSeparator, SelectTrigger, SelectValue, SessionTracker, SessionTrackingContext, SessionTrackingProvider, SettingsPopup, type SettingsPopupItem, type ShiftConfig, type ShiftConfiguration, type ShiftConfigurationRecord, type ShiftData, type ShiftDefinition, ShiftDisplay, type ShiftHistoryData, type ShiftHoursMap, type ShiftLineGroup, type ShiftPanelProps, type ShiftSummaryData, type ShiftTime, ShiftsView, type ShiftsViewProps, SideNavBar, type SideNavBarProps, SignupWithInvitation, type SignupWithInvitationProps, SilentErrorBoundary, type SimpleLine, SimpleOnboardingPopup, SingleVideoStream, type SingleVideoStreamProps, Skeleton, type StatusChangeCallback$1 as StatusChangeCallback, type StreamProxyConfig, type SubscriberId, SubscriptionManager, SubscriptionManagerProvider, type SupabaseClient, SupabaseProvider, type Supervisor, type SupervisorAssignment, type SupervisorConfig, SupervisorDropdown, type SupervisorDropdownProps, type SupervisorLine, type SupervisorManagementData, SupervisorManagementView, type SupervisorManagementViewProps, SupervisorService, type Target, TargetWorkspaceGrid, type TargetWorkspaceGridProps, TargetsViewWithDisplayNames as TargetsView, type TargetsViewProps, type TeamManagementPermissions, TeamManagementView, type TeamManagementViewProps, TeamUsagePdfGenerator, type TeamUsagePdfGeneratorProps, type ThemeColorValue, type ThemeConfig, ThreadSidebar, TicketHistory, TicketHistoryService, type TicketsConfig, TicketsView, type TicketsViewProps, TimeDisplay, TimePickerDropdown, Timer, TimezoneProvider, TimezoneService, type TodayUsage, type TodayUsageData, type TodayUsageReport, type TrackingEventProperties, type TrendDirection, type UnderperformingWorkspace, type UnderperformingWorkspaces, type UpdateUserRoleInput, type UptimeDetails, type UptimeStatus, type UsageBreakdown, type UseActiveBreaksResult, type UseAllWorkspaceMetricsOptions, type UseClipTypesResult, type UseCompanyUsersUsageOptions, type UseCompanyUsersUsageReturn, type UseDashboardMetricsProps, type UseDynamicShiftConfigResult, type UseFormatNumberResult, type UseIdleTimeReasonsProps, type UseIdleTimeReasonsResult, type UseLineShiftConfigResult, type UseLineWorkspaceMetricsOptions, type UseMessagesResult, type UseMultiLineShiftConfigsResult, type UsePrefetchClipCountsOptions$1 as UsePrefetchClipCountsOptions, type UsePrefetchClipCountsResult$1 as UsePrefetchClipCountsResult, type UseRealtimeLineMetricsProps, type UseSupervisorsByLineIdsResult, type UseTargetsOptions, type UseThreadsResult, type UseTicketHistoryReturn, type UseUserUsageOptions, type UseUserUsageReturn, type UseWorkspaceHealthByIdOptions, type UseWorkspaceHealthStatusReturn, type UseWorkspaceOperatorsOptions, type UseWorkspaceUptimeTimelineOptions, type UseWorkspaceUptimeTimelineResult, type UserInvitation, UserManagementService, UserManagementTable, type UserProfileConfig, type UserRole, type UserRoleLevel, UserService, type UserUsageDetail, UserUsageDetailModal, type UserUsageDetailModalProps, type UserUsageInfo, UserUsageStats, type UserUsageStatsProps, type UserUsageSummary, VideoCard, type VideoConfig, type VideoCroppingConfig, type VideoCroppingRect, VideoGridView, type VideoIndex, type VideoIndexEntry, type VideoMetadata, VideoPlayer, 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, type WorkspaceCropRect, WrappedComponent as WorkspaceDetailView, type WorkspaceDetailedMetrics, WorkspaceDisplayNameExample, type WorkspaceDowntimeSegment, WorkspaceGrid, WorkspaceGridItem, type WorkspaceGridItemProps, type WorkspaceGridPosition, type WorkspaceHealth, WorkspaceHealthCard, type WorkspaceHealthInfo, type WorkspaceHealthStatusData, _default as WorkspaceHealthView, type WorkspaceHealthWithStatus, WorkspaceHistoryCalendar, WorkspaceMetricCards, WorkspaceMetricCardsImpl, type WorkspaceMetricCardsProps, type WorkspaceMetrics, WorkspaceMonthlyDataFetcher, type WorkspaceMonthlyDataFetcherProps, WorkspaceMonthlyHistory, type WorkspaceMonthlyMetric, WorkspaceMonthlyPdfGenerator, type WorkspaceMonthlyPdfGeneratorProps, type WorkspaceNavigationParams, WorkspacePdfExportButton, type WorkspacePdfExportButtonProps, WorkspacePdfGenerator, type WorkspacePdfGeneratorProps, type WorkspacePosition, type WorkspaceQualityData, type WorkspaceUptimeTimeline, type WorkspaceUptimeTimelinePoint, type WorkspaceUrlMapping, type WorkspaceVideoStream, WorkspaceWhatsAppShareButton, type WorkspaceWhatsAppShareProps, actionService, aggregateKPIsFromLineMetricsRows, apiUtils, areAllLinesOnSameShift, authCoreService, authOTPService, authRateLimitService, buildDateKey, buildKPIsFromLineMetricsRow, buildShiftGroupsKey, checkRateLimit, clearAllRateLimits, clearRateLimit, clearS3VideoCache, clearS3VideoFromCache, clearWorkspaceDisplayNamesCache, cn, createDefaultKPIs, createInvitationService, createLinesService, createSessionTracker, createStreamProxyHandler, createSupabaseClient, createSupervisorService, createThrottledReload, createUserManagementService, createUserService, dashboardService, deleteThread, fetchIdleTimeReasons, filterDataByDateKeyRange, forceRefreshWorkspaceDisplayNames, formatDateInZone, formatDateKeyForDisplay, formatDateTimeInZone, formatDuration, formatISTDate, formatIdleTime, formatRangeLabel, formatReasonLabel, formatRelativeTime, formatTimeInZone, fromUrlFriendlyName, getAllLineDisplayNames, getAllThreadMessages, getAllWorkspaceDisplayNamesAsync, getAllWorkspaceDisplayNamesSnapshot, getAnonClient, getAvailableShiftIds, getBrowserName, getCameraNumber, getCompanyMetricsTableName, getConfigurableShortWorkspaceDisplayName, getConfigurableWorkspaceDisplayName, getConfiguredLineIds, getCoreSessionRecordingProperties, getCoreSessionReplayUrl, getCurrentShift, getCurrentShiftForLine, getCurrentTimeInZone, getDashboardHeaderTimeInZone, getDateKeyFromDate, getDaysDifferenceInZone, getDefaultCameraStreamUrl, getDefaultLineId, getDefaultTabForWorkspace, getLineDisplayName, getManufacturingInsights, getMetricsTablePrefix, getMonthKeyBounds, getMonthWeekRanges, getNextUpdateInterval, getOperationalDate, getReasonColor, getS3SignedUrl, getS3VideoSrc, getShiftData, getShiftNameById, getShiftWorkDurationSeconds, getShortShiftName, getShortWorkspaceDisplayName, getShortWorkspaceDisplayNameAsync, getStoredWorkspaceMappings, getSubscriptionManager, getThreadMessages, getUniformShiftGroup, getUserThreads, getUserThreadsPaginated, getWorkspaceDisplayName, getWorkspaceDisplayNameAsync, getWorkspaceDisplayNamesMap, getWorkspaceFromUrl, getWorkspaceNavigationParams, groupLinesByShift, hasAnyShiftData, identifyCoreUser, initializeCoreMixpanel, isFullMonthRange, isLegacyConfiguration, isPrefetchError, isSafari, isTransitionPeriod, isUrlPermanentlyFailed, isValidFactoryViewConfiguration, isValidLineInfoPayload, isValidPrefetchParams, isValidPrefetchStatus, isValidWorkspaceDetailedMetricsPayload, isValidWorkspaceMetricsPayload, isWorkspaceDisplayNamesLoaded, isWorkspaceDisplayNamesLoading, linesService, mergeWithDefaultConfig, migrateLegacyConfiguration, normalizeDateKeyRange, optifyeAgentClient, parseDateKeyToDate, parseS3Uri, preInitializeWorkspaceDisplayNames, preloadS3Video, preloadS3VideoUrl, preloadS3VideosUrl, preloadVideoUrl, preloadVideosUrl, qualityService, realtimeService, refreshWorkspaceDisplayNames, resetCoreMixpanel, resetFailedUrl, resetSubscriptionManager, s3VideoPreloader, shuffleArray, simulateApiDelay, skuService, startCoreSessionRecording, stopCoreSessionRecording, storeWorkspaceMapping, streamProxyConfig, subscribeWorkspaceDisplayNames, throttledReloadDashboard, toUrlFriendlyName, trackCoreEvent, trackCorePageView, transformToChartData, updateThreadTitle, upsertWorkspaceDisplayNameInCache, useAccessControl, useActiveBreaks, useActiveLineId, useAllWorkspaceMetrics, useAnalyticsConfig, useAppTimezone, useAudioService, useAuth, useAuthConfig, useAxelNotifications, useCanSaveTargets, useClipFilter, useClipTypes, useClipTypesWithCounts, useClipsInit, useCompanyUsersUsage, useComponentOverride, useCustomConfig, useDashboardConfig, useDashboardMetrics, useDatabaseConfig, useDateFormatter, useDateTimeConfig, useDynamicShiftConfig, useEndpointsConfig, useEntityConfig, useFactoryOverviewMetrics, useFeatureFlags, useFormatNumber, useHasLineAccess, useHideMobileHeader, useHistoricWorkspaceMetrics, useHlsStream, useHlsStreamWithCropping, useHookOverride, useHourEndTimer, useHourlyTargetAchievements, useHourlyTargetMisses, useIdleTimeClipClassifications, useIdleTimeReasons, useLeaderboardMetrics, useLineDetailedMetrics, useLineKPIs, useLineMetrics, useLineShiftConfig, useLineSupervisor, useLineWorkspaceMetrics, useLines, useMessages, useMetrics, useMobileMenu, useMultiLineShiftConfigs, useNavigation, useOperationalShiftKey, useOptionalSupabase, useOverrides, usePageOverride, usePrefetchClipCounts, useRealtimeLineMetrics, useRegistry, useSKUs, useSessionKeepAlive, useSessionTracking, useSessionTrackingContext, useShiftConfig, useShiftGroups, useShifts, useSubscriptionManager, useSubscriptionManagerSafe, useSupabase, useSupabaseClient, useSupervisorsByLineIds, useTargets, useTeamManagementPermissions, useTheme, useThemeConfig, useThreads, useTicketHistory, useTimezoneContext, useUserLineAccess, useUserUsage, useVideoConfig, useWorkspaceConfig, useWorkspaceDetailedMetrics, useWorkspaceDisplayName, useWorkspaceDisplayNames, useWorkspaceDisplayNamesMap, useWorkspaceHealthById, useWorkspaceHealthStatus, useWorkspaceMetrics, useWorkspaceNavigation, useWorkspaceOperators, useWorkspaceUptimeTimeline, useWorkspaceVideoStreams, userService, videoPrefetchManager, videoPreloader, whatsappService, withAccessControl, withAuth, withRegistry, withTimezone, workspaceHealthService, workspaceService };
|