@swan-admin/swan-web-component 1.0.104 → 1.0.106

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.
Files changed (36) hide show
  1. package/dist/BodyScan-BJqddH9l.js +2 -0
  2. package/dist/BodyScan-BJqddH9l.js.map +1 -0
  3. package/dist/BodyScan-BMSwRF8g.js +2 -0
  4. package/dist/BodyScan-BMSwRF8g.js.map +1 -0
  5. package/dist/BodyScan-DDmIfJlM.js +2 -0
  6. package/dist/BodyScan-DDmIfJlM.js.map +1 -0
  7. package/dist/BodyScan-DWQjUKtI.js +2 -0
  8. package/dist/BodyScan-DWQjUKtI.js.map +1 -0
  9. package/dist/FaceScan-Bilx5Uxm.js +2 -0
  10. package/dist/FaceScan-Bilx5Uxm.js.map +1 -0
  11. package/dist/FaceScan-CgKhy7Fv.js +2 -0
  12. package/dist/FaceScan-CgKhy7Fv.js.map +1 -0
  13. package/dist/FaceScan-DN3l89L6.js +2 -0
  14. package/dist/FaceScan-DN3l89L6.js.map +1 -0
  15. package/dist/FaceScan-DoDQIfoL.js +2 -0
  16. package/dist/FaceScan-DoDQIfoL.js.map +1 -0
  17. package/dist/LoadingScreen-B1o5ki-1.js +2 -0
  18. package/dist/LoadingScreen-B1o5ki-1.js.map +1 -0
  19. package/dist/LoadingScreen-DjGezkFs.js +2 -0
  20. package/dist/LoadingScreen-DjGezkFs.js.map +1 -0
  21. package/dist/LoadingScreen-dw8GNGG0.js +2 -0
  22. package/dist/LoadingScreen-dw8GNGG0.js.map +1 -0
  23. package/dist/LoadingScreen-rSXW_5Vv.js +2 -0
  24. package/dist/LoadingScreen-rSXW_5Vv.js.map +1 -0
  25. package/dist/bodyScan.js +1 -1
  26. package/dist/bodyScan.mjs +1 -1
  27. package/dist/faceScan.js +1 -1
  28. package/dist/faceScan.mjs +1 -1
  29. package/dist/index.css +1 -3
  30. package/dist/index.js +1 -1
  31. package/dist/index.mjs +1 -1
  32. package/dist/pose-detection.esm-Dtxn0TmC.js +18 -0
  33. package/dist/pose-detection.esm-Dtxn0TmC.js.map +1 -0
  34. package/dist/pose-detection.esm-qPaFsqLN.js +18 -0
  35. package/dist/pose-detection.esm-qPaFsqLN.js.map +1 -0
  36. package/package.json +1 -1
@@ -0,0 +1 @@
1
+ {"version":3,"file":"FaceScan-CgKhy7Fv.js","sources":["../src/customHooks/useFaceScan.ts","../src/components/faceScan/FaceScanErrorScreen.tsx","../src/components/faceScan/FaceScanGuide.tsx","../src/components/faceScan/FaceScanStep.tsx","../src/components/faceScan/FaceScan.tsx"],"sourcesContent":["import {\n useState,\n useRef,\n useEffect,\n useCallback,\n useMemo,\n RefObject,\n} from \"react\";\n// 1. Use TYPE-ONLY imports. These are erased at build time and won't crash SSR.\nimport type { PoseDetector } from \"@tensorflow-models/pose-detection\";\nimport { posthog } from \"posthog-js\";\nimport speechService from \"../utils/service/speechService\";\nimport { videoConstraints, voiceOverAssetsPath } from \"../utils/constants\";\n\n/**\n * useFaceScan Hook with PostHog Analytics\n * Refactored for Zero-Config SSR/CSR Compatibility\n */\n\n// Debounce utility\nfunction debounce(fn: (...args: any) => void, delay: number) {\n let timer: number | NodeJS.Timeout;\n return (...args: any) => {\n if (timer) clearTimeout(timer);\n timer = setTimeout(() => fn(...args), delay);\n };\n}\n\n// Global Singleton Cache (Preserves state across re-renders)\nlet preloadedDetector: PoseDetector | null = null;\nlet isPreloading = false;\n\n// 2. Async Preloader with Dynamic Imports\nexport const preloadDetector = async (): Promise<PoseDetector | null> => {\n // Guard: Never run on server\n if (typeof window === \"undefined\") return null;\n if (preloadedDetector) return preloadedDetector;\n if (isPreloading) {\n // Simple wait mechanism if already loading\n while (isPreloading) {\n await new Promise(r => setTimeout(r, 100));\n if (preloadedDetector) return preloadedDetector;\n }\n }\n\n isPreloading = true;\n\n try {\n // DYNAMIC IMPORTS: Only fetch these heavy bundles in the browser\n const [tf, poseDetection] = await Promise.all([\n import(\"@tensorflow/tfjs\"),\n import(\"@tensorflow-models/pose-detection\")\n ]);\n\n // Initialize Backend\n await tf.setBackend(\"webgl\");\n await tf.ready();\n\n const detector = await poseDetection.createDetector(\n poseDetection.SupportedModels.BlazePose,\n {\n runtime: \"tfjs\",\n modelType: \"full\",\n }\n );\n\n // Dummy video warmup (Performance Optimization)\n // This runs the model once on a blank canvas to \"wake up\" the GPU\n // so the first user frame detects instantly.\n const dummyCanvas = document.createElement(\"canvas\");\n dummyCanvas.width = videoConstraints.width;\n dummyCanvas.height = videoConstraints.height;\n const ctx = dummyCanvas.getContext(\"2d\");\n if (ctx) {\n ctx.fillStyle = \"black\";\n ctx.fillRect(0, 0, dummyCanvas.width, dummyCanvas.height);\n try {\n await detector.estimatePoses(dummyCanvas);\n } catch (e) {\n console.warn(\"Warmup frame failed (non-fatal):\", e);\n }\n }\n\n preloadedDetector = detector;\n return detector;\n } catch (err) {\n console.error(\"Failed to preload detector:\", err);\n return null;\n } finally {\n isPreloading = false;\n }\n};\n\ntype Point = [number, number, number];\n\nfunction useFaceScan({\n faceScanId,\n onValidPose,\n onScanComplete,\n onModelReady,\n onStartRecording,\n shopDomain,\n}: {\n faceScanId: string;\n onValidPose?: () => void;\n onScanComplete?: () => void;\n onModelReady?: () => void;\n onStartRecording: () => void;\n shopDomain: string;\n}) {\n const detectorRef = useRef<PoseDetector | null>(null);\n const [scanStage, setScanStage] = useState(0);\n const [consecutiveValid, setConsecutiveValid] = useState(0);\n const [isModelLoaded, setIsModelLoaded] = useState(false);\n const [isScanningActive, setIsScanningActive] = useState(false);\n \n const utteranceRef = useRef<SpeechSynthesisUtterance | null>(null);\n const scanStageRef = useRef(scanStage);\n const consecutiveValidRef = useRef(consecutiveValid);\n const validityBufferRef = useRef<boolean[]>([]);\n const lastSpokenMessageRef = useRef(\"\");\n const lastSpokenTimeRef = useRef(0);\n const voiceEnabledRef = useRef(false);\n \n const VALIDITY_BUFFER_LENGTH = 10;\n const CONSECUTIVE_VALID_LENGTH = 2;\n const TOTAL_STAGES = 4;\n const POSE_TRACKING_INTERVAL = 4000;\n const lastPoseTrackingTimeRef = useRef(0);\n\n // Safe iOS detection (SSR safe)\n const isIOS = typeof navigator !== 'undefined' && (\n /iPad|iPhone|iPod/.test(navigator.userAgent) ||\n (navigator.platform === \"MacIntel\" && navigator.maxTouchPoints > 1)\n );\n\n const directionMessages = useMemo(\n () => [\n \"Face front\",\n \"Turn head fully left\",\n \"Turn head fully right\",\n \"Smile facing front\",\n ],\n []\n );\n\n const debouncedTrackPoseDetection = useMemo(\n () =>\n debounce((payload) => {\n posthog.capture(`${shopDomain}/face_scan_pose_detection`, payload);\n }, 4000),\n [shopDomain]\n );\n\n const trackPoseDetection = useCallback(\n (\n faceKeypoints: Point[],\n bodyKeypoints: Point[],\n stage: number,\n headValid: boolean,\n bodyInvalid: boolean,\n consecutiveValidCount: number\n ) => {\n const now = Date.now();\n if (now - lastPoseTrackingTimeRef.current < POSE_TRACKING_INTERVAL) {\n return;\n }\n\n lastPoseTrackingTimeRef.current = now;\n\n try {\n const nose = faceKeypoints[0] || [0, 0, 0];\n const leftEye = faceKeypoints[2] || [0, 0, 0];\n const rightEye = faceKeypoints[5] || [0, 0, 0];\n const leftMouth = faceKeypoints[9] || [0, 0, 0];\n const rightMouth = faceKeypoints[10] || [0, 0, 0];\n\n const faceKeypointScores = faceKeypoints\n .map((kp: Point) => kp[2])\n .filter((score: number) => score > 0);\n const avgFaceScore =\n faceKeypointScores.length > 0\n ? faceKeypointScores.reduce((a, b) => a + b, 0) /\n faceKeypointScores.length\n : 0;\n\n const bodyKeypointScores = bodyKeypoints\n .map((kp: Point) => kp[2])\n .filter((score: number) => score > 0);\n const avgBodyScore =\n bodyKeypointScores.length > 0\n ? bodyKeypointScores.reduce((a: number, b: number) => a + b, 0) /\n bodyKeypointScores.length\n : 0;\n\n const eyeDistance = Math.abs(leftEye[0] - rightEye[0]);\n const noseToRight = nose[0] - rightEye[0];\n const noseToLeft = leftEye[0] - nose[0];\n\n let expectedPosition = \"frontal\";\n if (stage === 1) expectedPosition = \"left\";\n else if (stage === 2) expectedPosition = \"right\";\n else if (stage === 3) expectedPosition = \"frontal_smile\";\n\n const payload = {\n faceScanId,\n stage,\n timestamp: new Date().toISOString(),\n data: JSON.stringify({\n headValid,\n bodyInvalid,\n consecutiveValid: consecutiveValidCount,\n avgFaceScore: parseFloat(avgFaceScore.toFixed(3)),\n avgBodyScore: parseFloat(avgBodyScore.toFixed(3)),\n faceKeypointsDetected: faceKeypointScores.length,\n bodyKeypointsDetected: bodyKeypointScores.length,\n eyeDistance: parseFloat(eyeDistance.toFixed(2)),\n noseToRightRatio: parseFloat((noseToRight / eyeDistance).toFixed(3)),\n noseToLeftRatio: parseFloat((noseToLeft / eyeDistance).toFixed(3)),\n noseScore: parseFloat(nose[2].toFixed(3)),\n leftEyeScore: parseFloat(leftEye[2].toFixed(3)),\n rightEyeScore: parseFloat(rightEye[2].toFixed(3)),\n leftMouthScore: parseFloat(leftMouth[2].toFixed(3)),\n rightMouthScore: parseFloat(rightMouth[2].toFixed(3)),\n expectedPosition,\n }),\n };\n debouncedTrackPoseDetection(payload);\n } catch (error) {\n console.warn(\"Failed to track pose detection:\", error);\n }\n },\n [faceScanId, debouncedTrackPoseDetection]\n );\n\n const enableVoiceCommands = () => {\n voiceEnabledRef.current = true;\n if (typeof window !== 'undefined' && isIOS && \"speechSynthesis\" in window) {\n const silentUtterance = new SpeechSynthesisUtterance(\"\");\n silentUtterance.volume = 0;\n speechSynthesis.speak(silentUtterance);\n }\n };\n\n const startScanSequence = () => {\n posthog.capture(`${shopDomain}/face_scan_detection_started`, {\n faceScanId,\n stage: scanStageRef.current,\n timestamp: new Date().toISOString(),\n stageName: directionMessages[scanStageRef.current],\n });\n\n setTimeout(() => {\n setIsScanningActive(true);\n }, 1500);\n };\n\n const isHeadInPosition = (stage: number, keypoints: Point[]) => {\n // ... logic unchanged ...\n const nose = 0;\n const leftEye = 2;\n const rightEye = 5;\n const leftMouth = 9;\n const rightMouth = 10;\n\n const minScore = 0.2;\n if (\n !keypoints[nose] || !keypoints[leftEye] || !keypoints[rightEye] ||\n keypoints[nose][2] < minScore ||\n keypoints[leftEye][2] < minScore ||\n keypoints[rightEye][2] < minScore\n ) {\n return false;\n }\n\n const eyesToMouthVerticalDistance =\n 0.5 * (keypoints[rightMouth][1] + keypoints[leftMouth][1]) -\n 0.5 * (keypoints[rightEye][1] + keypoints[leftEye][1]);\n\n const faceTiltedness =\n (0.5 * (keypoints[rightMouth][1] + keypoints[leftMouth][1]) -\n keypoints[nose][1]) /\n eyesToMouthVerticalDistance;\n\n const faceIsTilted = faceTiltedness > 0.7 || faceTiltedness < 0.3;\n\n const faceIsVertical =\n Math.abs(keypoints[leftEye][1] - keypoints[rightEye][1]) <\n 0.5 * eyesToMouthVerticalDistance &&\n Math.abs(keypoints[leftMouth][1] - keypoints[rightMouth][1]) <\n 0.5 * eyesToMouthVerticalDistance;\n\n const eyeDistance = keypoints[leftEye][0] - keypoints[rightEye][0];\n const noseToRight = keypoints[nose][0] - keypoints[rightEye][0];\n const noseToLeft = keypoints[leftEye][0] - keypoints[nose][0];\n\n const frontalFace =\n noseToRight > 0.4 * eyeDistance && noseToRight < 0.6 * eyeDistance;\n const fullLeft = noseToRight > 0.85 * eyeDistance;\n const fullRight = noseToLeft > 0.85 * eyeDistance;\n\n switch (stage) {\n case 0:\n return !faceIsTilted && faceIsVertical && frontalFace;\n case 1:\n return !faceIsTilted && faceIsVertical && fullLeft;\n case 2:\n return !faceIsTilted && faceIsVertical && fullRight;\n case 3:\n return !faceIsTilted && faceIsVertical && frontalFace;\n default:\n return false;\n }\n };\n\n const faceScanDetector = async (\n webcamRef: RefObject<HTMLVideoElement | null>,\n canvasRef: RefObject<HTMLCanvasElement | null>\n ) => {\n if (\n !detectorRef.current ||\n !webcamRef.current ||\n !isModelLoaded ||\n !isScanningActive\n )\n return;\n\n // Safety: ensure video is actually playing with data\n if (webcamRef.current.readyState < 2) return;\n\n try {\n const poses = await detectorRef.current.estimatePoses(webcamRef.current);\n if (poses.length > 0) {\n const faceKeypoints: Point[] = [];\n const bodyKeypoints: Point[] = [];\n poses[0].keypoints.forEach((landmark, idx) => {\n const score = landmark.score ?? 0;\n const point: Point = [landmark.x ?? -1, landmark.y ?? -1, score];\n if (idx <= 10) faceKeypoints.push(point);\n else bodyKeypoints.push(point);\n });\n\n // Optional drawing\n if (canvasRef?.current) {\n const ctx = canvasRef.current.getContext(\"2d\");\n const { width, height } = canvasRef.current;\n if (ctx) {\n ctx.clearRect(0, 0, width, height);\n\n const progress = Math.min(\n consecutiveValidRef.current / CONSECUTIVE_VALID_LENGTH,\n 1\n );\n const radius = height * 0.35;\n ctx.beginPath();\n ctx.strokeStyle = \"#00ff00\";\n ctx.lineWidth = 6;\n ctx.arc(\n width / 2,\n height / 2,\n radius + 10,\n -Math.PI / 2,\n -Math.PI / 2 + progress * 2 * Math.PI\n );\n ctx.stroke();\n }\n }\n\n const headValid = isHeadInPosition(scanStageRef.current, faceKeypoints);\n const bodyInvalid =\n bodyKeypoints.slice(2).filter((p) => p[2] > 0.7).length <= 2;\n\n validityBufferRef.current.push(headValid && bodyInvalid);\n if (validityBufferRef.current.length > VALIDITY_BUFFER_LENGTH) {\n validityBufferRef.current.shift();\n }\n\n const validCount = validityBufferRef.current.filter(Boolean).length;\n if (validCount >= 2) {\n const nextValid = consecutiveValidRef.current + 1;\n setConsecutiveValid(nextValid);\n } else {\n setConsecutiveValid(Math.max(0, consecutiveValidRef.current - 1));\n }\n\n if (consecutiveValidRef.current >= CONSECUTIVE_VALID_LENGTH) {\n onValidPose?.();\n\n const nextStage = scanStageRef.current + 1;\n setConsecutiveValid(0);\n validityBufferRef.current = [];\n setScanStage(nextStage);\n setIsScanningActive(false);\n\n (async () => {\n await speechService.playAudio(\n `${voiceOverAssetsPath}face-scan-vos/Sound-effect.mp3`\n );\n posthog.capture(\n `${shopDomain}/face_scan_detection_stage_completed`,\n {\n faceScanId,\n completedStage: scanStageRef.current,\n nextStage,\n timestamp: new Date().toISOString(),\n totalStages: TOTAL_STAGES,\n stageName: directionMessages[scanStageRef.current],\n }\n );\n \n if (nextStage === 1 && onStartRecording) {\n onStartRecording();\n }\n if (nextStage >= TOTAL_STAGES) {\n onScanComplete?.();\n } else {\n let nextSound = null;\n switch (nextStage) {\n case 1: nextSound = \"Left.mp3\"; break;\n case 2: nextSound = \"Right.mp3\"; break;\n case 3: nextSound = \"Smile.mp3\"; break;\n }\n if (nextSound) {\n await speechService.playAudio(\n `${voiceOverAssetsPath}face-scan-vos/${nextSound}`\n );\n }\n startScanSequence();\n }\n })();\n }\n\n trackPoseDetection(\n faceKeypoints,\n bodyKeypoints,\n scanStageRef.current,\n headValid,\n bodyInvalid,\n consecutiveValidRef.current\n );\n }\n } catch (err) {\n console.error(\"Pose detection error:\", err);\n }\n };\n\n const initializeModels = async () => {\n // 3. Browser Guard\n if (typeof window === 'undefined') return;\n\n try {\n console.log(\"Initializing Face Scan...\");\n // Calls our safe, dynamic preloader\n const detector = await preloadDetector();\n \n if (detector) {\n detectorRef.current = detector;\n console.log(\"Face scan model loaded successfully\");\n setIsModelLoaded(true);\n onModelReady?.();\n }\n } catch (err) {\n console.error(\"Error initializing face scan:\", err);\n }\n };\n\n const disposeModelAndTf = async () => {\n // Optional: We might NOT want to dispose if we want to keep the cache \n // for re-mounting. But if you must dispose:\n try {\n setIsModelLoaded(false);\n // NOTE: We generally don't dispose the detector if we want to reuse it \n // via the 'preloadedDetector' global variable.\n // If you dispose here, make sure to set 'preloadedDetector = null' too.\n /* if (detectorRef.current) {\n await detectorRef.current.dispose();\n detectorRef.current = null;\n preloadedDetector = null; // Clear global cache if disposing\n }\n */\n } catch (err) {\n console.error(\"Error disposing resources:\", err);\n } finally {\n // Reset state\n setScanStage(0);\n setConsecutiveValid(0);\n scanStageRef.current = 0;\n consecutiveValidRef.current = 0;\n validityBufferRef.current = [];\n }\n };\n\n const resetScan = () => {\n posthog.capture(`${shopDomain}/face_scan_reset`, {\n faceScanId,\n stage: scanStageRef.current,\n timestamp: new Date().toISOString(),\n stageName: directionMessages[scanStageRef.current],\n consecutiveValid: consecutiveValidRef.current,\n });\n\n setScanStage(0);\n setConsecutiveValid(0);\n setIsScanningActive(false);\n scanStageRef.current = 0;\n consecutiveValidRef.current = 0;\n validityBufferRef.current = [];\n lastSpokenMessageRef.current = \"\";\n lastSpokenTimeRef.current = 0;\n voiceEnabledRef.current = false;\n if (utteranceRef.current) {\n speechSynthesis.cancel();\n utteranceRef.current = null;\n }\n };\n\n useEffect(() => {\n initializeModels();\n return () => {\n disposeModelAndTf();\n };\n }, []);\n\n useEffect(() => {\n scanStageRef.current = scanStage;\n }, [scanStage]);\n\n useEffect(() => {\n consecutiveValidRef.current = consecutiveValid;\n }, [consecutiveValid]);\n\n return {\n faceScanDetector,\n scanStage,\n setScanStage,\n consecutiveValid,\n isModelLoaded,\n resetScan,\n enableVoiceCommands,\n startScanSequence,\n isScanningActive,\n };\n}\n\nexport default useFaceScan;","import { ArrowRight } from \"lucide-react\";\nimport Header from \"../Header\";\nimport SpecificButton from \"../../atoms/specificButton/SpecificButton\";\nimport { useContext } from \"react\";\nimport { LanguageKeys } from \"../../utils/languageKeys\";\nimport { LanguageContext } from \"../../utils/context/languageContext\";\nimport { Config } from \"../../types/interfaces\";\n\nfunction FaceScanErrorScreen({ resetScanState, loading, config }: { resetScanState?: () => void; loading?: boolean; config?: Config }) {\n\tconst { translate } = useContext(LanguageContext) || {};\n\n\treturn (\n\t\t<div className=\"fixed top-[0] left-[0] z-[999] flex justify-center items-center w-full h-full\" style={{ background: config?.style?.base?.backgroundColor }}>\n\t\t\t<div className=\"flex flex-col w-full items-center p-[1rem] rounded-lg \">\n\t\t\t\t<Header noTitle resolvedConfig={config} />\n\t\t\t\t<div className=\"flex flex-col items-center w-full\">\n\t\t\t\t\t<h2\n\t\t\t\t\t\tclassName=\"text-xl font-semibold text-gray-800 \"\n\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\tfontFamily: config?.style?.heading?.headingFontFamily || \"SeriouslyNostalgic Fn\",\n\t\t\t\t\t\t\tfontSize: config?.style?.heading?.headingFontSize || \"32px\",\n\t\t\t\t\t\t\tcolor: config?.style?.heading?.headingColor || \"#000\",\n\t\t\t\t\t\t\tfontWeight: config?.style?.heading?.headingFontWeight || \"normal\",\n\t\t\t\t\t\t}}\n\t\t\t\t\t>\n\t\t\t\t\t\t{translate?.(LanguageKeys.scanFailed)}\n\t\t\t\t\t</h2>\n\t\t\t\t\t<p\n\t\t\t\t\t\tclassName=\"mb-[1.5rem]\"\n\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\tfontFamily: config?.style?.subheading?.subheadingFontFamily || \"'Inter', sans-serif\",\n\t\t\t\t\t\t\tfontSize: config?.style?.subheading?.subheadingFontSize || \"14px\",\n\t\t\t\t\t\t\tcolor: config?.style?.subheading?.subheadingColor || \"#4b5563\",\n\t\t\t\t\t\t\tfontWeight: config?.style?.subheading?.subheadingFontWeight || \"normal\",\n\t\t\t\t\t\t}}\n\t\t\t\t\t>\n\t\t\t\t\t\t{translate?.(LanguageKeys.clickToResetScan)}\n\t\t\t\t\t</p>\n\t\t\t\t\t<SpecificButton\n\t\t\t\t\t\tdisabled={loading}\n\t\t\t\t\t\tclassName=\"w-full h-[45px] shadow-[0px_1px_2px_0px_#00000040] text-[16px]\"\n\t\t\t\t\t\tbuttonText={translate?.(LanguageKeys.resetScan)}\n\t\t\t\t\t\tpostfixIcon={<ArrowRight />}\n\t\t\t\t\t\tbuttonFunc={() => resetScanState?.()}\n\t\t\t\t\t\tresolvedConfig={config}\n\t\t\t\t\t/>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\t);\n}\n\nexport default FaceScanErrorScreen;\n","import { FaceScanGuideProps } from \"../../types/interfaces\";\nimport Header from \"../Header\";\nimport { GenderType } from \"../../utils/enums\";\nimport { directionMessages, FACE_SCAN_HEADSHOT, glassesOffVideo, maleGlassesOffVideo } from \"../../utils/constants\";\nimport { LanguageContext } from \"../../utils/context/languageContext\";\nimport { useContext } from \"react\";\nimport SpecificButton from \"../../atoms/specificButton/SpecificButton\";\nimport { LanguageKeys } from \"../../utils/languageKeys\";\n\nfunction FaceScanGuide({ stage, videoLoading, setVideoLoading, videoError, setVideoError, gender, config, btnConfig }: FaceScanGuideProps) {\n\tconst { translate } = useContext(LanguageContext) || {};\n\n\n\n\tif (stage === -1) {\n\t\treturn (\n\t\t\t<div className=\"text-center p-[16px] w-full h-full\" style={{ background: config?.style?.base?.backgroundColor }}>\n\t\t\t\t<div className=\"w-full\">\n\t\t\t\t\t<Header noTitle resolvedConfig={config} />\n\t\t\t\t\t<h2\n\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\tfontFamily: config?.style?.heading?.headingFontFamily || \"SeriouslyNostalgic Fn\",\n\t\t\t\t\t\t\tfontSize: config?.style?.heading?.headingFontSize || \"32px\",\n\t\t\t\t\t\t\tcolor: config?.style?.heading?.headingColor || \"#000\",\n\t\t\t\t\t\t\tfontWeight: config?.style?.heading?.headingFontWeight || \"normal\",\n\t\t\t\t\t\t}}\n\t\t\t\t\t>\n\t\t\t\t\t\t{translate?.(LanguageKeys.faceVisible)}\n\t\t\t\t\t</h2>\n\t\t\t\t\t{videoLoading && (\n\t\t\t\t\t\t<div\n\t\t\t\t\t\t\tclassName=\"mb-4 flex items-center justify-center\"\n\t\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\t\tfontFamily: config?.style?.subheading?.subheadingFontFamily || \"'Inter', sans-serif\",\n\t\t\t\t\t\t\t\tfontSize: config?.style?.subheading?.subheadingFontSize || \"14px\",\n\t\t\t\t\t\t\t\tcolor: config?.style?.subheading?.subheadingColor || \"#4b5563\",\n\t\t\t\t\t\t\t\tfontWeight: config?.style?.subheading?.subheadingFontWeight || \"normal\",\n\t\t\t\t\t\t\t}}\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t{translate?.(LanguageKeys.loadingVideo)}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t)}\n\t\t\t\t\t{videoError && (\n\t\t\t\t\t\t<div\n\t\t\t\t\t\t\tclassName=\"mb-4 text-red-600\"\n\t\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\t\tfontFamily: config?.style?.subheading?.subheadingFontFamily || \"'Inter', sans-serif\",\n\t\t\t\t\t\t\t\tfontSize: config?.style?.subheading?.subheadingFontSize || \"14px\",\n\t\t\t\t\t\t\t\tcolor: \"#ff0000\",\n\t\t\t\t\t\t\t\tfontWeight: config?.style?.subheading?.subheadingFontWeight || \"normal\",\n\t\t\t\t\t\t\t}}\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t{translate?.(LanguageKeys.videoLoadFailed)}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t)}\n\t\t\t\t\t{!videoError && (\n\t\t\t\t\t\t<div className={` w-[100px] mx-auto`}>\n\t\t\t\t\t\t\t<video\n\t\t\t\t\t\t\t\tsrc={gender === GenderType.Male ? maleGlassesOffVideo : glassesOffVideo}\n\t\t\t\t\t\t\t\tautoPlay\n\t\t\t\t\t\t\t\tloop\n\t\t\t\t\t\t\t\tcontrols={false}\n\t\t\t\t\t\t\t\tmuted\n\t\t\t\t\t\t\t\tplaysInline\n\t\t\t\t\t\t\t\tclassName=\"h-full w-full object-contain border-none\"\n\t\t\t\t\t\t\t\tonCanPlay={() => setVideoLoading(false)}\n\t\t\t\t\t\t\t\tonLoadStart={() => setVideoLoading(true)}\n\t\t\t\t\t\t\t\tonError={() => setVideoError(true)}\n\t\t\t\t\t\t\t\taria-label=\"Instructional video: Please remove your glasses before starting the scan.\"\n\t\t\t\t\t\t\t/>\n\t\t\t\t\t\t</div>\n\t\t\t\t\t)}\n\t\t\t\t</div>\n\t\t\t\t<div className=\"flex justify-center w-full p-[1rem]\">\n\t\t\t\t\t<SpecificButton\n\t\t\t\t\t\tdisabled={btnConfig.isDisabled}\n\t\t\t\t\t\tclassName=\"!w-[60px] !h-[35px] !py-0 !px-0\"\n\t\t\t\t\t\tbuttonText={translate?.(btnConfig.label)}\n\t\t\t\t\t\tpostfixIcon={btnConfig?.icon}\n\t\t\t\t\t\tbuttonFunc={btnConfig.onClick}\n\t\t\t\t\t\tresolvedConfig={config}\n\t\t\t\t\t/>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t);\n\t}\n\n\treturn (\n\t\t<div className=\"text-center p-[16px] w-full h-full\" style={{ background: config?.style?.base?.backgroundColor }}>\n\t\t\t<div className=\"w-full\">\n\t\t\t\t<Header noTitle resolvedConfig={config} />\n\t\t\t\t<h3\n\t\t\t\t\tclassName=\"mb-[0.5rem]\"\n\t\t\t\t\tstyle={{\n\t\t\t\t\t\tfontFamily: config?.style?.heading?.headingFontFamily || \"SeriouslyNostalgic Fn\",\n\t\t\t\t\t\tfontSize: config?.style?.heading?.headingFontSize || \"32px\",\n\t\t\t\t\t\tcolor: config?.style?.heading?.headingColor || \"#000\",\n\t\t\t\t\t\tfontWeight: config?.style?.heading?.headingFontWeight || \"normal\",\n\t\t\t\t\t}}\n\t\t\t\t>\n\t\t\t\t\t{translate?.(directionMessages[stage])}\n\t\t\t\t</h3>\n\t\t\t\t{/* <p>We'll guide you to take 6 selfies </p> */}\n\t\t\t\t<div className=\"max-w-[400px] justify-center gap-1 mx-auto flex items-center\">\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 0 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.forward : FACE_SCAN_HEADSHOT.female.forward} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 1 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.left : FACE_SCAN_HEADSHOT.female.left} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 2 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.right : FACE_SCAN_HEADSHOT.female.right} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 3 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.smile : FACE_SCAN_HEADSHOT.female.smile} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\t);\n}\n\nexport default FaceScanGuide;\n","import React, { useContext, useEffect } from \"react\";\nimport ParamsContext from \"../../utils/context/paramsContext\";\nimport FaceScanErrorScreen from \"./FaceScanErrorScreen\";\nimport LoadingScreen from \"../LoadingScreen\";\nimport { videoConstraints } from \"../../utils/constants\";\nimport { Drawer } from \"@mui/material\";\nimport FaceScanGuide from \"./FaceScanGuide\";\nimport { ArrowRight } from \"lucide-react\";\nimport { LanguageContext } from \"../../utils/context/languageContext\";\nimport { useLocalConfig } from \"../../config/useLocalConfig\";\ninterface FaceScanStepProps {\n\twebcamRef: React.RefObject<HTMLVideoElement | null>;\n\tcanvasRef: React.RefObject<HTMLCanvasElement | null>;\n}\n\nconst FaceScanStep: React.FC<FaceScanStepProps> = ({ webcamRef, canvasRef }) => {\n\tconst {\n\t\tisError,\n\t\tisSuccess,\n\t\tshowLoader,\n\t\thasError,\n\t\tresetScanState,\n\t\tshowGuideCard,\n\t\tscanStage,\n\t\tvideoLoading,\n\t\tsetVideoLoading,\n\t\tvideoError,\n\t\tsetVideoError,\n\t\tgender,\n\t\tgetButtonText,\n\t\tisScanning,\n\t\tstartScan,\n\t\tisModelLoaded,\n\t\tconfig,\n\t} = useContext(ParamsContext);\n\tconst resolvedConfig = useLocalConfig(config);\n\n\tconst { setPreferredLanguage } = useContext(LanguageContext) || {};\n\tuseEffect(() => {\n\t\tsetPreferredLanguage?.(resolvedConfig?.language);\n\t}, [resolvedConfig]);\n\tif (isError) {\n\t\treturn <FaceScanErrorScreen config={resolvedConfig} />;\n\t}\n\tif (isSuccess) {\n\t\treturn (\n\t\t\t<div className=\"fixed z-[9] w-full h-full\" style={{ background: resolvedConfig?.style?.base?.backgroundColor }}>\n\t\t\t\t{/* <Asset genderType={gender} /> */}\n\t\t\t\t<LoadingScreen url={resolvedConfig?.loader} loaderType=\"black\" />\n\t\t\t</div>\n\t\t);\n\t}\n\n\treturn (\n\t\t<>\n\t\t\t<audio id=\"audioElement\" crossOrigin=\"anonymous\" preload=\"auto\" style={{ position: \"absolute\", zIndex: -99999 }} src={undefined} />\n\n\t\t\t{/* Error overlay */}\n\t\t\t{showLoader && !hasError && (\n\t\t\t\t<div className=\"fixed z-[9] w-full h-full\" style={{ background: resolvedConfig?.style?.base?.backgroundColor }}>\n\t\t\t\t\t{/* <Asset genderType={gender} /> */}\n\t\t\t\t\t<LoadingScreen url={resolvedConfig?.loader} loaderType=\"black\" />\n\t\t\t\t</div>\n\t\t\t)}\n\n\t\t\t{/* Always show camera view */}\n\t\t\t<div className=\"h-full flex-col relative w-full flex justify-center items-center text-center rounded-t-[20px]\" style={{ background: resolvedConfig?.style?.base?.backgroundColor }}>\n\t\t\t\t<div className=\"flex-1 w-full max-w-md overflow-hidden\">\n\t\t\t\t\t<div className=\"w-full h-full\">\n\t\t\t\t\t\t<video\n\t\t\t\t\t\t\tref={webcamRef}\n\t\t\t\t\t\t\tautoPlay\n\t\t\t\t\t\t\tplaysInline\n\t\t\t\t\t\t\tmuted\n\t\t\t\t\t\t\twidth={videoConstraints.width}\n\t\t\t\t\t\t\theight={videoConstraints.height}\n\t\t\t\t\t\t\tclassName=\"w-full h-full object-cover fixed left-0 top-0 z-0\"\n\t\t\t\t\t\t\tstyle={{ transform: \"scaleX(-1)\" }}\n\t\t\t\t\t\t/>\n\t\t\t\t\t\t<canvas ref={canvasRef} width={videoConstraints.width} height={videoConstraints.height} style={{ transform: \"scaleX(-1)\", opacity: \"0\" }} />\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t{/* Error overlay */}\n\t\t\t{!showLoader && hasError && <FaceScanErrorScreen loading={showLoader} resetScanState={resetScanState} config={resolvedConfig} />}\n\n\t\t\t{/* Scan guide drawer - only show when scanning */}\n\t\t\t{showGuideCard && !hasError && !showLoader && (\n\t\t\t\t<Drawer\n\t\t\t\t\topen\n\t\t\t\t\tclassName=\"face-scan-small camera-draw\"\n\t\t\t\t\tanchor=\"bottom\"\n\t\t\t\t\tonClose={(event, reason) => {\n\t\t\t\t\t\tif (reason === \"backdropClick\") {\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\t\t\t\t\t}}\n\t\t\t\t\thideBackdrop\n\t\t\t\t>\n\t\t\t\t\t<FaceScanGuide\n\t\t\t\t\t\tstage={scanStage}\n\t\t\t\t\t\tvideoLoading={videoLoading}\n\t\t\t\t\t\tsetVideoLoading={setVideoLoading}\n\t\t\t\t\t\tvideoError={videoError}\n\t\t\t\t\t\tsetVideoError={setVideoError}\n\t\t\t\t\t\tgender={gender}\n\t\t\t\t\t\tconfig={resolvedConfig}\n\t\t\t\t\t\tbtnConfig={{\n\t\t\t\t\t\t\tlabel: getButtonText(),\n\t\t\t\t\t\t\tonClick: isScanning ? resetScanState : startScan,\n\t\t\t\t\t\t\tisDisabled: showLoader || !isModelLoaded,\n\t\t\t\t\t\t\ticon: isScanning ? <ArrowRight /> : <></>,\n\t\t\t\t\t\t}}\n\t\t\t\t\t/>\n\t\t\t\t</Drawer>\n\t\t\t)}\n\t\t</>\n\t);\n};\n\nexport default FaceScanStep;\n","\"use client\";\nimport { useEffect, useRef, useState, useCallback, } from \"react\";\nimport posthog from \"posthog-js\";\nimport { FaceScanProps } from \"../../types/interfaces\";\nimport { generateUuid, handleScanTimeCapture, handleWebSocketCapture } from \"../../utils/utils\";\nimport { posthogPublicHost, posthogPublicKey, videoConstraints, videoTypes, voiceOverAssetsPath } from \"../../utils/constants\";\nimport swan from \"../../utils/service/swanService\";\nimport speechService from \"../../utils/service/speechService\";\nimport useFaceScan from \"../../customHooks/useFaceScan\";\nimport { LanguageKeys } from \"../../utils/languageKeys\";\nimport LanguageContextProvider from \"../../utils/context/languageContext\";\nimport FaceScanStep from \"./FaceScanStep\";\nimport ParamsContext from \"../../utils/context/paramsContext\";\n\nexport const FaceScan: React.FC<FaceScanProps> = ({ userDetails, onScanSuccess, onScanError, onRetry, config, isError, isSuccess,onUpload }) => {\n\tconst webcamRef = useRef<HTMLVideoElement | null>(null);\n\tconst canvasRef = useRef<HTMLCanvasElement | null>(null);\n\tconst mediaRecorderRef = useRef<MediaRecorder | null>(null);\n\tconst recordedBlobsRef = useRef<Blob[] | null>([]);\n\tconst streamRef = useRef<MediaStream | null>(null);\n\tconst [showLoader, setShowLoader] = useState(false);\n\tconst [modelReady, setModelReady] = useState(false);\n\tconst [isScanning, setIsScanning] = useState(false);\n\tconst [showGuideCard, setShowGuideCard] = useState(true);\n\tconst [videoLoading, setVideoLoading] = useState(false);\n\tconst [videoError, setVideoError] = useState(false);\n\tconst [hasError, setHasError] = useState(false);\n\tconst [faceScanId, setFaceScanId] = useState(generateUuid());\n\tconst { email, gender, deviceFocalLength, shopDomain, callbackUrl } = userDetails;\n\tconst [supportedTypes, setSupportedTypes] = useState<string[]>([]);\n\t\n\tconst stopRecording = useCallback(() => {\n\t\tconsole.log(\"Stopping recording...\");\n\t\tif (mediaRecorderRef.current && mediaRecorderRef.current.state === \"recording\") {\n\t\t\tmediaRecorderRef.current.stop();\n\t\t}\n\t\tmediaRecorderRef.current = null;\n\t}, []);\n\n\tconst uploadFinalVideo = async () => {\n\t\tif (recordedBlobsRef.current) {\n\t\t\tif (recordedBlobsRef.current.length === 0) {\n\t\t\t\tconsole.error(\"No video data recorded\");\n\t\t\t\tsetHasError(true);\n\t\t\t\tsetShowLoader(false);\n\t\t\t\treturn;\n\t\t\t}\n\t\t\tonUpload?.();\n\t\t\tsetShowLoader(true);\n\t\t\tconst videoFile = new File(recordedBlobsRef.current, `${faceScanId}.webm`, {\n\t\t\t\ttype: \"video/webm\",\n\t\t\t});\n\t\t\tconst fileSize = videoFile.size;\n\t\t\tconst fileSizeMB = (fileSize / (1024 * 1024)).toFixed(2);\n\t\t\tconst estimatedDuration = Math.round(fileSize / 10000);\n\t\t\tconst videoData = {\n\t\t\t\tvideo_size_mb: parseFloat(fileSizeMB),\n\t\t\t\tvideo_size_bytes: fileSize,\n\t\t\t\tblob_count: recordedBlobsRef.current.length,\n\t\t\t\testimated_duration_seconds: estimatedDuration,\n\t\t\t};\n\n\t\t\tconst metaData = [\n\t\t\t\t{ gender: gender },\n\t\t\t\t{ face_scan_id: faceScanId },\n\t\t\t\t{\n\t\t\t\t\tfocal_length: `${deviceFocalLength}`,\n\t\t\t\t},\n\t\t\t\t{ customer_store_url: shopDomain },\n\t\t\t\t{ scan_type: \"face_scan\" },\n\t\t\t\t{ callback_url: callbackUrl || \"https://example.com/webhook\" },\n\t\t\t];\n\t\t\tconsole.log(metaData,\"metadat\");\n\t\t\t\n\t\t\thandleScanTimeCapture({\n\t\t\t\teventName: `${shopDomain}/face_scan_meta_data`,\n\t\t\t\tfaceScanId,\n\t\t\t\temail,\n\t\t\t\tdata: JSON.stringify({ metaData, videoData }),\n\t\t\t});\n\n\t\t\tconst uploadStartTime = Date.now();\n\t\t\thandleScanTimeCapture({\n\t\t\t\teventName: `${shopDomain}/face_scan_upload_start`,\n\t\t\t\tfaceScanId,\n\t\t\t\temail,\n\t\t\t\tstartTime: uploadStartTime,\n\t\t\t});\n\n\t\t\ttry {\n\t\t\t\tconst res = await swan.fileUpload.faceScanFileUploader({\n\t\t\t\t\tfile: videoFile,\n\t\t\t\t\tarrayMetaData: metaData,\n\t\t\t\t\tobjectKey: faceScanId,\n\t\t\t\t\temail,\n\t\t\t\t\tcontentType: videoFile.type,\n\t\t\t\t});\n\n\t\t\t\tconst uploadEndTime = Date.now();\n\t\t\t\tconst uploadDuration = uploadEndTime - uploadStartTime;\n\n\t\t\t\thandleScanTimeCapture({\n\t\t\t\t\teventName: `${shopDomain}/face_scan_upload_complete`,\n\t\t\t\t\tfaceScanId,\n\t\t\t\t\temail,\n\t\t\t\t\tcompletionTime: uploadEndTime,\n\t\t\t\t\tuploadDuration,\n\t\t\t\t});\n\n\t\t\t\tconsole.log(\"✅ Upload successful\", res);\n\t\t\t\tswan.measurement.handlFaceScaneSocket({\n\t\t\t\t\tfaceScanId,\n\t\t\t\t\tonOpen: () => {\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"open\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t\tconsole.log(\"websocket connect open\");\n\t\t\t\t\t},\n\t\t\t\t\tonError: (err) => {\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"error\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t\tonError(err);\n\t\t\t\t\t},\n\t\t\t\t\tonSuccess: (data) => {\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"success\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t\tonSuccess(data);\n\t\t\t\t\t},\n\t\t\t\t\tonClose: () => {\n\t\t\t\t\t\tconsole.log(\"websocket connect close\");\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"close\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t},\n\t\t\t\t});\n\t\t\t} catch (error) {\n\t\t\t\tonError(error);\n\t\t\t}\n\t\t}\n\t};\n\n\tconst startRecording = useCallback(() => {\n\t\tconst stream = webcamRef.current?.srcObject as MediaStream | null;\n\t\tif (!stream) return;\n\n\t\t// Create a canvas to normalize orientation\n\t\tconst videoTrack = stream.getVideoTracks()[0];\n\t\tconst settings = videoTrack.getSettings();\n\t\tconst { width = videoConstraints.width, height = videoConstraints.height } = settings;\n\n\t\tconst canvas = document.createElement(\"canvas\");\n\t\tconst ctx = canvas.getContext(\"2d\");\n\n\t\t// Always force portrait (swap width/height if landscape)\n\t\tif (width > height) {\n\t\t\tcanvas.width = height;\n\t\t\tcanvas.height = width;\n\t\t} else {\n\t\t\tcanvas.width = width;\n\t\t\tcanvas.height = height;\n\t\t}\n\n\t\tconst videoEl = document.createElement(\"video\");\n\t\tvideoEl.srcObject = stream;\n\t\tvideoEl.muted = true;\n\t\tvideoEl.playsInline = true;\n\t\tvideoEl.play();\n\n\t\t// Draw video frames onto canvas\n\t\tconst drawFrame = () => {\n\t\t\t// Rotate if camera gives landscape frames\n\t\t\tif (width > height) {\n\t\t\t\tctx?.save();\n\t\t\t\tctx?.translate(canvas.width, 0);\n\t\t\t\tctx?.rotate(Math.PI / 2);\n\t\t\t\tctx?.drawImage(videoEl, 0, 0, height, width);\n\t\t\t\tctx?.restore();\n\t\t\t} else {\n\t\t\t\tctx?.drawImage(videoEl, 0, 0, width, height);\n\t\t\t}\n\t\t\trequestAnimationFrame(drawFrame);\n\t\t};\n\t\tdrawFrame();\n\n\t\tconst canvasStream = canvas.captureStream(30); // 30fps\n\t\tconst mediaRecorderOptions = supportedTypes.length > 0 ? { mimeType: supportedTypes[0] } : {};\n\t\tlet mediaRecorder;\n\n\t\ttry {\n\t\t\tmediaRecorder = new MediaRecorder(canvasStream, mediaRecorderOptions);\n\t\t} catch (e) {\n\t\t\tconsole.error(\"MediaRecorder init failed:\", e);\n\t\t\tsetHasError(true);\n\t\t\tsetShowLoader(false);\n\t\t\treturn;\n\t\t}\n\n\t\trecordedBlobsRef.current = [];\n\t\tmediaRecorder.ondataavailable = (event) => {\n\t\t\tif (event?.data && event.data.size > 0 && recordedBlobsRef.current) {\n\t\t\t\trecordedBlobsRef.current.push(event.data);\n\t\t\t}\n\t\t};\n\t\tmediaRecorder.onstop = () => {\n\t\t\tconsole.log(\"Recording stopped, total blobs:\", recordedBlobsRef?.current?.length);\n\t\t\tuploadFinalVideo();\n\t\t};\n\n\t\tmediaRecorder.start(100); // 100ms chunks\n\t\tmediaRecorderRef.current = mediaRecorder;\n\t\tconsole.log(\"Recording started successfully (portrait normalized)\");\n\t}, [supportedTypes, uploadFinalVideo]);\n\n\tconst { faceScanDetector, scanStage, setScanStage, resetScan, isModelLoaded, startScanSequence } = useFaceScan({\n\t\tfaceScanId,\n\t\tshopDomain,\n\t\tonScanComplete: () => {\n\t\t\tstopRecording();\n\t\t},\n\t\tonModelReady: () => {\n\t\t\tsetModelReady(true);\n\t\t},\n\t\tonStartRecording: () => {\n\t\t\tconsole.log(\"Stage 0 completed - starting recording for stages 1-3\");\n\t\t\tstartRecording();\n\t\t},\n\t});\n\n\tconst startScan = useCallback(() => {\n\t\tif (!isModelLoaded) return;\n\t\tsetScanStage(0);\n\t\tspeechService.playAudio(`${voiceOverAssetsPath}face-scan-vos/Face-forward.mp3`);\n\t\tsetTimeout(() => {\n\t\t\tsetIsScanning(true);\n\t\t\tsetTimeout(() => {\n\t\t\t\tstartScanSequence();\n\t\t\t}, 200);\n\t\t}, 200);\n\t}, [setScanStage, setIsScanning, startScanSequence, isModelLoaded]);\n\n\tconst resetScanState = useCallback(() => {\n\t\tsetIsScanning(false);\n\t\tsetShowGuideCard(true);\n\t\tstopRecording();\n\t\tresetScan();\n\t\tonRetry?.();\n\t\trecordedBlobsRef.current = [];\n\t\tif (mediaRecorderRef.current) {\n\t\t\tmediaRecorderRef.current = null;\n\t\t}\n\t\tsetHasError(false);\n\t\tsetScanStage(-1);\n\t\tsetFaceScanId(generateUuid());\n\t\tif (webcamRef.current && streamRef.current) {\n\t\t\twebcamRef.current.srcObject = streamRef.current;\n\t\t\tconsole.log(\"Camera stream restored after reset\");\n\t\t}\n\t}, [setScanStage, setIsScanning, setShowGuideCard, stopRecording, resetScan, setFaceScanId]);\n\n\tconst onError = (data: any) => {\n\t\tconsole.log(data, \"ws error\");\n\t\tonScanError?.(data);\n\t\tsetHasError(true);\n\t\tsetShowLoader(false);\n\t\tsetShowGuideCard(false);\n\t\thandleScanTimeCapture({\n\t\t\teventName: `${shopDomain}/faceScan`,\n\t\t\tfaceScanId,\n\t\t\tstatus: \"failed\",\n\t\t\temail,\n\t\t\tdata: JSON.stringify(data),\n\t\t});\n\t};\n\n\tconst onSuccess = (data: any) => {\n\t\tconsole.log(data, \"ws success\");\n\t\tif (data && data?.resultType === \"intermediate\") {\n\t\t\thandleScanTimeCapture({\n\t\t\t\teventName: `${shopDomain}/faceScan_success/intermediate`,\n\t\t\t\tfaceScanId,\n\t\t\t\tstatus: \"success\",\n\t\t\t\temail,\n\t\t\t\tdata: JSON.stringify(data),\n\t\t\t});\n\t\t}\n\t\tonScanSuccess?.(data);\n\t};\n\n\tuseEffect(() => {\n\t\tif (isError || isSuccess) return;\n\t\tif (navigator.mediaDevices.getUserMedia) {\n\t\t\tnavigator.mediaDevices\n\t\t\t\t.getUserMedia({ video: videoConstraints })\n\t\t\t\t.then((stream) => {\n\t\t\t\t\tstreamRef.current = stream;\n\t\t\t\t\tif (webcamRef.current) {\n\t\t\t\t\t\twebcamRef.current.srcObject = stream;\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch((err) => console.error(\"Error accessing webcam:\", err));\n\t\t}\n\t\treturn () => {\n\t\t\tif (streamRef.current) {\n\t\t\t\tstreamRef.current.getTracks().forEach((track) => track.stop());\n\t\t\t}\n\t\t};\n\t}, [isError, isSuccess]);\n\n\t// Face detection interval - only run when scanning is active\n\tuseEffect(() => {\n\t\tif (!modelReady || !isScanning) return;\n\t\tconst intervalId = setInterval(() => {\n\t\t\tfaceScanDetector(webcamRef, canvasRef);\n\t\t}, 500);\n\n\t\t// eslint-disable-next-line consistent-return\n\t\treturn () => clearInterval(intervalId);\n\t}, [faceScanDetector, modelReady, isScanning]);\n\n\tconst getButtonText = () => {\n\t\tif (isScanning) return LanguageKeys.reset;\n\t\tif (!isModelLoaded) return LanguageKeys.loading;\n\t\treturn LanguageKeys.start;\n\t};\n\n\tconsole.log(\"Model ready:\", modelReady, \"Has error:\", hasError, \"Is scanning:\", isScanning, \"showLoader\", showLoader);\n\tuseEffect(() => {\n\t\tif (typeof MediaRecorder !== \"undefined\") {\n\t\t\tconst supported = videoTypes.filter((type) => MediaRecorder.isTypeSupported(type));\n\t\t\tsetSupportedTypes(supported);\n\t\t}\n\t}, []);\n\tuseEffect(() => {\n\t\tsetScanStage(-1);\n\t\tif (isError || isSuccess) return;\n\t}, [isError, isSuccess]);\n\n\tuseEffect(() => {\n\t\tposthog.init(posthogPublicKey, { api_host: posthogPublicHost });\n\t\tposthog.capture(\"$pageview\");\n\t}, []);\n\n return (\n\t\t<LanguageContextProvider>\n\t\t\t<ParamsContext.Provider value={{isError,isSuccess,showLoader,hasError,resetScanState,showGuideCard,scanStage,videoLoading,setVideoLoading,videoError,setVideoError,gender,getButtonText,isScanning,startScan,isModelLoaded,config}}>\n\t\t\t<FaceScanStep webcamRef={webcamRef} canvasRef={canvasRef}/>\n\t\t\t</ParamsContext.Provider>\n\t\t</LanguageContextProvider>\n\t )\n};\n"],"names":["preloadedDetector","isPreloading","useFaceScan","faceScanId","onValidPose","onScanComplete","onModelReady","onStartRecording","shopDomain","detectorRef","useRef","scanStage","setScanStage","useState","consecutiveValid","setConsecutiveValid","isModelLoaded","setIsModelLoaded","isScanningActive","setIsScanningActive","utteranceRef","scanStageRef","consecutiveValidRef","validityBufferRef","lastSpokenMessageRef","lastSpokenTimeRef","voiceEnabledRef","lastPoseTrackingTimeRef","isIOS","navigator","test","userAgent","platform","maxTouchPoints","directionMessages","useMemo","debouncedTrackPoseDetection","fn","delay","timer","args","clearTimeout","setTimeout","debounce","payload","posthog","capture","trackPoseDetection","useCallback","faceKeypoints","bodyKeypoints","stage","headValid","bodyInvalid","consecutiveValidCount","now","Date","current","nose","leftEye","rightEye","leftMouth","rightMouth","faceKeypointScores","map","kp","filter","score","avgFaceScore","length","reduce","a","b","bodyKeypointScores","avgBodyScore","eyeDistance","Math","abs","noseToRight","noseToLeft","expectedPosition","timestamp","toISOString","data","JSON","stringify","parseFloat","toFixed","faceKeypointsDetected","bodyKeypointsDetected","noseToRightRatio","noseToLeftRatio","noseScore","leftEyeScore","rightEyeScore","leftMouthScore","rightMouthScore","error","console","warn","startScanSequence","stageName","initializeModels","async","window","log","detector","Promise","r","tf","poseDetection","all","import","setBackend","ready","createDetector","SupportedModels","BlazePose","runtime","modelType","dummyCanvas","document","createElement","width","videoConstraints","height","ctx","getContext","fillStyle","fillRect","estimatePoses","e","err","preloadDetector","useEffect","disposeModelAndTf","faceScanDetector","webcamRef","canvasRef","readyState","poses","keypoints","forEach","landmark","idx","point","x","y","push","clearRect","progress","min","radius","beginPath","strokeStyle","lineWidth","arc","PI","stroke","eyesToMouthVerticalDistance","faceTiltedness","faceIsTilted","faceIsVertical","frontalFace","fullLeft","fullRight","isHeadInPosition","slice","p","shift","Boolean","nextValid","max","nextStage","speechService","playAudio","voiceOverAssetsPath","completedStage","totalStages","nextSound","resetScan","speechSynthesis","cancel","enableVoiceCommands","silentUtterance","SpeechSynthesisUtterance","volume","speak","FaceScanErrorScreen","resetScanState","loading","config","translate","useContext","LanguageContext","_jsx","className","style","background","base","backgroundColor","children","_jsxs","Header","noTitle","resolvedConfig","fontFamily","heading","headingFontFamily","fontSize","headingFontSize","color","headingColor","fontWeight","headingFontWeight","LanguageKeys","scanFailed","subheading","subheadingFontFamily","subheadingFontSize","subheadingColor","subheadingFontWeight","clickToResetScan","SpecificButton","disabled","buttonText","postfixIcon","ArrowRight","buttonFunc","FaceScanGuide","videoLoading","setVideoLoading","videoError","setVideoError","gender","btnConfig","faceVisible","loadingVideo","videoLoadFailed","src","GenderType","Male","maleGlassesOffVideo","glassesOffVideo","autoPlay","loop","controls","muted","playsInline","onCanPlay","onLoadStart","onError","isDisabled","label","icon","onClick","FACE_SCAN_HEADSHOT","male","forward","female","type","left","right","smile","FaceScanStep","isError","isSuccess","showLoader","hasError","showGuideCard","getButtonText","isScanning","startScan","ParamsContext","useLocalConfig","setPreferredLanguage","language","LoadingScreen","url","loader","loaderType","_Fragment","id","crossOrigin","preload","position","zIndex","undefined","ref","transform","opacity","Drawer","open","anchor","onClose","event","reason","hideBackdrop","userDetails","onScanSuccess","onScanError","onRetry","onUpload","mediaRecorderRef","recordedBlobsRef","streamRef","setShowLoader","modelReady","setModelReady","setIsScanning","setShowGuideCard","setHasError","setFaceScanId","generateUuid","email","deviceFocalLength","callbackUrl","supportedTypes","setSupportedTypes","stopRecording","state","stop","uploadFinalVideo","videoFile","File","fileSize","size","fileSizeMB","estimatedDuration","round","videoData","video_size_mb","video_size_bytes","blob_count","estimated_duration_seconds","metaData","face_scan_id","focal_length","customer_store_url","scan_type","callback_url","handleScanTimeCapture","eventName","uploadStartTime","startTime","res","swan","fileUpload","faceScanFileUploader","file","arrayMetaData","objectKey","contentType","uploadEndTime","uploadDuration","completionTime","measurement","handlFaceScaneSocket","onOpen","handleWebSocketCapture","faceScanID","connection","onSuccess","startRecording","stream","srcObject","settings","getVideoTracks","getSettings","canvas","videoEl","play","drawFrame","save","rotate","drawImage","restore","requestAnimationFrame","canvasStream","captureStream","mediaRecorderOptions","mimeType","mediaRecorder","MediaRecorder","ondataavailable","onstop","start","status","resultType","mediaDevices","getUserMedia","video","then","catch","getTracks","track","intervalId","setInterval","clearInterval","supported","videoTypes","isTypeSupported","init","posthogPublicKey","api_host","posthogPublicHost","LanguageContextProvider","Provider","value","reset"],"mappings":"yLA6BA,IAAIA,EAAyC,KACzCC,GAAe,EAiEnB,SAASC,GAAYC,WACnBA,EAAUC,YACVA,EAAWC,eACXA,EAAcC,aACdA,EAAYC,iBACZA,EAAgBC,WAChBA,IASA,MAAMC,EAAcC,EAAAA,OAA4B,OACzCC,EAAWC,GAAgBC,EAAAA,SAAS,IACpCC,EAAkBC,GAAuBF,EAAAA,SAAS,IAClDG,EAAeC,GAAoBJ,EAAAA,UAAS,IAC5CK,EAAkBC,GAAuBN,EAAAA,UAAS,GAEnDO,EAAeV,EAAAA,OAAwC,MACvDW,EAAeX,EAAAA,OAAOC,GACtBW,EAAsBZ,EAAAA,OAAOI,GAC7BS,EAAoBb,EAAAA,OAAkB,IACtCc,EAAuBd,EAAAA,OAAO,IAC9Be,EAAoBf,EAAAA,OAAO,GAC3BgB,EAAkBhB,EAAAA,QAAO,GAMzBiB,EAA0BjB,EAAAA,OAAO,GAGjCkB,EAA6B,oBAAdC,YACnB,mBAAmBC,KAAKD,UAAUE,YACV,aAAvBF,UAAUG,UAA2BH,UAAUI,eAAiB,GAG7DC,EAAoBC,EAAAA,QACxB,IAAM,CACJ,aACA,uBACA,wBACA,sBAEF,IAGIC,EAA8BD,EAAAA,QAClC,IA/HJ,SAAkBE,EAA4BC,GAC5C,IAAIC,EACJ,MAAO,IAAIC,KACLD,GAAOE,aAAaF,GACxBA,EAAQG,WAAW,IAAML,KAAMG,GAAOF,GAE1C,CA0HMK,CAAUC,IACRC,EAAAA,QAAQC,QAAQ,GAAGtC,6BAAuCoC,IACzD,KACL,CAACpC,IAGGuC,EAAqBC,EAAAA,YACzB,CACEC,EACAC,EACAC,EACAC,EACAC,EACAC,KAEA,MAAMC,EAAMC,KAAKD,MACjB,KAAIA,EAAM5B,EAAwB8B,QArCP,KAqC3B,CAIA9B,EAAwB8B,QAAUF,EAElC,IACE,MAAMG,EAAOT,EAAc,IAAM,CAAC,EAAG,EAAG,GAClCU,EAAUV,EAAc,IAAM,CAAC,EAAG,EAAG,GACrCW,EAAWX,EAAc,IAAM,CAAC,EAAG,EAAG,GACtCY,EAAYZ,EAAc,IAAM,CAAC,EAAG,EAAG,GACvCa,EAAab,EAAc,KAAO,CAAC,EAAG,EAAG,GAEzCc,EAAqBd,EACxBe,IAAKC,GAAcA,EAAG,IACtBC,OAAQC,GAAkBA,EAAQ,GAC/BC,EACJL,EAAmBM,OAAS,EACxBN,EAAmBO,OAAO,CAACC,EAAGC,IAAMD,EAAIC,EAAG,GAC3CT,EAAmBM,OACnB,EAEAI,EAAqBvB,EACxBc,IAAKC,GAAcA,EAAG,IACtBC,OAAQC,GAAkBA,EAAQ,GAC/BO,EACJD,EAAmBJ,OAAS,EACxBI,EAAmBH,OAAO,CAACC,EAAWC,IAAcD,EAAIC,EAAG,GAC3DC,EAAmBJ,OACnB,EAEAM,EAAcC,KAAKC,IAAIlB,EAAQ,GAAKC,EAAS,IAC7CkB,EAAcpB,EAAK,GAAKE,EAAS,GACjCmB,EAAapB,EAAQ,GAAKD,EAAK,GAErC,IAAIsB,EAAmB,UACT,IAAV7B,EAAa6B,EAAmB,OACjB,IAAV7B,EAAa6B,EAAmB,QACtB,IAAV7B,IAAa6B,EAAmB,iBAEzC,MAAMpC,EAAU,CACdzC,aACAgD,QACA8B,WAAW,IAAIzB,MAAO0B,cACtBC,KAAMC,KAAKC,UAAU,CACnBjC,YACAC,cACAvC,iBAAkBwC,EAClBc,aAAckB,WAAWlB,EAAamB,QAAQ,IAC9Cb,aAAcY,WAAWZ,EAAaa,QAAQ,IAC9CC,sBAAuBzB,EAAmBM,OAC1CoB,sBAAuBhB,EAAmBJ,OAC1CM,YAAaW,WAAWX,EAAYY,QAAQ,IAC5CG,iBAAkBJ,YAAYR,EAAcH,GAAaY,QAAQ,IACjEI,gBAAiBL,YAAYP,EAAaJ,GAAaY,QAAQ,IAC/DK,UAAWN,WAAW5B,EAAK,GAAG6B,QAAQ,IACtCM,aAAcP,WAAW3B,EAAQ,GAAG4B,QAAQ,IAC5CO,cAAeR,WAAW1B,EAAS,GAAG2B,QAAQ,IAC9CQ,eAAgBT,WAAWzB,EAAU,GAAG0B,QAAQ,IAChDS,gBAAiBV,WAAWxB,EAAW,GAAGyB,QAAQ,IAClDP,sBAGJ5C,EAA4BQ,EAC7B,CAAC,MAAOqD,GACPC,QAAQC,KAAK,kCAAmCF,EACjD,CAhEA,GAkEH,CAAC9F,EAAYiC,IAYTgE,EAAoB,KACxBvD,EAAAA,QAAQC,QAAQ,GAAGtC,gCAA0C,CAC3DL,aACAgD,MAAO9B,EAAaoC,QACpBwB,WAAW,IAAIzB,MAAO0B,cACtBmB,UAAWnE,EAAkBb,EAAaoC,WAG5Cf,WAAW,KACTvB,GAAoB,IACnB,OAgMCmF,EAAmBC,UAEvB,GAAsB,oBAAXC,OAEX,IACEN,QAAQO,IAAI,6BAEZ,MAAMC,OApamBH,WAE7B,GAAsB,oBAAXC,OAAwB,OAAO,KAC1C,GAAIxG,EAAmB,OAAOA,EAC9B,GAAIC,EAEF,KAAOA,GAEL,SADM,IAAI0G,QAAQC,GAAKlE,WAAWkE,EAAG,MACjC5G,EAAmB,OAAOA,EAIlCC,GAAe,EAEf,IAEE,MAAO4G,EAAIC,SAAuBH,QAAQI,IAAI,CAC5CC,OAAO,oBACPL,iDAAO,mCAAmC,WAItCE,EAAGI,WAAW,eACdJ,EAAGK,QAET,MAAMR,QAAiBI,EAAcK,eACnCL,EAAcM,gBAAgBC,UAC9B,CACEC,QAAS,OACTC,UAAW,SAOTC,EAAcC,SAASC,cAAc,UAC3CF,EAAYG,MAAQC,EAAAA,iBAAiBD,MACrCH,EAAYK,OAASD,EAAAA,iBAAiBC,OACtC,MAAMC,EAAMN,EAAYO,WAAW,MACnC,GAAID,EAAK,CACPA,EAAIE,UAAY,QAChBF,EAAIG,SAAS,EAAG,EAAGT,EAAYG,MAAOH,EAAYK,QAClD,UACQnB,EAASwB,cAAcV,EAC9B,CAAC,MAAOW,GACPjC,QAAQC,KAAK,mCAAoCgC,EAClD,CACF,CAGD,OADAnI,EAAoB0G,EACbA,CACR,CAAC,MAAO0B,GAEP,OADAlC,QAAQD,MAAM,8BAA+BmC,GACtC,IACR,CAAS,QACRnI,GAAe,CAChB,GA2W0BoI,GAEnB3B,IACFjG,EAAYgD,QAAUiD,EACtBR,QAAQO,IAAI,uCACZxF,GAAiB,GACjBX,MAEH,CAAC,MAAO8H,GACPlC,QAAQD,MAAM,gCAAiCmC,EAChD,GAoEH,OAfAE,EAAAA,UAAU,KACRhC,IACO,KApDiBC,WAGxB,IACEtF,GAAiB,EAUlB,CAAC,MAAOmH,GACPlC,QAAQD,MAAM,6BAA8BmC,EAC7C,CAAS,QAERxH,EAAa,GACbG,EAAoB,GACpBM,EAAaoC,QAAU,EACvBnC,EAAoBmC,QAAU,EAC9BlC,EAAkBkC,QAAU,EAC7B,GA8BC8E,KAED,IAEHD,EAAAA,UAAU,KACRjH,EAAaoC,QAAU9C,GACtB,CAACA,IAEJ2H,EAAAA,UAAU,KACRhH,EAAoBmC,QAAU3C,GAC7B,CAACA,IAEG,CACL0H,iBAzNuBjC,MACvBkC,EACAC,KAEA,GACGjI,EAAYgD,SACZgF,EAAUhF,SACVzC,GACAE,KAKCuH,EAAUhF,QAAQkF,WAAa,GAEnC,IACE,MAAMC,QAAcnI,EAAYgD,QAAQyE,cAAcO,EAAUhF,SAChE,GAAImF,EAAMvE,OAAS,EAAG,CACpB,MAAMpB,EAAyB,GACzBC,EAAyB,GAS/B,GARA0F,EAAM,GAAGC,UAAUC,QAAQ,CAACC,EAAUC,KACpC,MAAM7E,EAAQ4E,EAAS5E,OAAS,EAC1B8E,EAAe,CAACF,EAASG,IAAM,EAAGH,EAASI,IAAM,EAAGhF,GACtD6E,GAAO,GAAI/F,EAAcmG,KAAKH,GAC7B/F,EAAckG,KAAKH,KAItBP,GAAWjF,QAAS,CACtB,MAAMqE,EAAMY,EAAUjF,QAAQsE,WAAW,OACnCJ,MAAEA,EAAKE,OAAEA,GAAWa,EAAUjF,QACpC,GAAIqE,EAAK,CACPA,EAAIuB,UAAU,EAAG,EAAG1B,EAAOE,GAE3B,MAAMyB,EAAW1E,KAAK2E,IACpBjI,EAAoBmC,QAjOC,EAkOrB,GAEI+F,EAAkB,IAAT3B,EACfC,EAAI2B,YACJ3B,EAAI4B,YAAc,UAClB5B,EAAI6B,UAAY,EAChB7B,EAAI8B,IACFjC,EAAQ,EACRE,EAAS,EACT2B,EAAS,IACR5E,KAAKiF,GAAK,GACVjF,KAAKiF,GAAK,EAAe,EAAXP,EAAe1E,KAAKiF,IAErC/B,EAAIgC,QACL,CACF,CAED,MAAM1G,EA/Ga,EAACD,EAAe0F,KASvC,IACGA,EARU,KAQUA,EAPP,KAO8BA,EAN7B,IAOfA,EATW,GASK,GAHD,IAIfA,EATc,GASK,GAJJ,IAKfA,EATe,GASK,GALL,GAOf,OAAO,EAGT,MAAMkB,EACJ,IAAOlB,EAbU,IAaY,GAAKA,EAdlB,GAcuC,IACvD,IAAOA,EAhBQ,GAgBY,GAAKA,EAjBlB,GAiBqC,IAE/CmB,GACH,IAAOnB,EAjBS,IAiBa,GAAKA,EAlBnB,GAkBwC,IACtDA,EAtBS,GAsBO,IAClBkB,EAEIE,EAAeD,EAAiB,IAAOA,EAAiB,GAExDE,EACJtF,KAAKC,IAAIgE,EA3BK,GA2Bc,GAAKA,EA1BlB,GA0BsC,IACnD,GAAMkB,GACRnF,KAAKC,IAAIgE,EA3BO,GA2Bc,GAAKA,EA1BlB,IA0BwC,IACvD,GAAMkB,EAEJpF,EAAckE,EAhCJ,GAgCuB,GAAKA,EA/B3B,GA+B+C,GAC1D/D,EAAc+D,EAlCP,GAkCuB,GAAKA,EAhCxB,GAgC4C,GAGvDsB,EACJrF,EAAc,GAAMH,GAAeG,EAAc,GAAMH,EACnDyF,EAAWtF,EAAc,IAAOH,EAChC0F,EALaxB,EAlCH,GAkCsB,GAAKA,EAnC9B,GAmC8C,GAK5B,IAAOlE,EAEtC,OAAQxB,GACN,KAAK,EAML,KAAK,EACH,OAAQ8G,GAAgBC,GAAkBC,EAL5C,KAAK,EACH,OAAQF,GAAgBC,GAAkBE,EAC5C,KAAK,EACH,OAAQH,GAAgBC,GAAkBG,EAG5C,QACE,OAAO,IAyDWC,CAAiBjJ,EAAaoC,QAASR,GACnDI,EACJH,EAAcqH,MAAM,GAAGrG,OAAQsG,GAAMA,EAAE,GAAK,IAAKnG,QAAU,EAE7D9C,EAAkBkC,QAAQ2F,KAAKhG,GAAaC,GACxC9B,EAAkBkC,QAAQY,OAzPL,IA0PvB9C,EAAkBkC,QAAQgH,QAI5B,GADmBlJ,EAAkBkC,QAAQS,OAAOwG,SAASrG,QAC3C,EAAG,CACnB,MAAMsG,EAAYrJ,EAAoBmC,QAAU,EAChD1C,EAAoB4J,EACrB,MACC5J,EAAoB6D,KAAKgG,IAAI,EAAGtJ,EAAoBmC,QAAU,IAGhE,GAAInC,EAAoBmC,SApQG,EAoQkC,CAC3DrD,MAEA,MAAMyK,EAAYxJ,EAAaoC,QAAU,EACzC1C,EAAoB,GACpBQ,EAAkBkC,QAAU,GAC5B7C,EAAaiK,GACb1J,GAAoB,GAEpB,WAmBE,SAlBM2J,EAAAA,cAAcC,UAClB,GAAGC,EAAAA,qDAELnI,EAAAA,QAAQC,QACN,GAAGtC,wCACH,CACEL,aACA8K,eAAgB5J,EAAaoC,QAC7BoH,YACA5F,WAAW,IAAIzB,MAAO0B,cACtBgG,YAvRO,EAwRP7E,UAAWnE,EAAkBb,EAAaoC,WAI5B,IAAdoH,GAAmBtK,GACrBA,IAEEsK,GA/RO,EAgSTxK,UACK,CACL,IAAI8K,EAAY,KAChB,OAAQN,GACN,KAAK,EAAGM,EAAY,WAAY,MAChC,KAAK,EAAGA,EAAY,YAAa,MACjC,KAAK,EAAGA,EAAY,YAElBA,SACIL,EAAAA,cAAcC,UAClB,GAAGC,EAAAA,oCAAoCG,KAG3C/E,GACD,CACF,EAnCD,EAoCD,CAEDrD,EACEE,EACAC,EACA7B,EAAaoC,QACbL,EACAC,EACA/B,EAAoBmC,QAEvB,CACF,CAAC,MAAO2E,GACPlC,QAAQD,MAAM,wBAAyBmC,EACxC,GA0FDzH,YACAC,eACAE,mBACAE,gBACAoK,UA7CgB,KAChBvI,EAAAA,QAAQC,QAAQ,GAAGtC,oBAA8B,CAC/CL,aACAgD,MAAO9B,EAAaoC,QACpBwB,WAAW,IAAIzB,MAAO0B,cACtBmB,UAAWnE,EAAkBb,EAAaoC,SAC1C3C,iBAAkBQ,EAAoBmC,UAGxC7C,EAAa,GACbG,EAAoB,GACpBI,GAAoB,GACpBE,EAAaoC,QAAU,EACvBnC,EAAoBmC,QAAU,EAC9BlC,EAAkBkC,QAAU,GAC5BjC,EAAqBiC,QAAU,GAC/BhC,EAAkBgC,QAAU,EAC5B/B,EAAgB+B,SAAU,EACtBrC,EAAaqC,UACf4H,gBAAgBC,SAChBlK,EAAaqC,QAAU,OA0BzB8H,oBA/S0B,KAE1B,GADA7J,EAAgB+B,SAAU,EACJ,oBAAX+C,QAA0B5E,GAAS,oBAAqB4E,OAAQ,CACzE,MAAMgF,EAAkB,IAAIC,yBAAyB,IACrDD,EAAgBE,OAAS,EACzBL,gBAAgBM,MAAMH,EACvB,GA0SDpF,oBACAlF,mBAEJ,CCthBA,SAAS0K,GAAoBC,eAAEA,EAAcC,QAAEA,EAAOC,OAAEA,IACvD,MAAMC,UAAEA,GAAcC,aAAWC,EAAAA,kBAAoB,CAAA,EAErD,OACCC,EAAAA,WAAKC,UAAU,kFAAkFC,MAAO,CAAEC,WAAYP,GAAQM,OAAOE,MAAMC,iBAAiBC,SAC3JC,EAAAA,KAAA,MAAA,CAAKN,UAAU,0DAAyDK,SAAA,CACvEN,EAAAA,IAACQ,EAAAA,OAAM,CAACC,WAAQC,eAAgBd,IAChCW,EAAAA,YAAKN,UAAU,oCAAmCK,SAAA,CACjDN,EAAAA,IAAA,KAAA,CACCC,UAAU,uCACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOU,SAASC,mBAAqB,wBACzDC,SAAUlB,GAAQM,OAAOU,SAASG,iBAAmB,OACrDC,MAAOpB,GAAQM,OAAOU,SAASK,cAAgB,OAC/CC,WAAYtB,GAAQM,OAAOU,SAASO,mBAAqB,UACzDb,SAEAT,IAAYuB,EAAAA,aAAaC,cAE3BrB,EAAAA,SACCC,UAAU,cACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOoB,YAAYC,sBAAwB,sBAC/DT,SAAUlB,GAAQM,OAAOoB,YAAYE,oBAAsB,OAC3DR,MAAOpB,GAAQM,OAAOoB,YAAYG,iBAAmB,UACrDP,WAAYtB,GAAQM,OAAOoB,YAAYI,sBAAwB,UAC/DpB,SAEAT,IAAYuB,EAAAA,aAAaO,oBAE3B3B,EAAAA,IAAC4B,EAAAA,eAAc,CACdC,SAAUlC,EACVM,UAAU,iEACV6B,WAAYjC,IAAYuB,EAAAA,aAAanC,WACrC8C,YAAa/B,EAAAA,IAACgC,EAAAA,WAAU,CAAA,GACxBC,WAAY,IAAMvC,MAClBgB,eAAgBd,WAMtB,CCzCA,SAASsC,GAAclL,MAAEA,EAAKmL,aAAEA,EAAYC,gBAAEA,EAAeC,WAAEA,EAAUC,cAAEA,EAAaC,OAAEA,EAAM3C,OAAEA,EAAM4C,UAAEA,IACzG,MAAM3C,UAAEA,GAAcC,aAAWC,EAAAA,kBAAoB,CAAA,EAIrD,OAAc,IAAV/I,EAEFuJ,EAAAA,KAAA,MAAA,CAAKN,UAAU,sCAAsCC,MAAO,CAAEC,WAAYP,GAAQM,OAAOE,MAAMC,iBAAiBC,SAAA,CAC/GC,EAAAA,YAAKN,UAAU,SAAQK,SAAA,CACtBN,EAAAA,IAACQ,EAAAA,OAAM,CAACC,SAAO,EAACC,eAAgBd,IAChCI,EAAAA,IAAA,KAAA,CACCE,MAAO,CACNS,WAAYf,GAAQM,OAAOU,SAASC,mBAAqB,wBACzDC,SAAUlB,GAAQM,OAAOU,SAASG,iBAAmB,OACrDC,MAAOpB,GAAQM,OAAOU,SAASK,cAAgB,OAC/CC,WAAYtB,GAAQM,OAAOU,SAASO,mBAAqB,UACzDb,SAEAT,IAAYuB,eAAaqB,eAE1BN,GACAnC,EAAAA,IAAA,MAAA,CACCC,UAAU,wCACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOoB,YAAYC,sBAAwB,sBAC/DT,SAAUlB,GAAQM,OAAOoB,YAAYE,oBAAsB,OAC3DR,MAAOpB,GAAQM,OAAOoB,YAAYG,iBAAmB,UACrDP,WAAYtB,GAAQM,OAAOoB,YAAYI,sBAAwB,UAC/DpB,SAEAT,IAAYuB,eAAasB,gBAG3BL,GACArC,EAAAA,IAAA,MAAA,CACCC,UAAU,oBACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOoB,YAAYC,sBAAwB,sBAC/DT,SAAUlB,GAAQM,OAAOoB,YAAYE,oBAAsB,OAC3DR,MAAO,UACPE,WAAYtB,GAAQM,OAAOoB,YAAYI,sBAAwB,UAC/DpB,SAEAT,IAAYuB,eAAauB,oBAG1BN,GACDrC,EAAAA,IAAA,MAAA,CAAKC,UAAW,qBAAoBK,SACnCN,EAAAA,IAAA,QAAA,CACC4C,IAAKL,IAAWM,EAAAA,WAAWC,KAAOC,EAAAA,oBAAsBC,EAAAA,gBACxDC,UAAQ,EACRC,MAAI,EACJC,UAAU,EACVC,OAAK,EACLC,aAAW,EACXpD,UAAU,2CACVqD,UAAW,IAAMlB,GAAgB,GACjCmB,YAAa,IAAMnB,GAAgB,GACnCoB,QAAS,IAAMlB,GAAc,gBAClB,mFAKftC,EAAAA,IAAA,MAAA,CAAKC,UAAU,uCAAsCK,SACpDN,EAAAA,IAAC4B,iBAAc,CACdC,SAAUW,EAAUiB,WACpBxD,UAAU,kCACV6B,WAAYjC,IAAY2C,EAAUkB,OAClC3B,YAAaS,GAAWmB,KACxB1B,WAAYO,EAAUoB,QACtBlD,eAAgBd,SAQpBI,EAAAA,IAAA,MAAA,CAAKC,UAAU,sCAAsCC,MAAO,CAAEC,WAAYP,GAAQM,OAAOE,MAAMC,iBAAiBC,SAC/GC,EAAAA,KAAA,MAAA,CAAKN,UAAU,SAAQK,SAAA,CACtBN,EAAAA,IAACQ,EAAAA,OAAM,CAACC,SAAO,EAACC,eAAgBd,IAChCI,EAAAA,IAAA,KAAA,CACCC,UAAU,cACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOU,SAASC,mBAAqB,wBACzDC,SAAUlB,GAAQM,OAAOU,SAASG,iBAAmB,OACrDC,MAAOpB,GAAQM,OAAOU,SAASK,cAAgB,OAC/CC,WAAYtB,GAAQM,OAAOU,SAASO,mBAAqB,UACzDb,SAEAT,IAAY9J,EAAAA,kBAAkBiB,MAGhCuJ,EAAAA,KAAA,MAAA,CAAKN,UAAU,+DAA8DK,SAAA,CAC5EN,EAAAA,IAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAAA,IAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,EAAAA,cAAQ4C,IAAKL,IAAWM,EAAAA,WAAWC,KAAOe,qBAAmBC,KAAKC,QAAUF,EAAAA,mBAAmBG,OAAOD,QAASE,KAAK,kBAGtHjE,EAAAA,IAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAAA,IAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,EAAAA,IAAA,SAAA,CAAQ4C,IAAKL,IAAWM,EAAAA,WAAWC,KAAOe,qBAAmBC,KAAKI,KAAOL,qBAAmBG,OAAOE,KAAMD,KAAK,kBAGhHjE,EAAAA,IAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAAA,IAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,EAAAA,IAAA,SAAA,CAAQ4C,IAAKL,IAAWM,EAAAA,WAAWC,KAAOe,qBAAmBC,KAAKK,MAAQN,qBAAmBG,OAAOG,MAAOF,KAAK,kBAGlHjE,EAAAA,IAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAAA,IAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,EAAAA,cAAQ4C,IAAKL,IAAWM,EAAAA,WAAWC,KAAOe,qBAAmBC,KAAKM,MAAQP,qBAAmBG,OAAOI,MAAOH,KAAK,yBAOvH,CCjHA,MAAMI,EAA4C,EAAG/H,YAAWC,gBAC/D,MAAM+H,QACLA,EAAOC,UACPA,EAASC,WACTA,EAAUC,SACVA,EAAQ/E,eACRA,EAAcgF,cACdA,EAAalQ,UACbA,EAAS2N,aACTA,EAAYC,gBACZA,EAAeC,WACfA,EAAUC,cACVA,EAAaC,OACbA,EAAMoC,cACNA,EAAaC,WACbA,EAAUC,UACVA,EAAShQ,cACTA,EAAa+K,OACbA,GACGE,EAAAA,WAAWgF,iBACTpE,EAAiBqE,EAAAA,eAAenF,IAEhCoF,qBAAEA,GAAyBlF,aAAWC,EAAAA,kBAAoB,CAAA,EAIhE,OAHA5D,EAAAA,UAAU,KACT6I,IAAuBtE,GAAgBuE,WACrC,CAACvE,IACA4D,EACItE,EAAAA,IAACP,EAAmB,CAACG,OAAQc,IAEjC6D,EAEFvE,EAAAA,IAAA,MAAA,CAAKC,UAAU,6BAA6BC,MAAO,CAAEC,WAAYO,GAAgBR,OAAOE,MAAMC,0BAE7FL,EAAAA,IAACkF,EAAAA,cAAa,CAACC,IAAKzE,GAAgB0E,OAAQC,WAAW,YAMzD9E,EAAAA,KAAA+E,EAAAA,SAAA,CAAAhF,SAAA,CACCN,EAAAA,IAAA,QAAA,CAAOuF,GAAG,eAAeC,YAAY,YAAYC,QAAQ,OAAOvF,MAAO,CAAEwF,SAAU,WAAYC,QAAQ,OAAU/C,SAAKgD,IAGrHpB,IAAeC,GACfzE,MAAA,MAAA,CAAKC,UAAU,6BAA6BC,MAAO,CAAEC,WAAYO,GAAgBR,OAAOE,MAAMC,iBAAiBC,SAE9GN,EAAAA,IAACkF,gBAAa,CAACC,IAAKzE,GAAgB0E,OAAQC,WAAW,YAKzDrF,MAAA,MAAA,CAAKC,UAAU,iGAAiGC,MAAO,CAAEC,WAAYO,GAAgBR,OAAOE,MAAMC,iBAAiBC,SAClLN,EAAAA,IAAA,MAAA,CAAKC,UAAU,yCAAwCK,SACtDC,OAAA,MAAA,CAAKN,UAAU,gBAAeK,SAAA,CAC7BN,EAAAA,IAAA,QAAA,CACC6F,IAAKvJ,EACL2G,UAAQ,EACRI,eACAD,OAAK,EACL5H,MAAOC,EAAAA,iBAAiBD,MACxBE,OAAQD,EAAAA,iBAAiBC,OACzBuE,UAAU,oDACVC,MAAO,CAAE4F,UAAW,gBAErB9F,EAAAA,cAAQ6F,IAAKtJ,EAAWf,MAAOC,EAAAA,iBAAiBD,MAAOE,OAAQD,EAAAA,iBAAiBC,OAAQwE,MAAO,CAAE4F,UAAW,aAAcC,QAAS,eAMpIvB,GAAcC,GAAYzE,EAAAA,IAACP,EAAmB,CAACE,QAAS6E,EAAY9E,eAAgBA,EAAgBE,OAAQc,IAG7GgE,IAAkBD,IAAaD,GAC/BxE,EAAAA,IAACgG,EAAAA,OAAM,CACNC,MAAI,EACJhG,UAAU,8BACViG,OAAO,SACPC,QAAS,CAACC,EAAOC,OAKjBC,cAAY,EAAAhG,SAEZN,EAAAA,IAACkC,EAAa,CACblL,MAAOxC,EACP2N,aAAcA,EACdC,gBAAiBA,EACjBC,WAAYA,EACZC,cAAeA,EACfC,OAAQA,EACR3C,OAAQc,EACR8B,UAAW,CACVkB,MAAOiB,IACPf,QAASgB,EAAalF,EAAiBmF,EACvCpB,WAAYe,IAAe3P,EAC3B8O,KAAMiB,EAAa5E,EAAAA,IAACgC,EAAAA,WAAU,CAAA,GAAMhC,EAAAA,IAAAsF,EAAAA,SAAA,8BClGM,EAAGiB,cAAaC,gBAAeC,cAAaC,UAAS9G,SAAQ0E,UAASC,YAAUoC,eAChI,MAAMrK,EAAY/H,EAAAA,OAAgC,MAC5CgI,EAAYhI,EAAAA,OAAiC,MAC7CqS,EAAmBrS,EAAAA,OAA6B,MAChDsS,EAAmBtS,EAAAA,OAAsB,IACzCuS,EAAYvS,EAAAA,OAA2B,OACtCiQ,EAAYuC,GAAiBrS,EAAAA,UAAS,IACtCsS,EAAYC,GAAiBvS,EAAAA,UAAS,IACtCkQ,EAAYsC,GAAiBxS,EAAAA,UAAS,IACtCgQ,EAAeyC,GAAoBzS,EAAAA,UAAS,IAC5CyN,EAAcC,GAAmB1N,EAAAA,UAAS,IAC1C2N,EAAYC,GAAiB5N,EAAAA,UAAS,IACtC+P,EAAU2C,GAAe1S,EAAAA,UAAS,IAClCV,EAAYqT,GAAiB3S,EAAAA,SAAS4S,EAAAA,iBACvCC,MAAEA,EAAKhF,OAAEA,EAAMiF,kBAAEA,EAAiBnT,WAAEA,EAAUoT,YAAEA,GAAgBlB,GAC/DmB,EAAgBC,GAAqBjT,EAAAA,SAAmB,IAEzDkT,EAAgB/Q,EAAAA,YAAY,KACjCkD,QAAQO,IAAI,yBACRsM,EAAiBtP,SAA8C,cAAnCsP,EAAiBtP,QAAQuQ,OACxDjB,EAAiBtP,QAAQwQ,OAE1BlB,EAAiBtP,QAAU,MACzB,IAEGyQ,EAAmB3N,UACxB,GAAIyM,EAAiBvP,QAAS,CAC7B,GAAwC,IAApCuP,EAAiBvP,QAAQY,OAI5B,OAHA6B,QAAQD,MAAM,0BACdsN,GAAY,QACZL,GAAc,GAGfJ,MACAI,GAAc,GACd,MAAMiB,EAAY,IAAIC,KAAKpB,EAAiBvP,QAAS,GAAGtD,SAAmB,CAC1EiQ,KAAM,eAEDiE,EAAWF,EAAUG,KACrBC,GAAcF,EAAQ,SAAkB9O,QAAQ,GAChDiP,EAAoB5P,KAAK6P,MAAMJ,EAAW,KAC1CK,EAAY,CACjBC,cAAerP,WAAWiP,GAC1BK,iBAAkBP,EAClBQ,WAAY7B,EAAiBvP,QAAQY,OACrCyQ,2BAA4BN,GAGvBO,EAAW,CAChB,CAAErG,OAAQA,GACV,CAAEsG,aAAc7U,GAChB,CACC8U,aAAc,GAAGtB,KAElB,CAAEuB,mBAAoB1U,GACtB,CAAE2U,UAAW,aACb,CAAEC,aAAcxB,GAAe,gCAEhC1N,QAAQO,IAAIsO,EAAS,WAErBM,wBAAsB,CACrBC,UAAW,GAAG9U,wBACdL,aACAuT,QACAvO,KAAMC,KAAKC,UAAU,CAAE0P,WAAUL,gBAGlC,MAAMa,EAAkB/R,KAAKD,MAC7B8R,wBAAsB,CACrBC,UAAW,GAAG9U,2BACdL,aACAuT,QACA8B,UAAWD,IAGZ,IACC,MAAME,QAAYC,OAAKC,WAAWC,qBAAqB,CACtDC,KAAM1B,EACN2B,cAAef,EACfgB,UAAW5V,EACXuT,QACAsC,YAAa7B,EAAU/D,OAGlB6F,EAAgBzS,KAAKD,MACrB2S,EAAiBD,EAAgBV,EAEvCF,wBAAsB,CACrBC,UAAW,GAAG9U,8BACdL,aACAuT,QACAyC,eAAgBF,EAChBC,mBAGDhQ,QAAQO,IAAI,sBAAuBgP,GACnCC,EAAAA,KAAKU,YAAYC,qBAAqB,CACrClW,aACAmW,OAAQ,KACPC,yBAAuB,CACtBjB,UAAW,GAAG9U,cACdgW,WAAYrW,EACZsW,WAAY,OACZrG,KAAM,0BACNsD,UAEDxN,QAAQO,IAAI,2BAEbkJ,QAAUvH,IACTmO,yBAAuB,CACtBjB,UAAW,GAAG9U,cACdgW,WAAYrW,EACZsW,WAAY,QACZrG,KAAM,0BACNsD,UAED/D,EAAQvH,IAETsO,UAAYvR,IACXoR,yBAAuB,CACtBjB,UAAW,GAAG9U,cACdgW,WAAYrW,EACZsW,WAAY,UACZrG,KAAM,0BACNsD,UAEDgD,GAAUvR,IAEXmN,QAAS,KACRpM,QAAQO,IAAI,2BACZ8P,yBAAuB,CACtBjB,UAAW,GAAG9U,cACdgW,WAAYrW,EACZsW,WAAY,QACZrG,KAAM,0BACNsD,YAIH,CAAC,MAAOzN,GACR0J,EAAQ1J,EACR,CACD,GAGI0Q,EAAiB3T,EAAAA,YAAY,KAClC,MAAM4T,EAASnO,EAAUhF,SAASoT,UAClC,IAAKD,EAAQ,OAGb,MACME,EADaF,EAAOG,iBAAiB,GACfC,eACtBrP,MAAEA,EAAQC,mBAAiBD,MAAKE,OAAEA,EAASD,EAAAA,iBAAiBC,QAAWiP,EAEvEG,EAASxP,SAASC,cAAc,UAChCI,EAAMmP,EAAOlP,WAAW,MAG1BJ,EAAQE,GACXoP,EAAOtP,MAAQE,EACfoP,EAAOpP,OAASF,IAEhBsP,EAAOtP,MAAQA,EACfsP,EAAOpP,OAASA,GAGjB,MAAMqP,EAAUzP,SAASC,cAAc,SACvCwP,EAAQL,UAAYD,EACpBM,EAAQ3H,OAAQ,EAChB2H,EAAQ1H,aAAc,EACtB0H,EAAQC,OAGR,MAAMC,EAAY,KAEbzP,EAAQE,GACXC,GAAKuP,OACLvP,GAAKkE,UAAUiL,EAAOtP,MAAO,GAC7BG,GAAKwP,OAAO1S,KAAKiF,GAAK,GACtB/B,GAAKyP,UAAUL,EAAS,EAAG,EAAGrP,EAAQF,GACtCG,GAAK0P,WAEL1P,GAAKyP,UAAUL,EAAS,EAAG,EAAGvP,EAAOE,GAEtC4P,sBAAsBL,IAEvBA,IAEA,MAAMM,EAAeT,EAAOU,cAAc,IACpCC,EAAuB/D,EAAexP,OAAS,EAAI,CAAEwT,SAAUhE,EAAe,IAAO,CAAA,EAC3F,IAAIiE,EAEJ,IACCA,EAAgB,IAAIC,cAAcL,EAAcE,EAChD,CAAC,MAAOzP,GAIR,OAHAjC,QAAQD,MAAM,6BAA8BkC,GAC5CoL,GAAY,QACZL,GAAc,EAEd,CAEDF,EAAiBvP,QAAU,GAC3BqU,EAAcE,gBAAmBzF,IAC5BA,GAAOpN,MAAQoN,EAAMpN,KAAKmP,KAAO,GAAKtB,EAAiBvP,SAC1DuP,EAAiBvP,QAAQ2F,KAAKmJ,EAAMpN,OAGtC2S,EAAcG,OAAS,KACtB/R,QAAQO,IAAI,kCAAmCuM,GAAkBvP,SAASY,QAC1E6P,KAGD4D,EAAcI,MAAM,KACpBnF,EAAiBtP,QAAUqU,EAC3B5R,QAAQO,IAAI,yDACV,CAACoN,EAAgBK,KAEd1L,iBAAEA,EAAgB7H,UAAEA,EAASC,aAAEA,EAAYwK,UAAEA,EAASpK,cAAEA,EAAaoF,kBAAEA,GAAsBlG,EAAY,CAC9GC,aACAK,aACAH,eAAgB,KACf0T,KAEDzT,aAAc,KACb8S,GAAc,IAEf7S,iBAAkB,KACjB2F,QAAQO,IAAI,yDACZkQ,OAII3F,EAAYhO,EAAAA,YAAY,KACxBhC,IACLJ,EAAa,GACbkK,EAAAA,cAAcC,UAAU,GAAGC,EAAAA,qDAC3BtI,WAAW,KACV2Q,GAAc,GACd3Q,WAAW,KACV0D,KACE,MACD,OACD,CAACxF,EAAcyS,EAAejN,EAAmBpF,IAE9C6K,EAAiB7I,EAAAA,YAAY,KAClCqQ,GAAc,GACdC,GAAiB,GACjBS,IACA3I,IACAyH,MACAG,EAAiBvP,QAAU,GACvBsP,EAAiBtP,UACpBsP,EAAiBtP,QAAU,MAE5B8P,GAAY,GACZ3S,GAAa,GACb4S,EAAcC,EAAAA,gBACVhL,EAAUhF,SAAWwP,EAAUxP,UAClCgF,EAAUhF,QAAQoT,UAAY5D,EAAUxP,QACxCyC,QAAQO,IAAI,wCAEX,CAAC7F,EAAcyS,EAAeC,EAAkBS,EAAe3I,EAAWoI,IAEvE7D,EAAWxK,IAChBe,QAAQO,IAAItB,EAAM,YAClByN,IAAczN,GACdoO,GAAY,GACZL,GAAc,GACdI,GAAiB,GACjB+B,wBAAsB,CACrBC,UAAW,GAAG9U,aACdL,aACAgY,OAAQ,SACRzE,QACAvO,KAAMC,KAAKC,UAAUF,MAIjBuR,GAAavR,IAClBe,QAAQO,IAAItB,EAAM,cACdA,GAA6B,iBAArBA,GAAMiT,YACjB/C,wBAAsB,CACrBC,UAAW,GAAG9U,kCACdL,aACAgY,OAAQ,UACRzE,QACAvO,KAAMC,KAAKC,UAAUF,KAGvBwN,IAAgBxN,IAGjBmD,EAAAA,UAAU,KACT,IAAImI,IAAWC,EAYf,OAXI7O,UAAUwW,aAAaC,cAC1BzW,UAAUwW,aACRC,aAAa,CAAEC,MAAO3Q,qBACtB4Q,KAAM5B,IACN3D,EAAUxP,QAAUmT,EAChBnO,EAAUhF,UACbgF,EAAUhF,QAAQoT,UAAYD,KAG/B6B,MAAOrQ,GAAQlC,QAAQD,MAAM,0BAA2BmC,IAEpD,KACF6K,EAAUxP,SACbwP,EAAUxP,QAAQiV,YAAY5P,QAAS6P,GAAUA,EAAM1E,UAGvD,CAACxD,EAASC,IAGbpI,EAAAA,UAAU,KACT,IAAK6K,IAAepC,EAAY,OAChC,MAAM6H,EAAaC,YAAY,KAC9BrQ,EAAiBC,EAAWC,IAC1B,KAGH,MAAO,IAAMoQ,cAAcF,IACzB,CAACpQ,EAAkB2K,EAAYpC,IAyB9B,OAjBJ7K,QAAQO,IAAI,eAAgB0M,EAAY,aAAcvC,EAAU,eAAgBG,EAAY,aAAcJ,GAC1GrI,EAAAA,UAAU,KACT,GAA6B,oBAAlByP,cAA+B,CACzC,MAAMgB,EAAYC,EAAAA,WAAW9U,OAAQkM,GAAS2H,cAAckB,gBAAgB7I,IAC5E0D,EAAkBiF,EAClB,GACC,IACHzQ,EAAAA,UAAU,KACT1H,GAAa,IAEX,CAAC6P,EAASC,IAEbpI,EAAAA,UAAU,KACTzF,EAAQqW,KAAKC,EAAAA,iBAAkB,CAAEC,SAAUC,EAAAA,oBAC3CxW,EAAQC,QAAQ,cACd,IAGFqJ,EAAAA,IAACmN,EAAAA,wBAAuB,CAAA7M,SACvBN,EAAAA,IAAC8E,EAAAA,cAAcsI,SAAQ,CAACC,MAAO,CAAC/I,UAAQC,YAAUC,aAAWC,WAAS/E,iBAAegF,gBAAclQ,YAAU2N,eAAaC,kBAAgBC,aAAWC,gBAAcC,SAAOoC,cAzBtJ,IACjBC,EAAmBxD,EAAAA,aAAakM,MAC/BzY,EACEuM,EAAAA,aAAa2K,MADO3K,EAAAA,aAAazB,QAuBiJiF,aAAWC,YAAUhQ,gBAAc+K,UAAOU,SAClON,EAAAA,IAACqE,EAAY,CAAC/H,UAAWA,EAAWC,UAAWA"}
@@ -0,0 +1,2 @@
1
+ import{jsx as e,jsxs as t,Fragment as a}from"react/jsx-runtime";import{useRef as n,useState as o,useMemo as r,useCallback as c,useEffect as i,useContext as s}from"react";import l,{posthog as d}from"posthog-js";import{s as u,v as f,a as h,L as g,H as m,b as p,S as y,m as S,g as b,G as w,d as v,F as x,P as F,u as N,c as _,e as I,f as k,p as M,h as C,i as T,j as D,k as P,l as E}from"./LoadingScreen-B1o5ki-1.js";import{ArrowRight as z}from"lucide-react";import{Drawer as $}from"@mui/material";let j=null,L=!1;function R({faceScanId:e,onValidPose:t,onScanComplete:a,onModelReady:s,onStartRecording:l,shopDomain:g}){const m=n(null),[p,y]=o(0),[S,b]=o(0),[w,v]=o(!1),[x,F]=o(!1),N=n(null),_=n(p),I=n(S),k=n([]),M=n(""),C=n(0),T=n(!1),D=n(0),P="undefined"!=typeof navigator&&(/iPad|iPhone|iPod/.test(navigator.userAgent)||"MacIntel"===navigator.platform&&navigator.maxTouchPoints>1),E=r(()=>["Face front","Turn head fully left","Turn head fully right","Smile facing front"],[]),z=r(()=>function(e,t){let a;return(...n)=>{a&&clearTimeout(a),a=setTimeout(()=>e(...n),t)}}(e=>{d.capture(`${g}/face_scan_pose_detection`,e)},4e3),[g]),$=c((t,a,n,o,r,c)=>{const i=Date.now();if(!(i-D.current<4e3)){D.current=i;try{const i=t[0]||[0,0,0],s=t[2]||[0,0,0],l=t[5]||[0,0,0],d=t[9]||[0,0,0],u=t[10]||[0,0,0],f=t.map(e=>e[2]).filter(e=>e>0),h=f.length>0?f.reduce((e,t)=>e+t,0)/f.length:0,g=a.map(e=>e[2]).filter(e=>e>0),m=g.length>0?g.reduce((e,t)=>e+t,0)/g.length:0,p=Math.abs(s[0]-l[0]),y=i[0]-l[0],S=s[0]-i[0];let b="frontal";1===n?b="left":2===n?b="right":3===n&&(b="frontal_smile");const w={faceScanId:e,stage:n,timestamp:(new Date).toISOString(),data:JSON.stringify({headValid:o,bodyInvalid:r,consecutiveValid:c,avgFaceScore:parseFloat(h.toFixed(3)),avgBodyScore:parseFloat(m.toFixed(3)),faceKeypointsDetected:f.length,bodyKeypointsDetected:g.length,eyeDistance:parseFloat(p.toFixed(2)),noseToRightRatio:parseFloat((y/p).toFixed(3)),noseToLeftRatio:parseFloat((S/p).toFixed(3)),noseScore:parseFloat(i[2].toFixed(3)),leftEyeScore:parseFloat(s[2].toFixed(3)),rightEyeScore:parseFloat(l[2].toFixed(3)),leftMouthScore:parseFloat(d[2].toFixed(3)),rightMouthScore:parseFloat(u[2].toFixed(3)),expectedPosition:b})};z(w)}catch(e){console.warn("Failed to track pose detection:",e)}}},[e,z]),R=()=>{d.capture(`${g}/face_scan_detection_started`,{faceScanId:e,stage:_.current,timestamp:(new Date).toISOString(),stageName:E[_.current]}),setTimeout(()=>{F(!0)},1500)},V=async()=>{if("undefined"!=typeof window)try{console.log("Initializing Face Scan...");const e=await(async()=>{if("undefined"==typeof window)return null;if(j)return j;if(L)for(;L;)if(await new Promise(e=>setTimeout(e,100)),j)return j;L=!0;try{const[e,t]=await Promise.all([import("@tensorflow/tfjs"),import("./pose-detection.esm-ZdVkbzCQ.js")]);await e.setBackend("webgl"),await e.ready();const a=await t.createDetector(t.SupportedModels.BlazePose,{runtime:"tfjs",modelType:"full"}),n=document.createElement("canvas");n.width=h.width,n.height=h.height;const o=n.getContext("2d");if(o){o.fillStyle="black",o.fillRect(0,0,n.width,n.height);try{await a.estimatePoses(n)}catch(e){console.warn("Warmup frame failed (non-fatal):",e)}}return j=a,a}catch(e){return console.error("Failed to preload detector:",e),null}finally{L=!1}})();e&&(m.current=e,console.log("Face scan model loaded successfully"),v(!0),s?.())}catch(e){console.error("Error initializing face scan:",e)}};return i(()=>(V(),()=>{(async()=>{try{v(!1)}catch(e){console.error("Error disposing resources:",e)}finally{y(0),b(0),_.current=0,I.current=0,k.current=[]}})()}),[]),i(()=>{_.current=p},[p]),i(()=>{I.current=S},[S]),{faceScanDetector:async(n,o)=>{if(m.current&&n.current&&w&&x&&!(n.current.readyState<2))try{const r=await m.current.estimatePoses(n.current);if(r.length>0){const n=[],c=[];if(r[0].keypoints.forEach((e,t)=>{const a=e.score??0,o=[e.x??-1,e.y??-1,a];t<=10?n.push(o):c.push(o)}),o?.current){const e=o.current.getContext("2d"),{width:t,height:a}=o.current;if(e){e.clearRect(0,0,t,a);const n=Math.min(I.current/2,1),o=.35*a;e.beginPath(),e.strokeStyle="#00ff00",e.lineWidth=6,e.arc(t/2,a/2,o+10,-Math.PI/2,-Math.PI/2+2*n*Math.PI),e.stroke()}}const i=((e,t)=>{if(!t[0]||!t[2]||!t[5]||t[0][2]<.2||t[2][2]<.2||t[5][2]<.2)return!1;const a=.5*(t[10][1]+t[9][1])-.5*(t[5][1]+t[2][1]),n=(.5*(t[10][1]+t[9][1])-t[0][1])/a,o=n>.7||n<.3,r=Math.abs(t[2][1]-t[5][1])<.5*a&&Math.abs(t[9][1]-t[10][1])<.5*a,c=t[2][0]-t[5][0],i=t[0][0]-t[5][0],s=i>.4*c&&i<.6*c,l=i>.85*c,d=t[2][0]-t[0][0]>.85*c;switch(e){case 0:case 3:return!o&&r&&s;case 1:return!o&&r&&l;case 2:return!o&&r&&d;default:return!1}})(_.current,n),s=c.slice(2).filter(e=>e[2]>.7).length<=2;k.current.push(i&&s),k.current.length>10&&k.current.shift();if(k.current.filter(Boolean).length>=2){const e=I.current+1;b(e)}else b(Math.max(0,I.current-1));if(I.current>=2){t?.();const n=_.current+1;b(0),k.current=[],y(n),F(!1),(async()=>{if(await u.playAudio(`${f}face-scan-vos/Sound-effect.mp3`),d.capture(`${g}/face_scan_detection_stage_completed`,{faceScanId:e,completedStage:_.current,nextStage:n,timestamp:(new Date).toISOString(),totalStages:4,stageName:E[_.current]}),1===n&&l&&l(),n>=4)a?.();else{let e=null;switch(n){case 1:e="Left.mp3";break;case 2:e="Right.mp3";break;case 3:e="Smile.mp3"}e&&await u.playAudio(`${f}face-scan-vos/${e}`),R()}})()}$(n,c,_.current,i,s,I.current)}}catch(e){console.error("Pose detection error:",e)}},scanStage:p,setScanStage:y,consecutiveValid:S,isModelLoaded:w,resetScan:()=>{d.capture(`${g}/face_scan_reset`,{faceScanId:e,stage:_.current,timestamp:(new Date).toISOString(),stageName:E[_.current],consecutiveValid:I.current}),y(0),b(0),F(!1),_.current=0,I.current=0,k.current=[],M.current="",C.current=0,T.current=!1,N.current&&(speechSynthesis.cancel(),N.current=null)},enableVoiceCommands:()=>{if(T.current=!0,"undefined"!=typeof window&&P&&"speechSynthesis"in window){const e=new SpeechSynthesisUtterance("");e.volume=0,speechSynthesis.speak(e)}},startScanSequence:R,isScanningActive:x}}function V({resetScanState:a,loading:n,config:o}){const{translate:r}=s(g)||{};return e("div",{className:"fixed top-[0] left-[0] z-[999] flex justify-center items-center w-full h-full",style:{background:o?.style?.base?.backgroundColor},children:t("div",{className:"flex flex-col w-full items-center p-[1rem] rounded-lg ",children:[e(m,{noTitle:!0,resolvedConfig:o}),t("div",{className:"flex flex-col items-center w-full",children:[e("h2",{className:"text-xl font-semibold text-gray-800 ",style:{fontFamily:o?.style?.heading?.headingFontFamily||"SeriouslyNostalgic Fn",fontSize:o?.style?.heading?.headingFontSize||"32px",color:o?.style?.heading?.headingColor||"#000",fontWeight:o?.style?.heading?.headingFontWeight||"normal"},children:r?.(p.scanFailed)}),e("p",{className:"mb-[1.5rem]",style:{fontFamily:o?.style?.subheading?.subheadingFontFamily||"'Inter', sans-serif",fontSize:o?.style?.subheading?.subheadingFontSize||"14px",color:o?.style?.subheading?.subheadingColor||"#4b5563",fontWeight:o?.style?.subheading?.subheadingFontWeight||"normal"},children:r?.(p.clickToResetScan)}),e(y,{disabled:n,className:"w-full h-[45px] shadow-[0px_1px_2px_0px_#00000040] text-[16px]",buttonText:r?.(p.resetScan),postfixIcon:e(z,{}),buttonFunc:()=>a?.(),resolvedConfig:o})]})]})})}function O({stage:a,videoLoading:n,setVideoLoading:o,videoError:r,setVideoError:c,gender:i,config:l,btnConfig:d}){const{translate:u}=s(g)||{};return-1===a?t("div",{className:"text-center p-[16px] w-full h-full",style:{background:l?.style?.base?.backgroundColor},children:[t("div",{className:"w-full",children:[e(m,{noTitle:!0,resolvedConfig:l}),e("h2",{style:{fontFamily:l?.style?.heading?.headingFontFamily||"SeriouslyNostalgic Fn",fontSize:l?.style?.heading?.headingFontSize||"32px",color:l?.style?.heading?.headingColor||"#000",fontWeight:l?.style?.heading?.headingFontWeight||"normal"},children:u?.(p.faceVisible)}),n&&e("div",{className:"mb-4 flex items-center justify-center",style:{fontFamily:l?.style?.subheading?.subheadingFontFamily||"'Inter', sans-serif",fontSize:l?.style?.subheading?.subheadingFontSize||"14px",color:l?.style?.subheading?.subheadingColor||"#4b5563",fontWeight:l?.style?.subheading?.subheadingFontWeight||"normal"},children:u?.(p.loadingVideo)}),r&&e("div",{className:"mb-4 text-red-600",style:{fontFamily:l?.style?.subheading?.subheadingFontFamily||"'Inter', sans-serif",fontSize:l?.style?.subheading?.subheadingFontSize||"14px",color:"#ff0000",fontWeight:l?.style?.subheading?.subheadingFontWeight||"normal"},children:u?.(p.videoLoadFailed)}),!r&&e("div",{className:" w-[100px] mx-auto",children:e("video",{src:i===w.Male?S:b,autoPlay:!0,loop:!0,controls:!1,muted:!0,playsInline:!0,className:"h-full w-full object-contain border-none",onCanPlay:()=>o(!1),onLoadStart:()=>o(!0),onError:()=>c(!0),"aria-label":"Instructional video: Please remove your glasses before starting the scan."})})]}),e("div",{className:"flex justify-center w-full p-[1rem]",children:e(y,{disabled:d.isDisabled,className:"!w-[60px] !h-[35px] !py-0 !px-0",buttonText:u?.(d.label),postfixIcon:d?.icon,buttonFunc:d.onClick,resolvedConfig:l})})]}):e("div",{className:"text-center p-[16px] w-full h-full",style:{background:l?.style?.base?.backgroundColor},children:t("div",{className:"w-full",children:[e(m,{noTitle:!0,resolvedConfig:l}),e("h3",{className:"mb-[0.5rem]",style:{fontFamily:l?.style?.heading?.headingFontFamily||"SeriouslyNostalgic Fn",fontSize:l?.style?.heading?.headingFontSize||"32px",color:l?.style?.heading?.headingColor||"#000",fontWeight:l?.style?.heading?.headingFontWeight||"normal"},children:u?.(v[a])}),t("div",{className:"max-w-[400px] justify-center gap-1 mx-auto flex items-center",children:[e("div",{className:` w-[120px] overflow-hidden ${0===a?"opacity-100":"opacity-0 hidden"} `,children:e("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e("source",{src:i===w.Male?x.male.forward:x.female.forward,type:"video/mp4"})})}),e("div",{className:` w-[120px] overflow-hidden ${1===a?"opacity-100":"opacity-0 hidden"} `,children:e("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e("source",{src:i===w.Male?x.male.left:x.female.left,type:"video/mp4"})})}),e("div",{className:` w-[120px] overflow-hidden ${2===a?"opacity-100":"opacity-0 hidden"} `,children:e("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e("source",{src:i===w.Male?x.male.right:x.female.right,type:"video/mp4"})})}),e("div",{className:` w-[120px] overflow-hidden ${3===a?"opacity-100":"opacity-0 hidden"} `,children:e("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e("source",{src:i===w.Male?x.male.smile:x.female.smile,type:"video/mp4"})})})]})]})})}const W=({webcamRef:n,canvasRef:o})=>{const{isError:r,isSuccess:c,showLoader:l,hasError:d,resetScanState:u,showGuideCard:f,scanStage:m,videoLoading:p,setVideoLoading:y,videoError:S,setVideoError:b,gender:w,getButtonText:v,isScanning:x,startScan:I,isModelLoaded:k,config:M}=s(F),C=N(M),{setPreferredLanguage:T}=s(g)||{};return i(()=>{T?.(C?.language)},[C]),r?e(V,{config:C}):c?e("div",{className:"fixed z-[9] w-full h-full",style:{background:C?.style?.base?.backgroundColor},children:e(_,{url:C?.loader,loaderType:"black"})}):t(a,{children:[e("audio",{id:"audioElement",crossOrigin:"anonymous",preload:"auto",style:{position:"absolute",zIndex:-99999},src:void 0}),l&&!d&&e("div",{className:"fixed z-[9] w-full h-full",style:{background:C?.style?.base?.backgroundColor},children:e(_,{url:C?.loader,loaderType:"black"})}),e("div",{className:"h-full flex-col relative w-full flex justify-center items-center text-center rounded-t-[20px]",style:{background:C?.style?.base?.backgroundColor},children:e("div",{className:"flex-1 w-full max-w-md overflow-hidden",children:t("div",{className:"w-full h-full",children:[e("video",{ref:n,autoPlay:!0,playsInline:!0,muted:!0,width:h.width,height:h.height,className:"w-full h-full object-cover fixed left-0 top-0 z-0",style:{transform:"scaleX(-1)"}}),e("canvas",{ref:o,width:h.width,height:h.height,style:{transform:"scaleX(-1)",opacity:"0"}})]})})}),!l&&d&&e(V,{loading:l,resetScanState:u,config:C}),f&&!d&&!l&&e($,{open:!0,className:"face-scan-small camera-draw",anchor:"bottom",onClose:(e,t)=>{},hideBackdrop:!0,children:e(O,{stage:m,videoLoading:p,setVideoLoading:y,videoError:S,setVideoError:b,gender:w,config:C,btnConfig:{label:v(),onClick:x?u:I,isDisabled:l||!k,icon:e(x?z:a,{})}})})]})},U=({userDetails:t,onScanSuccess:a,onScanError:r,onRetry:s,config:d,isError:g,isSuccess:m,onUpload:y})=>{const S=n(null),b=n(null),w=n(null),v=n([]),x=n(null),[N,_]=o(!1),[z,$]=o(!1),[j,L]=o(!1),[V,O]=o(!0),[U,B]=o(!1),[A,J]=o(!1),[q,G]=o(!1),[K,H]=o(I()),{email:X,gender:Q,deviceFocalLength:Y,shopDomain:Z,callbackUrl:ee}=t,[te,ae]=o([]),ne=c(()=>{console.log("Stopping recording..."),w.current&&"recording"===w.current.state&&w.current.stop(),w.current=null},[]),oe=async()=>{if(v.current){if(0===v.current.length)return console.error("No video data recorded"),G(!0),void _(!1);y?.(),_(!0);const e=new File(v.current,`${K}.webm`,{type:"video/webm"}),t=e.size,a=(t/1048576).toFixed(2),n=Math.round(t/1e4),o={video_size_mb:parseFloat(a),video_size_bytes:t,blob_count:v.current.length,estimated_duration_seconds:n},r=[{gender:Q},{face_scan_id:K},{focal_length:`${Y}`},{customer_store_url:Z},{scan_type:"face_scan"},{callback_url:ee||"https://example.com/webhook"}];console.log(r,"metadat"),D({eventName:`${Z}/face_scan_meta_data`,faceScanId:K,email:X,data:JSON.stringify({metaData:r,videoData:o})});const c=Date.now();D({eventName:`${Z}/face_scan_upload_start`,faceScanId:K,email:X,startTime:c});try{const t=await P.fileUpload.faceScanFileUploader({file:e,arrayMetaData:r,objectKey:K,email:X,contentType:e.type}),a=Date.now();D({eventName:`${Z}/face_scan_upload_complete`,faceScanId:K,email:X,completionTime:a,uploadDuration:a-c}),console.log("✅ Upload successful",t),P.measurement.handlFaceScaneSocket({faceScanId:K,onOpen:()=>{E({eventName:`${Z}/webSocket`,faceScanID:K,connection:"open",type:"faceScan_recommendation",email:X}),console.log("websocket connect open")},onError:e=>{E({eventName:`${Z}/webSocket`,faceScanID:K,connection:"error",type:"faceScan_recommendation",email:X}),ge(e)},onSuccess:e=>{E({eventName:`${Z}/webSocket`,faceScanID:K,connection:"success",type:"faceScan_recommendation",email:X}),me(e)},onClose:()=>{console.log("websocket connect close"),E({eventName:`${Z}/webSocket`,faceScanID:K,connection:"close",type:"faceScan_recommendation",email:X})}})}catch(e){ge(e)}}},re=c(()=>{const e=S.current?.srcObject;if(!e)return;const t=e.getVideoTracks()[0].getSettings(),{width:a=h.width,height:n=h.height}=t,o=document.createElement("canvas"),r=o.getContext("2d");a>n?(o.width=n,o.height=a):(o.width=a,o.height=n);const c=document.createElement("video");c.srcObject=e,c.muted=!0,c.playsInline=!0,c.play();const i=()=>{a>n?(r?.save(),r?.translate(o.width,0),r?.rotate(Math.PI/2),r?.drawImage(c,0,0,n,a),r?.restore()):r?.drawImage(c,0,0,a,n),requestAnimationFrame(i)};i();const s=o.captureStream(30),l=te.length>0?{mimeType:te[0]}:{};let d;try{d=new MediaRecorder(s,l)}catch(e){return console.error("MediaRecorder init failed:",e),G(!0),void _(!1)}v.current=[],d.ondataavailable=e=>{e?.data&&e.data.size>0&&v.current&&v.current.push(e.data)},d.onstop=()=>{console.log("Recording stopped, total blobs:",v?.current?.length),oe()},d.start(100),w.current=d,console.log("Recording started successfully (portrait normalized)")},[te,oe]),{faceScanDetector:ce,scanStage:ie,setScanStage:se,resetScan:le,isModelLoaded:de,startScanSequence:ue}=R({faceScanId:K,shopDomain:Z,onScanComplete:()=>{ne()},onModelReady:()=>{$(!0)},onStartRecording:()=>{console.log("Stage 0 completed - starting recording for stages 1-3"),re()}}),fe=c(()=>{de&&(se(0),u.playAudio(`${f}face-scan-vos/Face-forward.mp3`),setTimeout(()=>{L(!0),setTimeout(()=>{ue()},200)},200))},[se,L,ue,de]),he=c(()=>{L(!1),O(!0),ne(),le(),s?.(),v.current=[],w.current&&(w.current=null),G(!1),se(-1),H(I()),S.current&&x.current&&(S.current.srcObject=x.current,console.log("Camera stream restored after reset"))},[se,L,O,ne,le,H]),ge=e=>{console.log(e,"ws error"),r?.(e),G(!0),_(!1),O(!1),D({eventName:`${Z}/faceScan`,faceScanId:K,status:"failed",email:X,data:JSON.stringify(e)})},me=e=>{console.log(e,"ws success"),e&&"intermediate"===e?.resultType&&D({eventName:`${Z}/faceScan_success/intermediate`,faceScanId:K,status:"success",email:X,data:JSON.stringify(e)}),a?.(e)};i(()=>{if(!g&&!m)return navigator.mediaDevices.getUserMedia&&navigator.mediaDevices.getUserMedia({video:h}).then(e=>{x.current=e,S.current&&(S.current.srcObject=e)}).catch(e=>console.error("Error accessing webcam:",e)),()=>{x.current&&x.current.getTracks().forEach(e=>e.stop())}},[g,m]),i(()=>{if(!z||!j)return;const e=setInterval(()=>{ce(S,b)},500);return()=>clearInterval(e)},[ce,z,j]);return console.log("Model ready:",z,"Has error:",q,"Is scanning:",j,"showLoader",N),i(()=>{if("undefined"!=typeof MediaRecorder){const e=k.filter(e=>MediaRecorder.isTypeSupported(e));ae(e)}},[]),i(()=>{se(-1)},[g,m]),i(()=>{l.init(M,{api_host:C}),l.capture("$pageview")},[]),e(T,{children:e(F.Provider,{value:{isError:g,isSuccess:m,showLoader:N,hasError:q,resetScanState:he,showGuideCard:V,scanStage:ie,videoLoading:U,setVideoLoading:B,videoError:A,setVideoError:J,gender:Q,getButtonText:()=>j?p.reset:de?p.start:p.loading,isScanning:j,startScan:fe,isModelLoaded:de,config:d},children:e(W,{webcamRef:S,canvasRef:b})})})};export{U as F};
2
+ //# sourceMappingURL=FaceScan-DN3l89L6.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"FaceScan-DN3l89L6.js","sources":["../src/customHooks/useFaceScan.ts","../src/components/faceScan/FaceScanErrorScreen.tsx","../src/components/faceScan/FaceScanGuide.tsx","../src/components/faceScan/FaceScanStep.tsx","../src/components/faceScan/FaceScan.tsx"],"sourcesContent":["import {\n useState,\n useRef,\n useEffect,\n useCallback,\n useMemo,\n RefObject,\n} from \"react\";\n// 1. Use TYPE-ONLY imports. These are erased at build time and won't crash SSR.\nimport type { PoseDetector } from \"@tensorflow-models/pose-detection\";\nimport { posthog } from \"posthog-js\";\nimport speechService from \"../utils/service/speechService\";\nimport { videoConstraints, voiceOverAssetsPath } from \"../utils/constants\";\n\n/**\n * useFaceScan Hook with PostHog Analytics\n * Refactored for Zero-Config SSR/CSR Compatibility\n */\n\n// Debounce utility\nfunction debounce(fn: (...args: any) => void, delay: number) {\n let timer: number | NodeJS.Timeout;\n return (...args: any) => {\n if (timer) clearTimeout(timer);\n timer = setTimeout(() => fn(...args), delay);\n };\n}\n\n// Global Singleton Cache (Preserves state across re-renders)\nlet preloadedDetector: PoseDetector | null = null;\nlet isPreloading = false;\n\n// 2. Async Preloader with Dynamic Imports\nexport const preloadDetector = async (): Promise<PoseDetector | null> => {\n // Guard: Never run on server\n if (typeof window === \"undefined\") return null;\n if (preloadedDetector) return preloadedDetector;\n if (isPreloading) {\n // Simple wait mechanism if already loading\n while (isPreloading) {\n await new Promise(r => setTimeout(r, 100));\n if (preloadedDetector) return preloadedDetector;\n }\n }\n\n isPreloading = true;\n\n try {\n // DYNAMIC IMPORTS: Only fetch these heavy bundles in the browser\n const [tf, poseDetection] = await Promise.all([\n import(\"@tensorflow/tfjs\"),\n import(\"@tensorflow-models/pose-detection\")\n ]);\n\n // Initialize Backend\n await tf.setBackend(\"webgl\");\n await tf.ready();\n\n const detector = await poseDetection.createDetector(\n poseDetection.SupportedModels.BlazePose,\n {\n runtime: \"tfjs\",\n modelType: \"full\",\n }\n );\n\n // Dummy video warmup (Performance Optimization)\n // This runs the model once on a blank canvas to \"wake up\" the GPU\n // so the first user frame detects instantly.\n const dummyCanvas = document.createElement(\"canvas\");\n dummyCanvas.width = videoConstraints.width;\n dummyCanvas.height = videoConstraints.height;\n const ctx = dummyCanvas.getContext(\"2d\");\n if (ctx) {\n ctx.fillStyle = \"black\";\n ctx.fillRect(0, 0, dummyCanvas.width, dummyCanvas.height);\n try {\n await detector.estimatePoses(dummyCanvas);\n } catch (e) {\n console.warn(\"Warmup frame failed (non-fatal):\", e);\n }\n }\n\n preloadedDetector = detector;\n return detector;\n } catch (err) {\n console.error(\"Failed to preload detector:\", err);\n return null;\n } finally {\n isPreloading = false;\n }\n};\n\ntype Point = [number, number, number];\n\nfunction useFaceScan({\n faceScanId,\n onValidPose,\n onScanComplete,\n onModelReady,\n onStartRecording,\n shopDomain,\n}: {\n faceScanId: string;\n onValidPose?: () => void;\n onScanComplete?: () => void;\n onModelReady?: () => void;\n onStartRecording: () => void;\n shopDomain: string;\n}) {\n const detectorRef = useRef<PoseDetector | null>(null);\n const [scanStage, setScanStage] = useState(0);\n const [consecutiveValid, setConsecutiveValid] = useState(0);\n const [isModelLoaded, setIsModelLoaded] = useState(false);\n const [isScanningActive, setIsScanningActive] = useState(false);\n \n const utteranceRef = useRef<SpeechSynthesisUtterance | null>(null);\n const scanStageRef = useRef(scanStage);\n const consecutiveValidRef = useRef(consecutiveValid);\n const validityBufferRef = useRef<boolean[]>([]);\n const lastSpokenMessageRef = useRef(\"\");\n const lastSpokenTimeRef = useRef(0);\n const voiceEnabledRef = useRef(false);\n \n const VALIDITY_BUFFER_LENGTH = 10;\n const CONSECUTIVE_VALID_LENGTH = 2;\n const TOTAL_STAGES = 4;\n const POSE_TRACKING_INTERVAL = 4000;\n const lastPoseTrackingTimeRef = useRef(0);\n\n // Safe iOS detection (SSR safe)\n const isIOS = typeof navigator !== 'undefined' && (\n /iPad|iPhone|iPod/.test(navigator.userAgent) ||\n (navigator.platform === \"MacIntel\" && navigator.maxTouchPoints > 1)\n );\n\n const directionMessages = useMemo(\n () => [\n \"Face front\",\n \"Turn head fully left\",\n \"Turn head fully right\",\n \"Smile facing front\",\n ],\n []\n );\n\n const debouncedTrackPoseDetection = useMemo(\n () =>\n debounce((payload) => {\n posthog.capture(`${shopDomain}/face_scan_pose_detection`, payload);\n }, 4000),\n [shopDomain]\n );\n\n const trackPoseDetection = useCallback(\n (\n faceKeypoints: Point[],\n bodyKeypoints: Point[],\n stage: number,\n headValid: boolean,\n bodyInvalid: boolean,\n consecutiveValidCount: number\n ) => {\n const now = Date.now();\n if (now - lastPoseTrackingTimeRef.current < POSE_TRACKING_INTERVAL) {\n return;\n }\n\n lastPoseTrackingTimeRef.current = now;\n\n try {\n const nose = faceKeypoints[0] || [0, 0, 0];\n const leftEye = faceKeypoints[2] || [0, 0, 0];\n const rightEye = faceKeypoints[5] || [0, 0, 0];\n const leftMouth = faceKeypoints[9] || [0, 0, 0];\n const rightMouth = faceKeypoints[10] || [0, 0, 0];\n\n const faceKeypointScores = faceKeypoints\n .map((kp: Point) => kp[2])\n .filter((score: number) => score > 0);\n const avgFaceScore =\n faceKeypointScores.length > 0\n ? faceKeypointScores.reduce((a, b) => a + b, 0) /\n faceKeypointScores.length\n : 0;\n\n const bodyKeypointScores = bodyKeypoints\n .map((kp: Point) => kp[2])\n .filter((score: number) => score > 0);\n const avgBodyScore =\n bodyKeypointScores.length > 0\n ? bodyKeypointScores.reduce((a: number, b: number) => a + b, 0) /\n bodyKeypointScores.length\n : 0;\n\n const eyeDistance = Math.abs(leftEye[0] - rightEye[0]);\n const noseToRight = nose[0] - rightEye[0];\n const noseToLeft = leftEye[0] - nose[0];\n\n let expectedPosition = \"frontal\";\n if (stage === 1) expectedPosition = \"left\";\n else if (stage === 2) expectedPosition = \"right\";\n else if (stage === 3) expectedPosition = \"frontal_smile\";\n\n const payload = {\n faceScanId,\n stage,\n timestamp: new Date().toISOString(),\n data: JSON.stringify({\n headValid,\n bodyInvalid,\n consecutiveValid: consecutiveValidCount,\n avgFaceScore: parseFloat(avgFaceScore.toFixed(3)),\n avgBodyScore: parseFloat(avgBodyScore.toFixed(3)),\n faceKeypointsDetected: faceKeypointScores.length,\n bodyKeypointsDetected: bodyKeypointScores.length,\n eyeDistance: parseFloat(eyeDistance.toFixed(2)),\n noseToRightRatio: parseFloat((noseToRight / eyeDistance).toFixed(3)),\n noseToLeftRatio: parseFloat((noseToLeft / eyeDistance).toFixed(3)),\n noseScore: parseFloat(nose[2].toFixed(3)),\n leftEyeScore: parseFloat(leftEye[2].toFixed(3)),\n rightEyeScore: parseFloat(rightEye[2].toFixed(3)),\n leftMouthScore: parseFloat(leftMouth[2].toFixed(3)),\n rightMouthScore: parseFloat(rightMouth[2].toFixed(3)),\n expectedPosition,\n }),\n };\n debouncedTrackPoseDetection(payload);\n } catch (error) {\n console.warn(\"Failed to track pose detection:\", error);\n }\n },\n [faceScanId, debouncedTrackPoseDetection]\n );\n\n const enableVoiceCommands = () => {\n voiceEnabledRef.current = true;\n if (typeof window !== 'undefined' && isIOS && \"speechSynthesis\" in window) {\n const silentUtterance = new SpeechSynthesisUtterance(\"\");\n silentUtterance.volume = 0;\n speechSynthesis.speak(silentUtterance);\n }\n };\n\n const startScanSequence = () => {\n posthog.capture(`${shopDomain}/face_scan_detection_started`, {\n faceScanId,\n stage: scanStageRef.current,\n timestamp: new Date().toISOString(),\n stageName: directionMessages[scanStageRef.current],\n });\n\n setTimeout(() => {\n setIsScanningActive(true);\n }, 1500);\n };\n\n const isHeadInPosition = (stage: number, keypoints: Point[]) => {\n // ... logic unchanged ...\n const nose = 0;\n const leftEye = 2;\n const rightEye = 5;\n const leftMouth = 9;\n const rightMouth = 10;\n\n const minScore = 0.2;\n if (\n !keypoints[nose] || !keypoints[leftEye] || !keypoints[rightEye] ||\n keypoints[nose][2] < minScore ||\n keypoints[leftEye][2] < minScore ||\n keypoints[rightEye][2] < minScore\n ) {\n return false;\n }\n\n const eyesToMouthVerticalDistance =\n 0.5 * (keypoints[rightMouth][1] + keypoints[leftMouth][1]) -\n 0.5 * (keypoints[rightEye][1] + keypoints[leftEye][1]);\n\n const faceTiltedness =\n (0.5 * (keypoints[rightMouth][1] + keypoints[leftMouth][1]) -\n keypoints[nose][1]) /\n eyesToMouthVerticalDistance;\n\n const faceIsTilted = faceTiltedness > 0.7 || faceTiltedness < 0.3;\n\n const faceIsVertical =\n Math.abs(keypoints[leftEye][1] - keypoints[rightEye][1]) <\n 0.5 * eyesToMouthVerticalDistance &&\n Math.abs(keypoints[leftMouth][1] - keypoints[rightMouth][1]) <\n 0.5 * eyesToMouthVerticalDistance;\n\n const eyeDistance = keypoints[leftEye][0] - keypoints[rightEye][0];\n const noseToRight = keypoints[nose][0] - keypoints[rightEye][0];\n const noseToLeft = keypoints[leftEye][0] - keypoints[nose][0];\n\n const frontalFace =\n noseToRight > 0.4 * eyeDistance && noseToRight < 0.6 * eyeDistance;\n const fullLeft = noseToRight > 0.85 * eyeDistance;\n const fullRight = noseToLeft > 0.85 * eyeDistance;\n\n switch (stage) {\n case 0:\n return !faceIsTilted && faceIsVertical && frontalFace;\n case 1:\n return !faceIsTilted && faceIsVertical && fullLeft;\n case 2:\n return !faceIsTilted && faceIsVertical && fullRight;\n case 3:\n return !faceIsTilted && faceIsVertical && frontalFace;\n default:\n return false;\n }\n };\n\n const faceScanDetector = async (\n webcamRef: RefObject<HTMLVideoElement | null>,\n canvasRef: RefObject<HTMLCanvasElement | null>\n ) => {\n if (\n !detectorRef.current ||\n !webcamRef.current ||\n !isModelLoaded ||\n !isScanningActive\n )\n return;\n\n // Safety: ensure video is actually playing with data\n if (webcamRef.current.readyState < 2) return;\n\n try {\n const poses = await detectorRef.current.estimatePoses(webcamRef.current);\n if (poses.length > 0) {\n const faceKeypoints: Point[] = [];\n const bodyKeypoints: Point[] = [];\n poses[0].keypoints.forEach((landmark, idx) => {\n const score = landmark.score ?? 0;\n const point: Point = [landmark.x ?? -1, landmark.y ?? -1, score];\n if (idx <= 10) faceKeypoints.push(point);\n else bodyKeypoints.push(point);\n });\n\n // Optional drawing\n if (canvasRef?.current) {\n const ctx = canvasRef.current.getContext(\"2d\");\n const { width, height } = canvasRef.current;\n if (ctx) {\n ctx.clearRect(0, 0, width, height);\n\n const progress = Math.min(\n consecutiveValidRef.current / CONSECUTIVE_VALID_LENGTH,\n 1\n );\n const radius = height * 0.35;\n ctx.beginPath();\n ctx.strokeStyle = \"#00ff00\";\n ctx.lineWidth = 6;\n ctx.arc(\n width / 2,\n height / 2,\n radius + 10,\n -Math.PI / 2,\n -Math.PI / 2 + progress * 2 * Math.PI\n );\n ctx.stroke();\n }\n }\n\n const headValid = isHeadInPosition(scanStageRef.current, faceKeypoints);\n const bodyInvalid =\n bodyKeypoints.slice(2).filter((p) => p[2] > 0.7).length <= 2;\n\n validityBufferRef.current.push(headValid && bodyInvalid);\n if (validityBufferRef.current.length > VALIDITY_BUFFER_LENGTH) {\n validityBufferRef.current.shift();\n }\n\n const validCount = validityBufferRef.current.filter(Boolean).length;\n if (validCount >= 2) {\n const nextValid = consecutiveValidRef.current + 1;\n setConsecutiveValid(nextValid);\n } else {\n setConsecutiveValid(Math.max(0, consecutiveValidRef.current - 1));\n }\n\n if (consecutiveValidRef.current >= CONSECUTIVE_VALID_LENGTH) {\n onValidPose?.();\n\n const nextStage = scanStageRef.current + 1;\n setConsecutiveValid(0);\n validityBufferRef.current = [];\n setScanStage(nextStage);\n setIsScanningActive(false);\n\n (async () => {\n await speechService.playAudio(\n `${voiceOverAssetsPath}face-scan-vos/Sound-effect.mp3`\n );\n posthog.capture(\n `${shopDomain}/face_scan_detection_stage_completed`,\n {\n faceScanId,\n completedStage: scanStageRef.current,\n nextStage,\n timestamp: new Date().toISOString(),\n totalStages: TOTAL_STAGES,\n stageName: directionMessages[scanStageRef.current],\n }\n );\n \n if (nextStage === 1 && onStartRecording) {\n onStartRecording();\n }\n if (nextStage >= TOTAL_STAGES) {\n onScanComplete?.();\n } else {\n let nextSound = null;\n switch (nextStage) {\n case 1: nextSound = \"Left.mp3\"; break;\n case 2: nextSound = \"Right.mp3\"; break;\n case 3: nextSound = \"Smile.mp3\"; break;\n }\n if (nextSound) {\n await speechService.playAudio(\n `${voiceOverAssetsPath}face-scan-vos/${nextSound}`\n );\n }\n startScanSequence();\n }\n })();\n }\n\n trackPoseDetection(\n faceKeypoints,\n bodyKeypoints,\n scanStageRef.current,\n headValid,\n bodyInvalid,\n consecutiveValidRef.current\n );\n }\n } catch (err) {\n console.error(\"Pose detection error:\", err);\n }\n };\n\n const initializeModels = async () => {\n // 3. Browser Guard\n if (typeof window === 'undefined') return;\n\n try {\n console.log(\"Initializing Face Scan...\");\n // Calls our safe, dynamic preloader\n const detector = await preloadDetector();\n \n if (detector) {\n detectorRef.current = detector;\n console.log(\"Face scan model loaded successfully\");\n setIsModelLoaded(true);\n onModelReady?.();\n }\n } catch (err) {\n console.error(\"Error initializing face scan:\", err);\n }\n };\n\n const disposeModelAndTf = async () => {\n // Optional: We might NOT want to dispose if we want to keep the cache \n // for re-mounting. But if you must dispose:\n try {\n setIsModelLoaded(false);\n // NOTE: We generally don't dispose the detector if we want to reuse it \n // via the 'preloadedDetector' global variable.\n // If you dispose here, make sure to set 'preloadedDetector = null' too.\n /* if (detectorRef.current) {\n await detectorRef.current.dispose();\n detectorRef.current = null;\n preloadedDetector = null; // Clear global cache if disposing\n }\n */\n } catch (err) {\n console.error(\"Error disposing resources:\", err);\n } finally {\n // Reset state\n setScanStage(0);\n setConsecutiveValid(0);\n scanStageRef.current = 0;\n consecutiveValidRef.current = 0;\n validityBufferRef.current = [];\n }\n };\n\n const resetScan = () => {\n posthog.capture(`${shopDomain}/face_scan_reset`, {\n faceScanId,\n stage: scanStageRef.current,\n timestamp: new Date().toISOString(),\n stageName: directionMessages[scanStageRef.current],\n consecutiveValid: consecutiveValidRef.current,\n });\n\n setScanStage(0);\n setConsecutiveValid(0);\n setIsScanningActive(false);\n scanStageRef.current = 0;\n consecutiveValidRef.current = 0;\n validityBufferRef.current = [];\n lastSpokenMessageRef.current = \"\";\n lastSpokenTimeRef.current = 0;\n voiceEnabledRef.current = false;\n if (utteranceRef.current) {\n speechSynthesis.cancel();\n utteranceRef.current = null;\n }\n };\n\n useEffect(() => {\n initializeModels();\n return () => {\n disposeModelAndTf();\n };\n }, []);\n\n useEffect(() => {\n scanStageRef.current = scanStage;\n }, [scanStage]);\n\n useEffect(() => {\n consecutiveValidRef.current = consecutiveValid;\n }, [consecutiveValid]);\n\n return {\n faceScanDetector,\n scanStage,\n setScanStage,\n consecutiveValid,\n isModelLoaded,\n resetScan,\n enableVoiceCommands,\n startScanSequence,\n isScanningActive,\n };\n}\n\nexport default useFaceScan;","import { ArrowRight } from \"lucide-react\";\nimport Header from \"../Header\";\nimport SpecificButton from \"../../atoms/specificButton/SpecificButton\";\nimport { useContext } from \"react\";\nimport { LanguageKeys } from \"../../utils/languageKeys\";\nimport { LanguageContext } from \"../../utils/context/languageContext\";\nimport { Config } from \"../../types/interfaces\";\n\nfunction FaceScanErrorScreen({ resetScanState, loading, config }: { resetScanState?: () => void; loading?: boolean; config?: Config }) {\n\tconst { translate } = useContext(LanguageContext) || {};\n\n\treturn (\n\t\t<div className=\"fixed top-[0] left-[0] z-[999] flex justify-center items-center w-full h-full\" style={{ background: config?.style?.base?.backgroundColor }}>\n\t\t\t<div className=\"flex flex-col w-full items-center p-[1rem] rounded-lg \">\n\t\t\t\t<Header noTitle resolvedConfig={config} />\n\t\t\t\t<div className=\"flex flex-col items-center w-full\">\n\t\t\t\t\t<h2\n\t\t\t\t\t\tclassName=\"text-xl font-semibold text-gray-800 \"\n\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\tfontFamily: config?.style?.heading?.headingFontFamily || \"SeriouslyNostalgic Fn\",\n\t\t\t\t\t\t\tfontSize: config?.style?.heading?.headingFontSize || \"32px\",\n\t\t\t\t\t\t\tcolor: config?.style?.heading?.headingColor || \"#000\",\n\t\t\t\t\t\t\tfontWeight: config?.style?.heading?.headingFontWeight || \"normal\",\n\t\t\t\t\t\t}}\n\t\t\t\t\t>\n\t\t\t\t\t\t{translate?.(LanguageKeys.scanFailed)}\n\t\t\t\t\t</h2>\n\t\t\t\t\t<p\n\t\t\t\t\t\tclassName=\"mb-[1.5rem]\"\n\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\tfontFamily: config?.style?.subheading?.subheadingFontFamily || \"'Inter', sans-serif\",\n\t\t\t\t\t\t\tfontSize: config?.style?.subheading?.subheadingFontSize || \"14px\",\n\t\t\t\t\t\t\tcolor: config?.style?.subheading?.subheadingColor || \"#4b5563\",\n\t\t\t\t\t\t\tfontWeight: config?.style?.subheading?.subheadingFontWeight || \"normal\",\n\t\t\t\t\t\t}}\n\t\t\t\t\t>\n\t\t\t\t\t\t{translate?.(LanguageKeys.clickToResetScan)}\n\t\t\t\t\t</p>\n\t\t\t\t\t<SpecificButton\n\t\t\t\t\t\tdisabled={loading}\n\t\t\t\t\t\tclassName=\"w-full h-[45px] shadow-[0px_1px_2px_0px_#00000040] text-[16px]\"\n\t\t\t\t\t\tbuttonText={translate?.(LanguageKeys.resetScan)}\n\t\t\t\t\t\tpostfixIcon={<ArrowRight />}\n\t\t\t\t\t\tbuttonFunc={() => resetScanState?.()}\n\t\t\t\t\t\tresolvedConfig={config}\n\t\t\t\t\t/>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\t);\n}\n\nexport default FaceScanErrorScreen;\n","import { FaceScanGuideProps } from \"../../types/interfaces\";\nimport Header from \"../Header\";\nimport { GenderType } from \"../../utils/enums\";\nimport { directionMessages, FACE_SCAN_HEADSHOT, glassesOffVideo, maleGlassesOffVideo } from \"../../utils/constants\";\nimport { LanguageContext } from \"../../utils/context/languageContext\";\nimport { useContext } from \"react\";\nimport SpecificButton from \"../../atoms/specificButton/SpecificButton\";\nimport { LanguageKeys } from \"../../utils/languageKeys\";\n\nfunction FaceScanGuide({ stage, videoLoading, setVideoLoading, videoError, setVideoError, gender, config, btnConfig }: FaceScanGuideProps) {\n\tconst { translate } = useContext(LanguageContext) || {};\n\n\n\n\tif (stage === -1) {\n\t\treturn (\n\t\t\t<div className=\"text-center p-[16px] w-full h-full\" style={{ background: config?.style?.base?.backgroundColor }}>\n\t\t\t\t<div className=\"w-full\">\n\t\t\t\t\t<Header noTitle resolvedConfig={config} />\n\t\t\t\t\t<h2\n\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\tfontFamily: config?.style?.heading?.headingFontFamily || \"SeriouslyNostalgic Fn\",\n\t\t\t\t\t\t\tfontSize: config?.style?.heading?.headingFontSize || \"32px\",\n\t\t\t\t\t\t\tcolor: config?.style?.heading?.headingColor || \"#000\",\n\t\t\t\t\t\t\tfontWeight: config?.style?.heading?.headingFontWeight || \"normal\",\n\t\t\t\t\t\t}}\n\t\t\t\t\t>\n\t\t\t\t\t\t{translate?.(LanguageKeys.faceVisible)}\n\t\t\t\t\t</h2>\n\t\t\t\t\t{videoLoading && (\n\t\t\t\t\t\t<div\n\t\t\t\t\t\t\tclassName=\"mb-4 flex items-center justify-center\"\n\t\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\t\tfontFamily: config?.style?.subheading?.subheadingFontFamily || \"'Inter', sans-serif\",\n\t\t\t\t\t\t\t\tfontSize: config?.style?.subheading?.subheadingFontSize || \"14px\",\n\t\t\t\t\t\t\t\tcolor: config?.style?.subheading?.subheadingColor || \"#4b5563\",\n\t\t\t\t\t\t\t\tfontWeight: config?.style?.subheading?.subheadingFontWeight || \"normal\",\n\t\t\t\t\t\t\t}}\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t{translate?.(LanguageKeys.loadingVideo)}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t)}\n\t\t\t\t\t{videoError && (\n\t\t\t\t\t\t<div\n\t\t\t\t\t\t\tclassName=\"mb-4 text-red-600\"\n\t\t\t\t\t\t\tstyle={{\n\t\t\t\t\t\t\t\tfontFamily: config?.style?.subheading?.subheadingFontFamily || \"'Inter', sans-serif\",\n\t\t\t\t\t\t\t\tfontSize: config?.style?.subheading?.subheadingFontSize || \"14px\",\n\t\t\t\t\t\t\t\tcolor: \"#ff0000\",\n\t\t\t\t\t\t\t\tfontWeight: config?.style?.subheading?.subheadingFontWeight || \"normal\",\n\t\t\t\t\t\t\t}}\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t{translate?.(LanguageKeys.videoLoadFailed)}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t)}\n\t\t\t\t\t{!videoError && (\n\t\t\t\t\t\t<div className={` w-[100px] mx-auto`}>\n\t\t\t\t\t\t\t<video\n\t\t\t\t\t\t\t\tsrc={gender === GenderType.Male ? maleGlassesOffVideo : glassesOffVideo}\n\t\t\t\t\t\t\t\tautoPlay\n\t\t\t\t\t\t\t\tloop\n\t\t\t\t\t\t\t\tcontrols={false}\n\t\t\t\t\t\t\t\tmuted\n\t\t\t\t\t\t\t\tplaysInline\n\t\t\t\t\t\t\t\tclassName=\"h-full w-full object-contain border-none\"\n\t\t\t\t\t\t\t\tonCanPlay={() => setVideoLoading(false)}\n\t\t\t\t\t\t\t\tonLoadStart={() => setVideoLoading(true)}\n\t\t\t\t\t\t\t\tonError={() => setVideoError(true)}\n\t\t\t\t\t\t\t\taria-label=\"Instructional video: Please remove your glasses before starting the scan.\"\n\t\t\t\t\t\t\t/>\n\t\t\t\t\t\t</div>\n\t\t\t\t\t)}\n\t\t\t\t</div>\n\t\t\t\t<div className=\"flex justify-center w-full p-[1rem]\">\n\t\t\t\t\t<SpecificButton\n\t\t\t\t\t\tdisabled={btnConfig.isDisabled}\n\t\t\t\t\t\tclassName=\"!w-[60px] !h-[35px] !py-0 !px-0\"\n\t\t\t\t\t\tbuttonText={translate?.(btnConfig.label)}\n\t\t\t\t\t\tpostfixIcon={btnConfig?.icon}\n\t\t\t\t\t\tbuttonFunc={btnConfig.onClick}\n\t\t\t\t\t\tresolvedConfig={config}\n\t\t\t\t\t/>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t);\n\t}\n\n\treturn (\n\t\t<div className=\"text-center p-[16px] w-full h-full\" style={{ background: config?.style?.base?.backgroundColor }}>\n\t\t\t<div className=\"w-full\">\n\t\t\t\t<Header noTitle resolvedConfig={config} />\n\t\t\t\t<h3\n\t\t\t\t\tclassName=\"mb-[0.5rem]\"\n\t\t\t\t\tstyle={{\n\t\t\t\t\t\tfontFamily: config?.style?.heading?.headingFontFamily || \"SeriouslyNostalgic Fn\",\n\t\t\t\t\t\tfontSize: config?.style?.heading?.headingFontSize || \"32px\",\n\t\t\t\t\t\tcolor: config?.style?.heading?.headingColor || \"#000\",\n\t\t\t\t\t\tfontWeight: config?.style?.heading?.headingFontWeight || \"normal\",\n\t\t\t\t\t}}\n\t\t\t\t>\n\t\t\t\t\t{translate?.(directionMessages[stage])}\n\t\t\t\t</h3>\n\t\t\t\t{/* <p>We'll guide you to take 6 selfies </p> */}\n\t\t\t\t<div className=\"max-w-[400px] justify-center gap-1 mx-auto flex items-center\">\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 0 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.forward : FACE_SCAN_HEADSHOT.female.forward} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 1 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.left : FACE_SCAN_HEADSHOT.female.left} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 2 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.right : FACE_SCAN_HEADSHOT.female.right} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div className={` w-[120px] overflow-hidden ${stage === 3 ? \"opacity-100\" : \"opacity-0 hidden\"} `}>\n\t\t\t\t\t\t<video className=\"h-full w-full object-contain border-none\" muted loop autoPlay playsInline>\n\t\t\t\t\t\t\t<source src={gender === GenderType.Male ? FACE_SCAN_HEADSHOT.male.smile : FACE_SCAN_HEADSHOT.female.smile} type=\"video/mp4\" />\n\t\t\t\t\t\t</video>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\t);\n}\n\nexport default FaceScanGuide;\n","import React, { useContext, useEffect } from \"react\";\nimport ParamsContext from \"../../utils/context/paramsContext\";\nimport FaceScanErrorScreen from \"./FaceScanErrorScreen\";\nimport LoadingScreen from \"../LoadingScreen\";\nimport { videoConstraints } from \"../../utils/constants\";\nimport { Drawer } from \"@mui/material\";\nimport FaceScanGuide from \"./FaceScanGuide\";\nimport { ArrowRight } from \"lucide-react\";\nimport { LanguageContext } from \"../../utils/context/languageContext\";\nimport { useLocalConfig } from \"../../config/useLocalConfig\";\ninterface FaceScanStepProps {\n\twebcamRef: React.RefObject<HTMLVideoElement | null>;\n\tcanvasRef: React.RefObject<HTMLCanvasElement | null>;\n}\n\nconst FaceScanStep: React.FC<FaceScanStepProps> = ({ webcamRef, canvasRef }) => {\n\tconst {\n\t\tisError,\n\t\tisSuccess,\n\t\tshowLoader,\n\t\thasError,\n\t\tresetScanState,\n\t\tshowGuideCard,\n\t\tscanStage,\n\t\tvideoLoading,\n\t\tsetVideoLoading,\n\t\tvideoError,\n\t\tsetVideoError,\n\t\tgender,\n\t\tgetButtonText,\n\t\tisScanning,\n\t\tstartScan,\n\t\tisModelLoaded,\n\t\tconfig,\n\t} = useContext(ParamsContext);\n\tconst resolvedConfig = useLocalConfig(config);\n\n\tconst { setPreferredLanguage } = useContext(LanguageContext) || {};\n\tuseEffect(() => {\n\t\tsetPreferredLanguage?.(resolvedConfig?.language);\n\t}, [resolvedConfig]);\n\tif (isError) {\n\t\treturn <FaceScanErrorScreen config={resolvedConfig} />;\n\t}\n\tif (isSuccess) {\n\t\treturn (\n\t\t\t<div className=\"fixed z-[9] w-full h-full\" style={{ background: resolvedConfig?.style?.base?.backgroundColor }}>\n\t\t\t\t{/* <Asset genderType={gender} /> */}\n\t\t\t\t<LoadingScreen url={resolvedConfig?.loader} loaderType=\"black\" />\n\t\t\t</div>\n\t\t);\n\t}\n\n\treturn (\n\t\t<>\n\t\t\t<audio id=\"audioElement\" crossOrigin=\"anonymous\" preload=\"auto\" style={{ position: \"absolute\", zIndex: -99999 }} src={undefined} />\n\n\t\t\t{/* Error overlay */}\n\t\t\t{showLoader && !hasError && (\n\t\t\t\t<div className=\"fixed z-[9] w-full h-full\" style={{ background: resolvedConfig?.style?.base?.backgroundColor }}>\n\t\t\t\t\t{/* <Asset genderType={gender} /> */}\n\t\t\t\t\t<LoadingScreen url={resolvedConfig?.loader} loaderType=\"black\" />\n\t\t\t\t</div>\n\t\t\t)}\n\n\t\t\t{/* Always show camera view */}\n\t\t\t<div className=\"h-full flex-col relative w-full flex justify-center items-center text-center rounded-t-[20px]\" style={{ background: resolvedConfig?.style?.base?.backgroundColor }}>\n\t\t\t\t<div className=\"flex-1 w-full max-w-md overflow-hidden\">\n\t\t\t\t\t<div className=\"w-full h-full\">\n\t\t\t\t\t\t<video\n\t\t\t\t\t\t\tref={webcamRef}\n\t\t\t\t\t\t\tautoPlay\n\t\t\t\t\t\t\tplaysInline\n\t\t\t\t\t\t\tmuted\n\t\t\t\t\t\t\twidth={videoConstraints.width}\n\t\t\t\t\t\t\theight={videoConstraints.height}\n\t\t\t\t\t\t\tclassName=\"w-full h-full object-cover fixed left-0 top-0 z-0\"\n\t\t\t\t\t\t\tstyle={{ transform: \"scaleX(-1)\" }}\n\t\t\t\t\t\t/>\n\t\t\t\t\t\t<canvas ref={canvasRef} width={videoConstraints.width} height={videoConstraints.height} style={{ transform: \"scaleX(-1)\", opacity: \"0\" }} />\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t{/* Error overlay */}\n\t\t\t{!showLoader && hasError && <FaceScanErrorScreen loading={showLoader} resetScanState={resetScanState} config={resolvedConfig} />}\n\n\t\t\t{/* Scan guide drawer - only show when scanning */}\n\t\t\t{showGuideCard && !hasError && !showLoader && (\n\t\t\t\t<Drawer\n\t\t\t\t\topen\n\t\t\t\t\tclassName=\"face-scan-small camera-draw\"\n\t\t\t\t\tanchor=\"bottom\"\n\t\t\t\t\tonClose={(event, reason) => {\n\t\t\t\t\t\tif (reason === \"backdropClick\") {\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\t\t\t\t\t}}\n\t\t\t\t\thideBackdrop\n\t\t\t\t>\n\t\t\t\t\t<FaceScanGuide\n\t\t\t\t\t\tstage={scanStage}\n\t\t\t\t\t\tvideoLoading={videoLoading}\n\t\t\t\t\t\tsetVideoLoading={setVideoLoading}\n\t\t\t\t\t\tvideoError={videoError}\n\t\t\t\t\t\tsetVideoError={setVideoError}\n\t\t\t\t\t\tgender={gender}\n\t\t\t\t\t\tconfig={resolvedConfig}\n\t\t\t\t\t\tbtnConfig={{\n\t\t\t\t\t\t\tlabel: getButtonText(),\n\t\t\t\t\t\t\tonClick: isScanning ? resetScanState : startScan,\n\t\t\t\t\t\t\tisDisabled: showLoader || !isModelLoaded,\n\t\t\t\t\t\t\ticon: isScanning ? <ArrowRight /> : <></>,\n\t\t\t\t\t\t}}\n\t\t\t\t\t/>\n\t\t\t\t</Drawer>\n\t\t\t)}\n\t\t</>\n\t);\n};\n\nexport default FaceScanStep;\n","\"use client\";\nimport { useEffect, useRef, useState, useCallback, } from \"react\";\nimport posthog from \"posthog-js\";\nimport { FaceScanProps } from \"../../types/interfaces\";\nimport { generateUuid, handleScanTimeCapture, handleWebSocketCapture } from \"../../utils/utils\";\nimport { posthogPublicHost, posthogPublicKey, videoConstraints, videoTypes, voiceOverAssetsPath } from \"../../utils/constants\";\nimport swan from \"../../utils/service/swanService\";\nimport speechService from \"../../utils/service/speechService\";\nimport useFaceScan from \"../../customHooks/useFaceScan\";\nimport { LanguageKeys } from \"../../utils/languageKeys\";\nimport LanguageContextProvider from \"../../utils/context/languageContext\";\nimport FaceScanStep from \"./FaceScanStep\";\nimport ParamsContext from \"../../utils/context/paramsContext\";\n\nexport const FaceScan: React.FC<FaceScanProps> = ({ userDetails, onScanSuccess, onScanError, onRetry, config, isError, isSuccess,onUpload }) => {\n\tconst webcamRef = useRef<HTMLVideoElement | null>(null);\n\tconst canvasRef = useRef<HTMLCanvasElement | null>(null);\n\tconst mediaRecorderRef = useRef<MediaRecorder | null>(null);\n\tconst recordedBlobsRef = useRef<Blob[] | null>([]);\n\tconst streamRef = useRef<MediaStream | null>(null);\n\tconst [showLoader, setShowLoader] = useState(false);\n\tconst [modelReady, setModelReady] = useState(false);\n\tconst [isScanning, setIsScanning] = useState(false);\n\tconst [showGuideCard, setShowGuideCard] = useState(true);\n\tconst [videoLoading, setVideoLoading] = useState(false);\n\tconst [videoError, setVideoError] = useState(false);\n\tconst [hasError, setHasError] = useState(false);\n\tconst [faceScanId, setFaceScanId] = useState(generateUuid());\n\tconst { email, gender, deviceFocalLength, shopDomain, callbackUrl } = userDetails;\n\tconst [supportedTypes, setSupportedTypes] = useState<string[]>([]);\n\t\n\tconst stopRecording = useCallback(() => {\n\t\tconsole.log(\"Stopping recording...\");\n\t\tif (mediaRecorderRef.current && mediaRecorderRef.current.state === \"recording\") {\n\t\t\tmediaRecorderRef.current.stop();\n\t\t}\n\t\tmediaRecorderRef.current = null;\n\t}, []);\n\n\tconst uploadFinalVideo = async () => {\n\t\tif (recordedBlobsRef.current) {\n\t\t\tif (recordedBlobsRef.current.length === 0) {\n\t\t\t\tconsole.error(\"No video data recorded\");\n\t\t\t\tsetHasError(true);\n\t\t\t\tsetShowLoader(false);\n\t\t\t\treturn;\n\t\t\t}\n\t\t\tonUpload?.();\n\t\t\tsetShowLoader(true);\n\t\t\tconst videoFile = new File(recordedBlobsRef.current, `${faceScanId}.webm`, {\n\t\t\t\ttype: \"video/webm\",\n\t\t\t});\n\t\t\tconst fileSize = videoFile.size;\n\t\t\tconst fileSizeMB = (fileSize / (1024 * 1024)).toFixed(2);\n\t\t\tconst estimatedDuration = Math.round(fileSize / 10000);\n\t\t\tconst videoData = {\n\t\t\t\tvideo_size_mb: parseFloat(fileSizeMB),\n\t\t\t\tvideo_size_bytes: fileSize,\n\t\t\t\tblob_count: recordedBlobsRef.current.length,\n\t\t\t\testimated_duration_seconds: estimatedDuration,\n\t\t\t};\n\n\t\t\tconst metaData = [\n\t\t\t\t{ gender: gender },\n\t\t\t\t{ face_scan_id: faceScanId },\n\t\t\t\t{\n\t\t\t\t\tfocal_length: `${deviceFocalLength}`,\n\t\t\t\t},\n\t\t\t\t{ customer_store_url: shopDomain },\n\t\t\t\t{ scan_type: \"face_scan\" },\n\t\t\t\t{ callback_url: callbackUrl || \"https://example.com/webhook\" },\n\t\t\t];\n\t\t\tconsole.log(metaData,\"metadat\");\n\t\t\t\n\t\t\thandleScanTimeCapture({\n\t\t\t\teventName: `${shopDomain}/face_scan_meta_data`,\n\t\t\t\tfaceScanId,\n\t\t\t\temail,\n\t\t\t\tdata: JSON.stringify({ metaData, videoData }),\n\t\t\t});\n\n\t\t\tconst uploadStartTime = Date.now();\n\t\t\thandleScanTimeCapture({\n\t\t\t\teventName: `${shopDomain}/face_scan_upload_start`,\n\t\t\t\tfaceScanId,\n\t\t\t\temail,\n\t\t\t\tstartTime: uploadStartTime,\n\t\t\t});\n\n\t\t\ttry {\n\t\t\t\tconst res = await swan.fileUpload.faceScanFileUploader({\n\t\t\t\t\tfile: videoFile,\n\t\t\t\t\tarrayMetaData: metaData,\n\t\t\t\t\tobjectKey: faceScanId,\n\t\t\t\t\temail,\n\t\t\t\t\tcontentType: videoFile.type,\n\t\t\t\t});\n\n\t\t\t\tconst uploadEndTime = Date.now();\n\t\t\t\tconst uploadDuration = uploadEndTime - uploadStartTime;\n\n\t\t\t\thandleScanTimeCapture({\n\t\t\t\t\teventName: `${shopDomain}/face_scan_upload_complete`,\n\t\t\t\t\tfaceScanId,\n\t\t\t\t\temail,\n\t\t\t\t\tcompletionTime: uploadEndTime,\n\t\t\t\t\tuploadDuration,\n\t\t\t\t});\n\n\t\t\t\tconsole.log(\"✅ Upload successful\", res);\n\t\t\t\tswan.measurement.handlFaceScaneSocket({\n\t\t\t\t\tfaceScanId,\n\t\t\t\t\tonOpen: () => {\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"open\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t\tconsole.log(\"websocket connect open\");\n\t\t\t\t\t},\n\t\t\t\t\tonError: (err) => {\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"error\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t\tonError(err);\n\t\t\t\t\t},\n\t\t\t\t\tonSuccess: (data) => {\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"success\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t\tonSuccess(data);\n\t\t\t\t\t},\n\t\t\t\t\tonClose: () => {\n\t\t\t\t\t\tconsole.log(\"websocket connect close\");\n\t\t\t\t\t\thandleWebSocketCapture({\n\t\t\t\t\t\t\teventName: `${shopDomain}/webSocket`,\n\t\t\t\t\t\t\tfaceScanID: faceScanId,\n\t\t\t\t\t\t\tconnection: \"close\",\n\t\t\t\t\t\t\ttype: \"faceScan_recommendation\",\n\t\t\t\t\t\t\temail,\n\t\t\t\t\t\t});\n\t\t\t\t\t},\n\t\t\t\t});\n\t\t\t} catch (error) {\n\t\t\t\tonError(error);\n\t\t\t}\n\t\t}\n\t};\n\n\tconst startRecording = useCallback(() => {\n\t\tconst stream = webcamRef.current?.srcObject as MediaStream | null;\n\t\tif (!stream) return;\n\n\t\t// Create a canvas to normalize orientation\n\t\tconst videoTrack = stream.getVideoTracks()[0];\n\t\tconst settings = videoTrack.getSettings();\n\t\tconst { width = videoConstraints.width, height = videoConstraints.height } = settings;\n\n\t\tconst canvas = document.createElement(\"canvas\");\n\t\tconst ctx = canvas.getContext(\"2d\");\n\n\t\t// Always force portrait (swap width/height if landscape)\n\t\tif (width > height) {\n\t\t\tcanvas.width = height;\n\t\t\tcanvas.height = width;\n\t\t} else {\n\t\t\tcanvas.width = width;\n\t\t\tcanvas.height = height;\n\t\t}\n\n\t\tconst videoEl = document.createElement(\"video\");\n\t\tvideoEl.srcObject = stream;\n\t\tvideoEl.muted = true;\n\t\tvideoEl.playsInline = true;\n\t\tvideoEl.play();\n\n\t\t// Draw video frames onto canvas\n\t\tconst drawFrame = () => {\n\t\t\t// Rotate if camera gives landscape frames\n\t\t\tif (width > height) {\n\t\t\t\tctx?.save();\n\t\t\t\tctx?.translate(canvas.width, 0);\n\t\t\t\tctx?.rotate(Math.PI / 2);\n\t\t\t\tctx?.drawImage(videoEl, 0, 0, height, width);\n\t\t\t\tctx?.restore();\n\t\t\t} else {\n\t\t\t\tctx?.drawImage(videoEl, 0, 0, width, height);\n\t\t\t}\n\t\t\trequestAnimationFrame(drawFrame);\n\t\t};\n\t\tdrawFrame();\n\n\t\tconst canvasStream = canvas.captureStream(30); // 30fps\n\t\tconst mediaRecorderOptions = supportedTypes.length > 0 ? { mimeType: supportedTypes[0] } : {};\n\t\tlet mediaRecorder;\n\n\t\ttry {\n\t\t\tmediaRecorder = new MediaRecorder(canvasStream, mediaRecorderOptions);\n\t\t} catch (e) {\n\t\t\tconsole.error(\"MediaRecorder init failed:\", e);\n\t\t\tsetHasError(true);\n\t\t\tsetShowLoader(false);\n\t\t\treturn;\n\t\t}\n\n\t\trecordedBlobsRef.current = [];\n\t\tmediaRecorder.ondataavailable = (event) => {\n\t\t\tif (event?.data && event.data.size > 0 && recordedBlobsRef.current) {\n\t\t\t\trecordedBlobsRef.current.push(event.data);\n\t\t\t}\n\t\t};\n\t\tmediaRecorder.onstop = () => {\n\t\t\tconsole.log(\"Recording stopped, total blobs:\", recordedBlobsRef?.current?.length);\n\t\t\tuploadFinalVideo();\n\t\t};\n\n\t\tmediaRecorder.start(100); // 100ms chunks\n\t\tmediaRecorderRef.current = mediaRecorder;\n\t\tconsole.log(\"Recording started successfully (portrait normalized)\");\n\t}, [supportedTypes, uploadFinalVideo]);\n\n\tconst { faceScanDetector, scanStage, setScanStage, resetScan, isModelLoaded, startScanSequence } = useFaceScan({\n\t\tfaceScanId,\n\t\tshopDomain,\n\t\tonScanComplete: () => {\n\t\t\tstopRecording();\n\t\t},\n\t\tonModelReady: () => {\n\t\t\tsetModelReady(true);\n\t\t},\n\t\tonStartRecording: () => {\n\t\t\tconsole.log(\"Stage 0 completed - starting recording for stages 1-3\");\n\t\t\tstartRecording();\n\t\t},\n\t});\n\n\tconst startScan = useCallback(() => {\n\t\tif (!isModelLoaded) return;\n\t\tsetScanStage(0);\n\t\tspeechService.playAudio(`${voiceOverAssetsPath}face-scan-vos/Face-forward.mp3`);\n\t\tsetTimeout(() => {\n\t\t\tsetIsScanning(true);\n\t\t\tsetTimeout(() => {\n\t\t\t\tstartScanSequence();\n\t\t\t}, 200);\n\t\t}, 200);\n\t}, [setScanStage, setIsScanning, startScanSequence, isModelLoaded]);\n\n\tconst resetScanState = useCallback(() => {\n\t\tsetIsScanning(false);\n\t\tsetShowGuideCard(true);\n\t\tstopRecording();\n\t\tresetScan();\n\t\tonRetry?.();\n\t\trecordedBlobsRef.current = [];\n\t\tif (mediaRecorderRef.current) {\n\t\t\tmediaRecorderRef.current = null;\n\t\t}\n\t\tsetHasError(false);\n\t\tsetScanStage(-1);\n\t\tsetFaceScanId(generateUuid());\n\t\tif (webcamRef.current && streamRef.current) {\n\t\t\twebcamRef.current.srcObject = streamRef.current;\n\t\t\tconsole.log(\"Camera stream restored after reset\");\n\t\t}\n\t}, [setScanStage, setIsScanning, setShowGuideCard, stopRecording, resetScan, setFaceScanId]);\n\n\tconst onError = (data: any) => {\n\t\tconsole.log(data, \"ws error\");\n\t\tonScanError?.(data);\n\t\tsetHasError(true);\n\t\tsetShowLoader(false);\n\t\tsetShowGuideCard(false);\n\t\thandleScanTimeCapture({\n\t\t\teventName: `${shopDomain}/faceScan`,\n\t\t\tfaceScanId,\n\t\t\tstatus: \"failed\",\n\t\t\temail,\n\t\t\tdata: JSON.stringify(data),\n\t\t});\n\t};\n\n\tconst onSuccess = (data: any) => {\n\t\tconsole.log(data, \"ws success\");\n\t\tif (data && data?.resultType === \"intermediate\") {\n\t\t\thandleScanTimeCapture({\n\t\t\t\teventName: `${shopDomain}/faceScan_success/intermediate`,\n\t\t\t\tfaceScanId,\n\t\t\t\tstatus: \"success\",\n\t\t\t\temail,\n\t\t\t\tdata: JSON.stringify(data),\n\t\t\t});\n\t\t}\n\t\tonScanSuccess?.(data);\n\t};\n\n\tuseEffect(() => {\n\t\tif (isError || isSuccess) return;\n\t\tif (navigator.mediaDevices.getUserMedia) {\n\t\t\tnavigator.mediaDevices\n\t\t\t\t.getUserMedia({ video: videoConstraints })\n\t\t\t\t.then((stream) => {\n\t\t\t\t\tstreamRef.current = stream;\n\t\t\t\t\tif (webcamRef.current) {\n\t\t\t\t\t\twebcamRef.current.srcObject = stream;\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch((err) => console.error(\"Error accessing webcam:\", err));\n\t\t}\n\t\treturn () => {\n\t\t\tif (streamRef.current) {\n\t\t\t\tstreamRef.current.getTracks().forEach((track) => track.stop());\n\t\t\t}\n\t\t};\n\t}, [isError, isSuccess]);\n\n\t// Face detection interval - only run when scanning is active\n\tuseEffect(() => {\n\t\tif (!modelReady || !isScanning) return;\n\t\tconst intervalId = setInterval(() => {\n\t\t\tfaceScanDetector(webcamRef, canvasRef);\n\t\t}, 500);\n\n\t\t// eslint-disable-next-line consistent-return\n\t\treturn () => clearInterval(intervalId);\n\t}, [faceScanDetector, modelReady, isScanning]);\n\n\tconst getButtonText = () => {\n\t\tif (isScanning) return LanguageKeys.reset;\n\t\tif (!isModelLoaded) return LanguageKeys.loading;\n\t\treturn LanguageKeys.start;\n\t};\n\n\tconsole.log(\"Model ready:\", modelReady, \"Has error:\", hasError, \"Is scanning:\", isScanning, \"showLoader\", showLoader);\n\tuseEffect(() => {\n\t\tif (typeof MediaRecorder !== \"undefined\") {\n\t\t\tconst supported = videoTypes.filter((type) => MediaRecorder.isTypeSupported(type));\n\t\t\tsetSupportedTypes(supported);\n\t\t}\n\t}, []);\n\tuseEffect(() => {\n\t\tsetScanStage(-1);\n\t\tif (isError || isSuccess) return;\n\t}, [isError, isSuccess]);\n\n\tuseEffect(() => {\n\t\tposthog.init(posthogPublicKey, { api_host: posthogPublicHost });\n\t\tposthog.capture(\"$pageview\");\n\t}, []);\n\n return (\n\t\t<LanguageContextProvider>\n\t\t\t<ParamsContext.Provider value={{isError,isSuccess,showLoader,hasError,resetScanState,showGuideCard,scanStage,videoLoading,setVideoLoading,videoError,setVideoError,gender,getButtonText,isScanning,startScan,isModelLoaded,config}}>\n\t\t\t<FaceScanStep webcamRef={webcamRef} canvasRef={canvasRef}/>\n\t\t\t</ParamsContext.Provider>\n\t\t</LanguageContextProvider>\n\t )\n};\n"],"names":["preloadedDetector","isPreloading","useFaceScan","faceScanId","onValidPose","onScanComplete","onModelReady","onStartRecording","shopDomain","detectorRef","useRef","scanStage","setScanStage","useState","consecutiveValid","setConsecutiveValid","isModelLoaded","setIsModelLoaded","isScanningActive","setIsScanningActive","utteranceRef","scanStageRef","consecutiveValidRef","validityBufferRef","lastSpokenMessageRef","lastSpokenTimeRef","voiceEnabledRef","lastPoseTrackingTimeRef","isIOS","navigator","test","userAgent","platform","maxTouchPoints","directionMessages","useMemo","debouncedTrackPoseDetection","fn","delay","timer","args","clearTimeout","setTimeout","debounce","payload","posthog","capture","trackPoseDetection","useCallback","faceKeypoints","bodyKeypoints","stage","headValid","bodyInvalid","consecutiveValidCount","now","Date","current","nose","leftEye","rightEye","leftMouth","rightMouth","faceKeypointScores","map","kp","filter","score","avgFaceScore","length","reduce","a","b","bodyKeypointScores","avgBodyScore","eyeDistance","Math","abs","noseToRight","noseToLeft","expectedPosition","timestamp","toISOString","data","JSON","stringify","parseFloat","toFixed","faceKeypointsDetected","bodyKeypointsDetected","noseToRightRatio","noseToLeftRatio","noseScore","leftEyeScore","rightEyeScore","leftMouthScore","rightMouthScore","error","console","warn","startScanSequence","stageName","initializeModels","async","window","log","detector","Promise","r","tf","poseDetection","all","import","setBackend","ready","createDetector","SupportedModels","BlazePose","runtime","modelType","dummyCanvas","document","createElement","width","videoConstraints","height","ctx","getContext","fillStyle","fillRect","estimatePoses","e","err","preloadDetector","useEffect","disposeModelAndTf","faceScanDetector","webcamRef","canvasRef","readyState","poses","keypoints","forEach","landmark","idx","point","x","y","push","clearRect","progress","min","radius","beginPath","strokeStyle","lineWidth","arc","PI","stroke","eyesToMouthVerticalDistance","faceTiltedness","faceIsTilted","faceIsVertical","frontalFace","fullLeft","fullRight","isHeadInPosition","slice","p","shift","Boolean","nextValid","max","nextStage","speechService","playAudio","voiceOverAssetsPath","completedStage","totalStages","nextSound","resetScan","speechSynthesis","cancel","enableVoiceCommands","silentUtterance","SpeechSynthesisUtterance","volume","speak","FaceScanErrorScreen","resetScanState","loading","config","translate","useContext","LanguageContext","_jsx","className","style","background","base","backgroundColor","children","_jsxs","Header","noTitle","resolvedConfig","fontFamily","heading","headingFontFamily","fontSize","headingFontSize","color","headingColor","fontWeight","headingFontWeight","LanguageKeys","scanFailed","subheading","subheadingFontFamily","subheadingFontSize","subheadingColor","subheadingFontWeight","clickToResetScan","SpecificButton","disabled","buttonText","postfixIcon","ArrowRight","buttonFunc","FaceScanGuide","videoLoading","setVideoLoading","videoError","setVideoError","gender","btnConfig","faceVisible","loadingVideo","videoLoadFailed","src","GenderType","Male","maleGlassesOffVideo","glassesOffVideo","autoPlay","loop","controls","muted","playsInline","onCanPlay","onLoadStart","onError","isDisabled","label","icon","onClick","FACE_SCAN_HEADSHOT","male","forward","female","type","left","right","smile","FaceScanStep","isError","isSuccess","showLoader","hasError","showGuideCard","getButtonText","isScanning","startScan","ParamsContext","useLocalConfig","setPreferredLanguage","language","LoadingScreen","url","loader","loaderType","_Fragment","id","crossOrigin","preload","position","zIndex","undefined","ref","transform","opacity","Drawer","open","anchor","onClose","event","reason","hideBackdrop","FaceScan","userDetails","onScanSuccess","onScanError","onRetry","onUpload","mediaRecorderRef","recordedBlobsRef","streamRef","setShowLoader","modelReady","setModelReady","setIsScanning","setShowGuideCard","setHasError","setFaceScanId","generateUuid","email","deviceFocalLength","callbackUrl","supportedTypes","setSupportedTypes","stopRecording","state","stop","uploadFinalVideo","videoFile","File","fileSize","size","fileSizeMB","estimatedDuration","round","videoData","video_size_mb","video_size_bytes","blob_count","estimated_duration_seconds","metaData","face_scan_id","focal_length","customer_store_url","scan_type","callback_url","handleScanTimeCapture","eventName","uploadStartTime","startTime","res","swan","fileUpload","faceScanFileUploader","file","arrayMetaData","objectKey","contentType","uploadEndTime","completionTime","uploadDuration","measurement","handlFaceScaneSocket","onOpen","handleWebSocketCapture","faceScanID","connection","onSuccess","startRecording","stream","srcObject","settings","getVideoTracks","getSettings","canvas","videoEl","play","drawFrame","save","rotate","drawImage","restore","requestAnimationFrame","canvasStream","captureStream","mediaRecorderOptions","mimeType","mediaRecorder","MediaRecorder","ondataavailable","onstop","start","status","resultType","mediaDevices","getUserMedia","video","then","catch","getTracks","track","intervalId","setInterval","clearInterval","supported","videoTypes","isTypeSupported","init","posthogPublicKey","api_host","posthogPublicHost","LanguageContextProvider","Provider","value","reset"],"mappings":"6eA6BA,IAAIA,EAAyC,KACzCC,GAAe,EAiEnB,SAASC,GAAYC,WACnBA,EAAUC,YACVA,EAAWC,eACXA,EAAcC,aACdA,EAAYC,iBACZA,EAAgBC,WAChBA,IASA,MAAMC,EAAcC,EAA4B,OACzCC,EAAWC,GAAgBC,EAAS,IACpCC,EAAkBC,GAAuBF,EAAS,IAClDG,EAAeC,GAAoBJ,GAAS,IAC5CK,EAAkBC,GAAuBN,GAAS,GAEnDO,EAAeV,EAAwC,MACvDW,EAAeX,EAAOC,GACtBW,EAAsBZ,EAAOI,GAC7BS,EAAoBb,EAAkB,IACtCc,EAAuBd,EAAO,IAC9Be,EAAoBf,EAAO,GAC3BgB,EAAkBhB,GAAO,GAMzBiB,EAA0BjB,EAAO,GAGjCkB,EAA6B,oBAAdC,YACnB,mBAAmBC,KAAKD,UAAUE,YACV,aAAvBF,UAAUG,UAA2BH,UAAUI,eAAiB,GAG7DC,EAAoBC,EACxB,IAAM,CACJ,aACA,uBACA,wBACA,sBAEF,IAGIC,EAA8BD,EAClC,IA/HJ,SAAkBE,EAA4BC,GAC5C,IAAIC,EACJ,MAAO,IAAIC,KACLD,GAAOE,aAAaF,GACxBA,EAAQG,WAAW,IAAML,KAAMG,GAAOF,GAE1C,CA0HMK,CAAUC,IACRC,EAAQC,QAAQ,GAAGtC,6BAAuCoC,IACzD,KACL,CAACpC,IAGGuC,EAAqBC,EACzB,CACEC,EACAC,EACAC,EACAC,EACAC,EACAC,KAEA,MAAMC,EAAMC,KAAKD,MACjB,KAAIA,EAAM5B,EAAwB8B,QArCP,KAqC3B,CAIA9B,EAAwB8B,QAAUF,EAElC,IACE,MAAMG,EAAOT,EAAc,IAAM,CAAC,EAAG,EAAG,GAClCU,EAAUV,EAAc,IAAM,CAAC,EAAG,EAAG,GACrCW,EAAWX,EAAc,IAAM,CAAC,EAAG,EAAG,GACtCY,EAAYZ,EAAc,IAAM,CAAC,EAAG,EAAG,GACvCa,EAAab,EAAc,KAAO,CAAC,EAAG,EAAG,GAEzCc,EAAqBd,EACxBe,IAAKC,GAAcA,EAAG,IACtBC,OAAQC,GAAkBA,EAAQ,GAC/BC,EACJL,EAAmBM,OAAS,EACxBN,EAAmBO,OAAO,CAACC,EAAGC,IAAMD,EAAIC,EAAG,GAC3CT,EAAmBM,OACnB,EAEAI,EAAqBvB,EACxBc,IAAKC,GAAcA,EAAG,IACtBC,OAAQC,GAAkBA,EAAQ,GAC/BO,EACJD,EAAmBJ,OAAS,EACxBI,EAAmBH,OAAO,CAACC,EAAWC,IAAcD,EAAIC,EAAG,GAC3DC,EAAmBJ,OACnB,EAEAM,EAAcC,KAAKC,IAAIlB,EAAQ,GAAKC,EAAS,IAC7CkB,EAAcpB,EAAK,GAAKE,EAAS,GACjCmB,EAAapB,EAAQ,GAAKD,EAAK,GAErC,IAAIsB,EAAmB,UACT,IAAV7B,EAAa6B,EAAmB,OACjB,IAAV7B,EAAa6B,EAAmB,QACtB,IAAV7B,IAAa6B,EAAmB,iBAEzC,MAAMpC,EAAU,CACdzC,aACAgD,QACA8B,WAAW,IAAIzB,MAAO0B,cACtBC,KAAMC,KAAKC,UAAU,CACnBjC,YACAC,cACAvC,iBAAkBwC,EAClBc,aAAckB,WAAWlB,EAAamB,QAAQ,IAC9Cb,aAAcY,WAAWZ,EAAaa,QAAQ,IAC9CC,sBAAuBzB,EAAmBM,OAC1CoB,sBAAuBhB,EAAmBJ,OAC1CM,YAAaW,WAAWX,EAAYY,QAAQ,IAC5CG,iBAAkBJ,YAAYR,EAAcH,GAAaY,QAAQ,IACjEI,gBAAiBL,YAAYP,EAAaJ,GAAaY,QAAQ,IAC/DK,UAAWN,WAAW5B,EAAK,GAAG6B,QAAQ,IACtCM,aAAcP,WAAW3B,EAAQ,GAAG4B,QAAQ,IAC5CO,cAAeR,WAAW1B,EAAS,GAAG2B,QAAQ,IAC9CQ,eAAgBT,WAAWzB,EAAU,GAAG0B,QAAQ,IAChDS,gBAAiBV,WAAWxB,EAAW,GAAGyB,QAAQ,IAClDP,sBAGJ5C,EAA4BQ,EAC7B,CAAC,MAAOqD,GACPC,QAAQC,KAAK,kCAAmCF,EACjD,CAhEA,GAkEH,CAAC9F,EAAYiC,IAYTgE,EAAoB,KACxBvD,EAAQC,QAAQ,GAAGtC,gCAA0C,CAC3DL,aACAgD,MAAO9B,EAAaoC,QACpBwB,WAAW,IAAIzB,MAAO0B,cACtBmB,UAAWnE,EAAkBb,EAAaoC,WAG5Cf,WAAW,KACTvB,GAAoB,IACnB,OAgMCmF,EAAmBC,UAEvB,GAAsB,oBAAXC,OAEX,IACEN,QAAQO,IAAI,6BAEZ,MAAMC,OApamBH,WAE7B,GAAsB,oBAAXC,OAAwB,OAAO,KAC1C,GAAIxG,EAAmB,OAAOA,EAC9B,GAAIC,EAEF,KAAOA,GAEL,SADM,IAAI0G,QAAQC,GAAKlE,WAAWkE,EAAG,MACjC5G,EAAmB,OAAOA,EAIlCC,GAAe,EAEf,IAEE,MAAO4G,EAAIC,SAAuBH,QAAQI,IAAI,CAC5CC,OAAO,oBACPA,OAAO,4CAIHH,EAAGI,WAAW,eACdJ,EAAGK,QAET,MAAMR,QAAiBI,EAAcK,eACnCL,EAAcM,gBAAgBC,UAC9B,CACEC,QAAS,OACTC,UAAW,SAOTC,EAAcC,SAASC,cAAc,UAC3CF,EAAYG,MAAQC,EAAiBD,MACrCH,EAAYK,OAASD,EAAiBC,OACtC,MAAMC,EAAMN,EAAYO,WAAW,MACnC,GAAID,EAAK,CACPA,EAAIE,UAAY,QAChBF,EAAIG,SAAS,EAAG,EAAGT,EAAYG,MAAOH,EAAYK,QAClD,UACQnB,EAASwB,cAAcV,EAC9B,CAAC,MAAOW,GACPjC,QAAQC,KAAK,mCAAoCgC,EAClD,CACF,CAGD,OADAnI,EAAoB0G,EACbA,CACR,CAAC,MAAO0B,GAEP,OADAlC,QAAQD,MAAM,8BAA+BmC,GACtC,IACR,CAAS,QACRnI,GAAe,CAChB,GA2W0BoI,GAEnB3B,IACFjG,EAAYgD,QAAUiD,EACtBR,QAAQO,IAAI,uCACZxF,GAAiB,GACjBX,MAEH,CAAC,MAAO8H,GACPlC,QAAQD,MAAM,gCAAiCmC,EAChD,GAoEH,OAfAE,EAAU,KACRhC,IACO,KApDiBC,WAGxB,IACEtF,GAAiB,EAUlB,CAAC,MAAOmH,GACPlC,QAAQD,MAAM,6BAA8BmC,EAC7C,CAAS,QAERxH,EAAa,GACbG,EAAoB,GACpBM,EAAaoC,QAAU,EACvBnC,EAAoBmC,QAAU,EAC9BlC,EAAkBkC,QAAU,EAC7B,GA8BC8E,KAED,IAEHD,EAAU,KACRjH,EAAaoC,QAAU9C,GACtB,CAACA,IAEJ2H,EAAU,KACRhH,EAAoBmC,QAAU3C,GAC7B,CAACA,IAEG,CACL0H,iBAzNuBjC,MACvBkC,EACAC,KAEA,GACGjI,EAAYgD,SACZgF,EAAUhF,SACVzC,GACAE,KAKCuH,EAAUhF,QAAQkF,WAAa,GAEnC,IACE,MAAMC,QAAcnI,EAAYgD,QAAQyE,cAAcO,EAAUhF,SAChE,GAAImF,EAAMvE,OAAS,EAAG,CACpB,MAAMpB,EAAyB,GACzBC,EAAyB,GAS/B,GARA0F,EAAM,GAAGC,UAAUC,QAAQ,CAACC,EAAUC,KACpC,MAAM7E,EAAQ4E,EAAS5E,OAAS,EAC1B8E,EAAe,CAACF,EAASG,IAAM,EAAGH,EAASI,IAAM,EAAGhF,GACtD6E,GAAO,GAAI/F,EAAcmG,KAAKH,GAC7B/F,EAAckG,KAAKH,KAItBP,GAAWjF,QAAS,CACtB,MAAMqE,EAAMY,EAAUjF,QAAQsE,WAAW,OACnCJ,MAAEA,EAAKE,OAAEA,GAAWa,EAAUjF,QACpC,GAAIqE,EAAK,CACPA,EAAIuB,UAAU,EAAG,EAAG1B,EAAOE,GAE3B,MAAMyB,EAAW1E,KAAK2E,IACpBjI,EAAoBmC,QAjOC,EAkOrB,GAEI+F,EAAkB,IAAT3B,EACfC,EAAI2B,YACJ3B,EAAI4B,YAAc,UAClB5B,EAAI6B,UAAY,EAChB7B,EAAI8B,IACFjC,EAAQ,EACRE,EAAS,EACT2B,EAAS,IACR5E,KAAKiF,GAAK,GACVjF,KAAKiF,GAAK,EAAe,EAAXP,EAAe1E,KAAKiF,IAErC/B,EAAIgC,QACL,CACF,CAED,MAAM1G,EA/Ga,EAACD,EAAe0F,KASvC,IACGA,EARU,KAQUA,EAPP,KAO8BA,EAN7B,IAOfA,EATW,GASK,GAHD,IAIfA,EATc,GASK,GAJJ,IAKfA,EATe,GASK,GALL,GAOf,OAAO,EAGT,MAAMkB,EACJ,IAAOlB,EAbU,IAaY,GAAKA,EAdlB,GAcuC,IACvD,IAAOA,EAhBQ,GAgBY,GAAKA,EAjBlB,GAiBqC,IAE/CmB,GACH,IAAOnB,EAjBS,IAiBa,GAAKA,EAlBnB,GAkBwC,IACtDA,EAtBS,GAsBO,IAClBkB,EAEIE,EAAeD,EAAiB,IAAOA,EAAiB,GAExDE,EACJtF,KAAKC,IAAIgE,EA3BK,GA2Bc,GAAKA,EA1BlB,GA0BsC,IACnD,GAAMkB,GACRnF,KAAKC,IAAIgE,EA3BO,GA2Bc,GAAKA,EA1BlB,IA0BwC,IACvD,GAAMkB,EAEJpF,EAAckE,EAhCJ,GAgCuB,GAAKA,EA/B3B,GA+B+C,GAC1D/D,EAAc+D,EAlCP,GAkCuB,GAAKA,EAhCxB,GAgC4C,GAGvDsB,EACJrF,EAAc,GAAMH,GAAeG,EAAc,GAAMH,EACnDyF,EAAWtF,EAAc,IAAOH,EAChC0F,EALaxB,EAlCH,GAkCsB,GAAKA,EAnC9B,GAmC8C,GAK5B,IAAOlE,EAEtC,OAAQxB,GACN,KAAK,EAML,KAAK,EACH,OAAQ8G,GAAgBC,GAAkBC,EAL5C,KAAK,EACH,OAAQF,GAAgBC,GAAkBE,EAC5C,KAAK,EACH,OAAQH,GAAgBC,GAAkBG,EAG5C,QACE,OAAO,IAyDWC,CAAiBjJ,EAAaoC,QAASR,GACnDI,EACJH,EAAcqH,MAAM,GAAGrG,OAAQsG,GAAMA,EAAE,GAAK,IAAKnG,QAAU,EAE7D9C,EAAkBkC,QAAQ2F,KAAKhG,GAAaC,GACxC9B,EAAkBkC,QAAQY,OAzPL,IA0PvB9C,EAAkBkC,QAAQgH,QAI5B,GADmBlJ,EAAkBkC,QAAQS,OAAOwG,SAASrG,QAC3C,EAAG,CACnB,MAAMsG,EAAYrJ,EAAoBmC,QAAU,EAChD1C,EAAoB4J,EACrB,MACC5J,EAAoB6D,KAAKgG,IAAI,EAAGtJ,EAAoBmC,QAAU,IAGhE,GAAInC,EAAoBmC,SApQG,EAoQkC,CAC3DrD,MAEA,MAAMyK,EAAYxJ,EAAaoC,QAAU,EACzC1C,EAAoB,GACpBQ,EAAkBkC,QAAU,GAC5B7C,EAAaiK,GACb1J,GAAoB,GAEpB,WAmBE,SAlBM2J,EAAcC,UAClB,GAAGC,mCAELnI,EAAQC,QACN,GAAGtC,wCACH,CACEL,aACA8K,eAAgB5J,EAAaoC,QAC7BoH,YACA5F,WAAW,IAAIzB,MAAO0B,cACtBgG,YAvRO,EAwRP7E,UAAWnE,EAAkBb,EAAaoC,WAI5B,IAAdoH,GAAmBtK,GACrBA,IAEEsK,GA/RO,EAgSTxK,UACK,CACL,IAAI8K,EAAY,KAChB,OAAQN,GACN,KAAK,EAAGM,EAAY,WAAY,MAChC,KAAK,EAAGA,EAAY,YAAa,MACjC,KAAK,EAAGA,EAAY,YAElBA,SACIL,EAAcC,UAClB,GAAGC,kBAAoCG,KAG3C/E,GACD,CACF,EAnCD,EAoCD,CAEDrD,EACEE,EACAC,EACA7B,EAAaoC,QACbL,EACAC,EACA/B,EAAoBmC,QAEvB,CACF,CAAC,MAAO2E,GACPlC,QAAQD,MAAM,wBAAyBmC,EACxC,GA0FDzH,YACAC,eACAE,mBACAE,gBACAoK,UA7CgB,KAChBvI,EAAQC,QAAQ,GAAGtC,oBAA8B,CAC/CL,aACAgD,MAAO9B,EAAaoC,QACpBwB,WAAW,IAAIzB,MAAO0B,cACtBmB,UAAWnE,EAAkBb,EAAaoC,SAC1C3C,iBAAkBQ,EAAoBmC,UAGxC7C,EAAa,GACbG,EAAoB,GACpBI,GAAoB,GACpBE,EAAaoC,QAAU,EACvBnC,EAAoBmC,QAAU,EAC9BlC,EAAkBkC,QAAU,GAC5BjC,EAAqBiC,QAAU,GAC/BhC,EAAkBgC,QAAU,EAC5B/B,EAAgB+B,SAAU,EACtBrC,EAAaqC,UACf4H,gBAAgBC,SAChBlK,EAAaqC,QAAU,OA0BzB8H,oBA/S0B,KAE1B,GADA7J,EAAgB+B,SAAU,EACJ,oBAAX+C,QAA0B5E,GAAS,oBAAqB4E,OAAQ,CACzE,MAAMgF,EAAkB,IAAIC,yBAAyB,IACrDD,EAAgBE,OAAS,EACzBL,gBAAgBM,MAAMH,EACvB,GA0SDpF,oBACAlF,mBAEJ,CCthBA,SAAS0K,GAAoBC,eAAEA,EAAcC,QAAEA,EAAOC,OAAEA,IACvD,MAAMC,UAAEA,GAAcC,EAAWC,IAAoB,CAAA,EAErD,OACCC,SAAKC,UAAU,kFAAkFC,MAAO,CAAEC,WAAYP,GAAQM,OAAOE,MAAMC,iBAAiBC,SAC3JC,EAAA,MAAA,CAAKN,UAAU,0DAAyDK,SAAA,CACvEN,EAACQ,EAAM,CAACC,WAAQC,eAAgBd,IAChCW,SAAKN,UAAU,oCAAmCK,SAAA,CACjDN,EAAA,KAAA,CACCC,UAAU,uCACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOU,SAASC,mBAAqB,wBACzDC,SAAUlB,GAAQM,OAAOU,SAASG,iBAAmB,OACrDC,MAAOpB,GAAQM,OAAOU,SAASK,cAAgB,OAC/CC,WAAYtB,GAAQM,OAAOU,SAASO,mBAAqB,UACzDb,SAEAT,IAAYuB,EAAaC,cAE3BrB,OACCC,UAAU,cACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOoB,YAAYC,sBAAwB,sBAC/DT,SAAUlB,GAAQM,OAAOoB,YAAYE,oBAAsB,OAC3DR,MAAOpB,GAAQM,OAAOoB,YAAYG,iBAAmB,UACrDP,WAAYtB,GAAQM,OAAOoB,YAAYI,sBAAwB,UAC/DpB,SAEAT,IAAYuB,EAAaO,oBAE3B3B,EAAC4B,EAAc,CACdC,SAAUlC,EACVM,UAAU,iEACV6B,WAAYjC,IAAYuB,EAAanC,WACrC8C,YAAa/B,EAACgC,EAAU,CAAA,GACxBC,WAAY,IAAMvC,MAClBgB,eAAgBd,WAMtB,CCzCA,SAASsC,GAAclL,MAAEA,EAAKmL,aAAEA,EAAYC,gBAAEA,EAAeC,WAAEA,EAAUC,cAAEA,EAAaC,OAAEA,EAAM3C,OAAEA,EAAM4C,UAAEA,IACzG,MAAM3C,UAAEA,GAAcC,EAAWC,IAAoB,CAAA,EAIrD,OAAc,IAAV/I,EAEFuJ,EAAA,MAAA,CAAKN,UAAU,sCAAsCC,MAAO,CAAEC,WAAYP,GAAQM,OAAOE,MAAMC,iBAAiBC,SAAA,CAC/GC,SAAKN,UAAU,SAAQK,SAAA,CACtBN,EAACQ,EAAM,CAACC,SAAO,EAACC,eAAgBd,IAChCI,EAAA,KAAA,CACCE,MAAO,CACNS,WAAYf,GAAQM,OAAOU,SAASC,mBAAqB,wBACzDC,SAAUlB,GAAQM,OAAOU,SAASG,iBAAmB,OACrDC,MAAOpB,GAAQM,OAAOU,SAASK,cAAgB,OAC/CC,WAAYtB,GAAQM,OAAOU,SAASO,mBAAqB,UACzDb,SAEAT,IAAYuB,EAAaqB,eAE1BN,GACAnC,EAAA,MAAA,CACCC,UAAU,wCACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOoB,YAAYC,sBAAwB,sBAC/DT,SAAUlB,GAAQM,OAAOoB,YAAYE,oBAAsB,OAC3DR,MAAOpB,GAAQM,OAAOoB,YAAYG,iBAAmB,UACrDP,WAAYtB,GAAQM,OAAOoB,YAAYI,sBAAwB,UAC/DpB,SAEAT,IAAYuB,EAAasB,gBAG3BL,GACArC,EAAA,MAAA,CACCC,UAAU,oBACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOoB,YAAYC,sBAAwB,sBAC/DT,SAAUlB,GAAQM,OAAOoB,YAAYE,oBAAsB,OAC3DR,MAAO,UACPE,WAAYtB,GAAQM,OAAOoB,YAAYI,sBAAwB,UAC/DpB,SAEAT,IAAYuB,EAAauB,oBAG1BN,GACDrC,EAAA,MAAA,CAAKC,UAAW,qBAAoBK,SACnCN,EAAA,QAAA,CACC4C,IAAKL,IAAWM,EAAWC,KAAOC,EAAsBC,EACxDC,UAAQ,EACRC,MAAI,EACJC,UAAU,EACVC,OAAK,EACLC,aAAW,EACXpD,UAAU,2CACVqD,UAAW,IAAMlB,GAAgB,GACjCmB,YAAa,IAAMnB,GAAgB,GACnCoB,QAAS,IAAMlB,GAAc,gBAClB,mFAKftC,EAAA,MAAA,CAAKC,UAAU,uCAAsCK,SACpDN,EAAC4B,EAAc,CACdC,SAAUW,EAAUiB,WACpBxD,UAAU,kCACV6B,WAAYjC,IAAY2C,EAAUkB,OAClC3B,YAAaS,GAAWmB,KACxB1B,WAAYO,EAAUoB,QACtBlD,eAAgBd,SAQpBI,EAAA,MAAA,CAAKC,UAAU,sCAAsCC,MAAO,CAAEC,WAAYP,GAAQM,OAAOE,MAAMC,iBAAiBC,SAC/GC,EAAA,MAAA,CAAKN,UAAU,SAAQK,SAAA,CACtBN,EAACQ,EAAM,CAACC,SAAO,EAACC,eAAgBd,IAChCI,EAAA,KAAA,CACCC,UAAU,cACVC,MAAO,CACNS,WAAYf,GAAQM,OAAOU,SAASC,mBAAqB,wBACzDC,SAAUlB,GAAQM,OAAOU,SAASG,iBAAmB,OACrDC,MAAOpB,GAAQM,OAAOU,SAASK,cAAgB,OAC/CC,WAAYtB,GAAQM,OAAOU,SAASO,mBAAqB,UACzDb,SAEAT,IAAY9J,EAAkBiB,MAGhCuJ,EAAA,MAAA,CAAKN,UAAU,+DAA8DK,SAAA,CAC5EN,EAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,YAAQ4C,IAAKL,IAAWM,EAAWC,KAAOe,EAAmBC,KAAKC,QAAUF,EAAmBG,OAAOD,QAASE,KAAK,kBAGtHjE,EAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,EAAA,SAAA,CAAQ4C,IAAKL,IAAWM,EAAWC,KAAOe,EAAmBC,KAAKI,KAAOL,EAAmBG,OAAOE,KAAMD,KAAK,kBAGhHjE,EAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,EAAA,SAAA,CAAQ4C,IAAKL,IAAWM,EAAWC,KAAOe,EAAmBC,KAAKK,MAAQN,EAAmBG,OAAOG,MAAOF,KAAK,kBAGlHjE,EAAA,MAAA,CAAKC,UAAW,8BAAwC,IAAVjJ,EAAc,cAAgB,sBAAqBsJ,SAChGN,EAAA,QAAA,CAAOC,UAAU,2CAA2CmD,OAAK,EAACF,MAAI,EAACD,UAAQ,EAACI,aAAW,EAAA/C,SAC1FN,YAAQ4C,IAAKL,IAAWM,EAAWC,KAAOe,EAAmBC,KAAKM,MAAQP,EAAmBG,OAAOI,MAAOH,KAAK,yBAOvH,CCjHA,MAAMI,EAA4C,EAAG/H,YAAWC,gBAC/D,MAAM+H,QACLA,EAAOC,UACPA,EAASC,WACTA,EAAUC,SACVA,EAAQ/E,eACRA,EAAcgF,cACdA,EAAalQ,UACbA,EAAS2N,aACTA,EAAYC,gBACZA,EAAeC,WACfA,EAAUC,cACVA,EAAaC,OACbA,EAAMoC,cACNA,EAAaC,WACbA,EAAUC,UACVA,EAAShQ,cACTA,EAAa+K,OACbA,GACGE,EAAWgF,GACTpE,EAAiBqE,EAAenF,IAEhCoF,qBAAEA,GAAyBlF,EAAWC,IAAoB,CAAA,EAIhE,OAHA5D,EAAU,KACT6I,IAAuBtE,GAAgBuE,WACrC,CAACvE,IACA4D,EACItE,EAACP,EAAmB,CAACG,OAAQc,IAEjC6D,EAEFvE,EAAA,MAAA,CAAKC,UAAU,6BAA6BC,MAAO,CAAEC,WAAYO,GAAgBR,OAAOE,MAAMC,0BAE7FL,EAACkF,EAAa,CAACC,IAAKzE,GAAgB0E,OAAQC,WAAW,YAMzD9E,EAAA+E,EAAA,CAAAhF,SAAA,CACCN,EAAA,QAAA,CAAOuF,GAAG,eAAeC,YAAY,YAAYC,QAAQ,OAAOvF,MAAO,CAAEwF,SAAU,WAAYC,QAAQ,OAAU/C,SAAKgD,IAGrHpB,IAAeC,GACfzE,EAAA,MAAA,CAAKC,UAAU,6BAA6BC,MAAO,CAAEC,WAAYO,GAAgBR,OAAOE,MAAMC,iBAAiBC,SAE9GN,EAACkF,EAAa,CAACC,IAAKzE,GAAgB0E,OAAQC,WAAW,YAKzDrF,EAAA,MAAA,CAAKC,UAAU,iGAAiGC,MAAO,CAAEC,WAAYO,GAAgBR,OAAOE,MAAMC,iBAAiBC,SAClLN,EAAA,MAAA,CAAKC,UAAU,yCAAwCK,SACtDC,EAAA,MAAA,CAAKN,UAAU,gBAAeK,SAAA,CAC7BN,EAAA,QAAA,CACC6F,IAAKvJ,EACL2G,UAAQ,EACRI,eACAD,OAAK,EACL5H,MAAOC,EAAiBD,MACxBE,OAAQD,EAAiBC,OACzBuE,UAAU,oDACVC,MAAO,CAAE4F,UAAW,gBAErB9F,YAAQ6F,IAAKtJ,EAAWf,MAAOC,EAAiBD,MAAOE,OAAQD,EAAiBC,OAAQwE,MAAO,CAAE4F,UAAW,aAAcC,QAAS,eAMpIvB,GAAcC,GAAYzE,EAACP,EAAmB,CAACE,QAAS6E,EAAY9E,eAAgBA,EAAgBE,OAAQc,IAG7GgE,IAAkBD,IAAaD,GAC/BxE,EAACgG,EAAM,CACNC,MAAI,EACJhG,UAAU,8BACViG,OAAO,SACPC,QAAS,CAACC,EAAOC,OAKjBC,cAAY,EAAAhG,SAEZN,EAACkC,EAAa,CACblL,MAAOxC,EACP2N,aAAcA,EACdC,gBAAiBA,EACjBC,WAAYA,EACZC,cAAeA,EACfC,OAAQA,EACR3C,OAAQc,EACR8B,UAAW,CACVkB,MAAOiB,IACPf,QAASgB,EAAalF,EAAiBmF,EACvCpB,WAAYe,IAAe3P,EAC3B8O,KAAmB3D,EAAb4E,EAAc5C,EAAgBsD,EAAN,CAAA,YClGxBiB,EAAoC,EAAGC,cAAaC,gBAAeC,cAAaC,UAAS/G,SAAQ0E,UAASC,YAAUqC,eAChI,MAAMtK,EAAY/H,EAAgC,MAC5CgI,EAAYhI,EAAiC,MAC7CsS,EAAmBtS,EAA6B,MAChDuS,EAAmBvS,EAAsB,IACzCwS,EAAYxS,EAA2B,OACtCiQ,EAAYwC,GAAiBtS,GAAS,IACtCuS,EAAYC,GAAiBxS,GAAS,IACtCkQ,EAAYuC,GAAiBzS,GAAS,IACtCgQ,EAAe0C,GAAoB1S,GAAS,IAC5CyN,EAAcC,GAAmB1N,GAAS,IAC1C2N,EAAYC,GAAiB5N,GAAS,IACtC+P,EAAU4C,GAAe3S,GAAS,IAClCV,EAAYsT,GAAiB5S,EAAS6S,MACvCC,MAAEA,EAAKjF,OAAEA,EAAMkF,kBAAEA,EAAiBpT,WAAEA,EAAUqT,YAAEA,IAAgBlB,GAC/DmB,GAAgBC,IAAqBlT,EAAmB,IAEzDmT,GAAgBhR,EAAY,KACjCkD,QAAQO,IAAI,yBACRuM,EAAiBvP,SAA8C,cAAnCuP,EAAiBvP,QAAQwQ,OACxDjB,EAAiBvP,QAAQyQ,OAE1BlB,EAAiBvP,QAAU,MACzB,IAEG0Q,GAAmB5N,UACxB,GAAI0M,EAAiBxP,QAAS,CAC7B,GAAwC,IAApCwP,EAAiBxP,QAAQY,OAI5B,OAHA6B,QAAQD,MAAM,0BACduN,GAAY,QACZL,GAAc,GAGfJ,MACAI,GAAc,GACd,MAAMiB,EAAY,IAAIC,KAAKpB,EAAiBxP,QAAS,GAAGtD,SAAmB,CAC1EiQ,KAAM,eAEDkE,EAAWF,EAAUG,KACrBC,GAAcF,EAAQ,SAAkB/O,QAAQ,GAChDkP,EAAoB7P,KAAK8P,MAAMJ,EAAW,KAC1CK,EAAY,CACjBC,cAAetP,WAAWkP,GAC1BK,iBAAkBP,EAClBQ,WAAY7B,EAAiBxP,QAAQY,OACrC0Q,2BAA4BN,GAGvBO,EAAW,CAChB,CAAEtG,OAAQA,GACV,CAAEuG,aAAc9U,GAChB,CACC+U,aAAc,GAAGtB,KAElB,CAAEuB,mBAAoB3U,GACtB,CAAE4U,UAAW,aACb,CAAEC,aAAcxB,IAAe,gCAEhC3N,QAAQO,IAAIuO,EAAS,WAErBM,EAAsB,CACrBC,UAAW,GAAG/U,wBACdL,aACAwT,QACAxO,KAAMC,KAAKC,UAAU,CAAE2P,WAAUL,gBAGlC,MAAMa,EAAkBhS,KAAKD,MAC7B+R,EAAsB,CACrBC,UAAW,GAAG/U,2BACdL,aACAwT,QACA8B,UAAWD,IAGZ,IACC,MAAME,QAAYC,EAAKC,WAAWC,qBAAqB,CACtDC,KAAM1B,EACN2B,cAAef,EACfgB,UAAW7V,EACXwT,QACAsC,YAAa7B,EAAUhE,OAGlB8F,EAAgB1S,KAAKD,MAG3B+R,EAAsB,CACrBC,UAAW,GAAG/U,8BACdL,aACAwT,QACAwC,eAAgBD,EAChBE,eAPsBF,EAAgBV,IAUvCtP,QAAQO,IAAI,sBAAuBiP,GACnCC,EAAKU,YAAYC,qBAAqB,CACrCnW,aACAoW,OAAQ,KACPC,EAAuB,CACtBjB,UAAW,GAAG/U,cACdiW,WAAYtW,EACZuW,WAAY,OACZtG,KAAM,0BACNuD,UAEDzN,QAAQO,IAAI,2BAEbkJ,QAAUvH,IACToO,EAAuB,CACtBjB,UAAW,GAAG/U,cACdiW,WAAYtW,EACZuW,WAAY,QACZtG,KAAM,0BACNuD,UAEDhE,GAAQvH,IAETuO,UAAYxR,IACXqR,EAAuB,CACtBjB,UAAW,GAAG/U,cACdiW,WAAYtW,EACZuW,WAAY,UACZtG,KAAM,0BACNuD,UAEDgD,GAAUxR,IAEXmN,QAAS,KACRpM,QAAQO,IAAI,2BACZ+P,EAAuB,CACtBjB,UAAW,GAAG/U,cACdiW,WAAYtW,EACZuW,WAAY,QACZtG,KAAM,0BACNuD,YAIH,CAAC,MAAO1N,GACR0J,GAAQ1J,EACR,CACD,GAGI2Q,GAAiB5T,EAAY,KAClC,MAAM6T,EAASpO,EAAUhF,SAASqT,UAClC,IAAKD,EAAQ,OAGb,MACME,EADaF,EAAOG,iBAAiB,GACfC,eACtBtP,MAAEA,EAAQC,EAAiBD,MAAKE,OAAEA,EAASD,EAAiBC,QAAWkP,EAEvEG,EAASzP,SAASC,cAAc,UAChCI,EAAMoP,EAAOnP,WAAW,MAG1BJ,EAAQE,GACXqP,EAAOvP,MAAQE,EACfqP,EAAOrP,OAASF,IAEhBuP,EAAOvP,MAAQA,EACfuP,EAAOrP,OAASA,GAGjB,MAAMsP,EAAU1P,SAASC,cAAc,SACvCyP,EAAQL,UAAYD,EACpBM,EAAQ5H,OAAQ,EAChB4H,EAAQ3H,aAAc,EACtB2H,EAAQC,OAGR,MAAMC,EAAY,KAEb1P,EAAQE,GACXC,GAAKwP,OACLxP,GAAKkE,UAAUkL,EAAOvP,MAAO,GAC7BG,GAAKyP,OAAO3S,KAAKiF,GAAK,GACtB/B,GAAK0P,UAAUL,EAAS,EAAG,EAAGtP,EAAQF,GACtCG,GAAK2P,WAEL3P,GAAK0P,UAAUL,EAAS,EAAG,EAAGxP,EAAOE,GAEtC6P,sBAAsBL,IAEvBA,IAEA,MAAMM,EAAeT,EAAOU,cAAc,IACpCC,EAAuB/D,GAAezP,OAAS,EAAI,CAAEyT,SAAUhE,GAAe,IAAO,CAAA,EAC3F,IAAIiE,EAEJ,IACCA,EAAgB,IAAIC,cAAcL,EAAcE,EAChD,CAAC,MAAO1P,GAIR,OAHAjC,QAAQD,MAAM,6BAA8BkC,GAC5CqL,GAAY,QACZL,GAAc,EAEd,CAEDF,EAAiBxP,QAAU,GAC3BsU,EAAcE,gBAAmB1F,IAC5BA,GAAOpN,MAAQoN,EAAMpN,KAAKoP,KAAO,GAAKtB,EAAiBxP,SAC1DwP,EAAiBxP,QAAQ2F,KAAKmJ,EAAMpN,OAGtC4S,EAAcG,OAAS,KACtBhS,QAAQO,IAAI,kCAAmCwM,GAAkBxP,SAASY,QAC1E8P,MAGD4D,EAAcI,MAAM,KACpBnF,EAAiBvP,QAAUsU,EAC3B7R,QAAQO,IAAI,yDACV,CAACqN,GAAgBK,MAEd3L,iBAAEA,GAAgB7H,UAAEA,GAASC,aAAEA,GAAYwK,UAAEA,GAASpK,cAAEA,GAAaoF,kBAAEA,IAAsBlG,EAAY,CAC9GC,aACAK,aACAH,eAAgB,KACf2T,MAED1T,aAAc,KACb+S,GAAc,IAEf9S,iBAAkB,KACjB2F,QAAQO,IAAI,yDACZmQ,QAII5F,GAAYhO,EAAY,KACxBhC,KACLJ,GAAa,GACbkK,EAAcC,UAAU,GAAGC,mCAC3BtI,WAAW,KACV4Q,GAAc,GACd5Q,WAAW,KACV0D,MACE,MACD,OACD,CAACxF,GAAc0S,EAAelN,GAAmBpF,KAE9C6K,GAAiB7I,EAAY,KAClCsQ,GAAc,GACdC,GAAiB,GACjBS,KACA5I,KACA0H,MACAG,EAAiBxP,QAAU,GACvBuP,EAAiBvP,UACpBuP,EAAiBvP,QAAU,MAE5B+P,GAAY,GACZ5S,IAAa,GACb6S,EAAcC,KACVjL,EAAUhF,SAAWyP,EAAUzP,UAClCgF,EAAUhF,QAAQqT,UAAY5D,EAAUzP,QACxCyC,QAAQO,IAAI,wCAEX,CAAC7F,GAAc0S,EAAeC,EAAkBS,GAAe5I,GAAWqI,IAEvE9D,GAAWxK,IAChBe,QAAQO,IAAItB,EAAM,YAClB0N,IAAc1N,GACdqO,GAAY,GACZL,GAAc,GACdI,GAAiB,GACjB+B,EAAsB,CACrBC,UAAW,GAAG/U,aACdL,aACAiY,OAAQ,SACRzE,QACAxO,KAAMC,KAAKC,UAAUF,MAIjBwR,GAAaxR,IAClBe,QAAQO,IAAItB,EAAM,cACdA,GAA6B,iBAArBA,GAAMkT,YACjB/C,EAAsB,CACrBC,UAAW,GAAG/U,kCACdL,aACAiY,OAAQ,UACRzE,QACAxO,KAAMC,KAAKC,UAAUF,KAGvByN,IAAgBzN,IAGjBmD,EAAU,KACT,IAAImI,IAAWC,EAYf,OAXI7O,UAAUyW,aAAaC,cAC1B1W,UAAUyW,aACRC,aAAa,CAAEC,MAAO5Q,IACtB6Q,KAAM5B,IACN3D,EAAUzP,QAAUoT,EAChBpO,EAAUhF,UACbgF,EAAUhF,QAAQqT,UAAYD,KAG/B6B,MAAOtQ,GAAQlC,QAAQD,MAAM,0BAA2BmC,IAEpD,KACF8K,EAAUzP,SACbyP,EAAUzP,QAAQkV,YAAY7P,QAAS8P,GAAUA,EAAM1E,UAGvD,CAACzD,EAASC,IAGbpI,EAAU,KACT,IAAK8K,IAAerC,EAAY,OAChC,MAAM8H,EAAaC,YAAY,KAC9BtQ,GAAiBC,EAAWC,IAC1B,KAGH,MAAO,IAAMqQ,cAAcF,IACzB,CAACrQ,GAAkB4K,EAAYrC,IAyB9B,OAjBJ7K,QAAQO,IAAI,eAAgB2M,EAAY,aAAcxC,EAAU,eAAgBG,EAAY,aAAcJ,GAC1GrI,EAAU,KACT,GAA6B,oBAAlB0P,cAA+B,CACzC,MAAMgB,EAAYC,EAAW/U,OAAQkM,GAAS4H,cAAckB,gBAAgB9I,IAC5E2D,GAAkBiF,EAClB,GACC,IACH1Q,EAAU,KACT1H,IAAa,IAEX,CAAC6P,EAASC,IAEbpI,EAAU,KACTzF,EAAQsW,KAAKC,EAAkB,CAAEC,SAAUC,IAC3CzW,EAAQC,QAAQ,cACd,IAGFqJ,EAACoN,EAAuB,CAAA9M,SACvBN,EAAC8E,EAAcuI,SAAQ,CAACC,MAAO,CAAChJ,UAAQC,YAAUC,aAAWC,WAAS/E,kBAAegF,gBAAclQ,aAAU2N,eAAaC,kBAAgBC,aAAWC,gBAAcC,SAAOoC,cAzBtJ,IACjBC,EAAmBxD,EAAamM,MAC/B1Y,GACEuM,EAAa4K,MADO5K,EAAazB,QAuBiJiF,aAAWC,aAAUhQ,iBAAc+K,UAAOU,SAClON,EAACqE,EAAY,CAAC/H,UAAWA,EAAWC,UAAWA"}
@@ -0,0 +1,2 @@
1
+ "use strict";var e=require("react/jsx-runtime"),t=require("react"),a=require("posthog-js"),n=require("./LoadingScreen-DjGezkFs.js"),o=require("lucide-react"),s=require("@mui/material");let r=null,c=!1;function i({faceScanId:e,onValidPose:o,onScanComplete:s,onModelReady:i,onStartRecording:l,shopDomain:d}){const u=t.useRef(null),[f,g]=t.useState(0),[h,m]=t.useState(0),[p,y]=t.useState(!1),[S,x]=t.useState(!1),v=t.useRef(null),b=t.useRef(f),w=t.useRef(h),C=t.useRef([]),F=t.useRef(""),j=t.useRef(0),_=t.useRef(!1),N=t.useRef(0),E="undefined"!=typeof navigator&&(/iPad|iPhone|iPod/.test(navigator.userAgent)||"MacIntel"===navigator.platform&&navigator.maxTouchPoints>1),T=t.useMemo(()=>["Face front","Turn head fully left","Turn head fully right","Smile facing front"],[]),k=t.useMemo(()=>function(e,t){let a;return(...n)=>{a&&clearTimeout(a),a=setTimeout(()=>e(...n),t)}}(e=>{a.posthog.capture(`${d}/face_scan_pose_detection`,e)},4e3),[d]),I=t.useCallback((t,a,n,o,s,r)=>{const c=Date.now();if(!(c-N.current<4e3)){N.current=c;try{const c=t[0]||[0,0,0],i=t[2]||[0,0,0],l=t[5]||[0,0,0],d=t[9]||[0,0,0],u=t[10]||[0,0,0],f=t.map(e=>e[2]).filter(e=>e>0),g=f.length>0?f.reduce((e,t)=>e+t,0)/f.length:0,h=a.map(e=>e[2]).filter(e=>e>0),m=h.length>0?h.reduce((e,t)=>e+t,0)/h.length:0,p=Math.abs(i[0]-l[0]),y=c[0]-l[0],S=i[0]-c[0];let x="frontal";1===n?x="left":2===n?x="right":3===n&&(x="frontal_smile");const v={faceScanId:e,stage:n,timestamp:(new Date).toISOString(),data:JSON.stringify({headValid:o,bodyInvalid:s,consecutiveValid:r,avgFaceScore:parseFloat(g.toFixed(3)),avgBodyScore:parseFloat(m.toFixed(3)),faceKeypointsDetected:f.length,bodyKeypointsDetected:h.length,eyeDistance:parseFloat(p.toFixed(2)),noseToRightRatio:parseFloat((y/p).toFixed(3)),noseToLeftRatio:parseFloat((S/p).toFixed(3)),noseScore:parseFloat(c[2].toFixed(3)),leftEyeScore:parseFloat(i[2].toFixed(3)),rightEyeScore:parseFloat(l[2].toFixed(3)),leftMouthScore:parseFloat(d[2].toFixed(3)),rightMouthScore:parseFloat(u[2].toFixed(3)),expectedPosition:x})};k(v)}catch(e){console.warn("Failed to track pose detection:",e)}}},[e,k]),D=()=>{a.posthog.capture(`${d}/face_scan_detection_started`,{faceScanId:e,stage:b.current,timestamp:(new Date).toISOString(),stageName:T[b.current]}),setTimeout(()=>{x(!0)},1500)},L=async()=>{if("undefined"!=typeof window)try{console.log("Initializing Face Scan...");const e=await(async()=>{if("undefined"==typeof window)return null;if(r)return r;if(c)for(;c;)if(await new Promise(e=>setTimeout(e,100)),r)return r;c=!0;try{const[e,t]=await Promise.all([import("@tensorflow/tfjs"),Promise.resolve().then(function(){return require("./pose-detection.esm-DuVevgDD.js")})]);await e.setBackend("webgl"),await e.ready();const a=await t.createDetector(t.SupportedModels.BlazePose,{runtime:"tfjs",modelType:"full"}),o=document.createElement("canvas");o.width=n.videoConstraints.width,o.height=n.videoConstraints.height;const s=o.getContext("2d");if(s){s.fillStyle="black",s.fillRect(0,0,o.width,o.height);try{await a.estimatePoses(o)}catch(e){console.warn("Warmup frame failed (non-fatal):",e)}}return r=a,a}catch(e){return console.error("Failed to preload detector:",e),null}finally{c=!1}})();e&&(u.current=e,console.log("Face scan model loaded successfully"),y(!0),i?.())}catch(e){console.error("Error initializing face scan:",e)}};return t.useEffect(()=>(L(),()=>{(async()=>{try{y(!1)}catch(e){console.error("Error disposing resources:",e)}finally{g(0),m(0),b.current=0,w.current=0,C.current=[]}})()}),[]),t.useEffect(()=>{b.current=f},[f]),t.useEffect(()=>{w.current=h},[h]),{faceScanDetector:async(t,r)=>{if(u.current&&t.current&&p&&S&&!(t.current.readyState<2))try{const c=await u.current.estimatePoses(t.current);if(c.length>0){const t=[],i=[];if(c[0].keypoints.forEach((e,a)=>{const n=e.score??0,o=[e.x??-1,e.y??-1,n];a<=10?t.push(o):i.push(o)}),r?.current){const e=r.current.getContext("2d"),{width:t,height:a}=r.current;if(e){e.clearRect(0,0,t,a);const n=Math.min(w.current/2,1),o=.35*a;e.beginPath(),e.strokeStyle="#00ff00",e.lineWidth=6,e.arc(t/2,a/2,o+10,-Math.PI/2,-Math.PI/2+2*n*Math.PI),e.stroke()}}const u=((e,t)=>{if(!t[0]||!t[2]||!t[5]||t[0][2]<.2||t[2][2]<.2||t[5][2]<.2)return!1;const a=.5*(t[10][1]+t[9][1])-.5*(t[5][1]+t[2][1]),n=(.5*(t[10][1]+t[9][1])-t[0][1])/a,o=n>.7||n<.3,s=Math.abs(t[2][1]-t[5][1])<.5*a&&Math.abs(t[9][1]-t[10][1])<.5*a,r=t[2][0]-t[5][0],c=t[0][0]-t[5][0],i=c>.4*r&&c<.6*r,l=c>.85*r,d=t[2][0]-t[0][0]>.85*r;switch(e){case 0:case 3:return!o&&s&&i;case 1:return!o&&s&&l;case 2:return!o&&s&&d;default:return!1}})(b.current,t),f=i.slice(2).filter(e=>e[2]>.7).length<=2;C.current.push(u&&f),C.current.length>10&&C.current.shift();if(C.current.filter(Boolean).length>=2){const e=w.current+1;m(e)}else m(Math.max(0,w.current-1));if(w.current>=2){o?.();const t=b.current+1;m(0),C.current=[],g(t),x(!1),(async()=>{if(await n.speechService.playAudio(`${n.voiceOverAssetsPath}face-scan-vos/Sound-effect.mp3`),a.posthog.capture(`${d}/face_scan_detection_stage_completed`,{faceScanId:e,completedStage:b.current,nextStage:t,timestamp:(new Date).toISOString(),totalStages:4,stageName:T[b.current]}),1===t&&l&&l(),t>=4)s?.();else{let e=null;switch(t){case 1:e="Left.mp3";break;case 2:e="Right.mp3";break;case 3:e="Smile.mp3"}e&&await n.speechService.playAudio(`${n.voiceOverAssetsPath}face-scan-vos/${e}`),D()}})()}I(t,i,b.current,u,f,w.current)}}catch(e){console.error("Pose detection error:",e)}},scanStage:f,setScanStage:g,consecutiveValid:h,isModelLoaded:p,resetScan:()=>{a.posthog.capture(`${d}/face_scan_reset`,{faceScanId:e,stage:b.current,timestamp:(new Date).toISOString(),stageName:T[b.current],consecutiveValid:w.current}),g(0),m(0),x(!1),b.current=0,w.current=0,C.current=[],F.current="",j.current=0,_.current=!1,v.current&&(speechSynthesis.cancel(),v.current=null)},enableVoiceCommands:()=>{if(_.current=!0,"undefined"!=typeof window&&E&&"speechSynthesis"in window){const e=new SpeechSynthesisUtterance("");e.volume=0,speechSynthesis.speak(e)}},startScanSequence:D,isScanningActive:S}}function l({resetScanState:a,loading:s,config:r}){const{translate:c}=t.useContext(n.LanguageContext)||{};return e.jsx("div",{className:"fixed top-[0] left-[0] z-[999] flex justify-center items-center w-full h-full",style:{background:r?.style?.base?.backgroundColor},children:e.jsxs("div",{className:"flex flex-col w-full items-center p-[1rem] rounded-lg ",children:[e.jsx(n.Header,{noTitle:!0,resolvedConfig:r}),e.jsxs("div",{className:"flex flex-col items-center w-full",children:[e.jsx("h2",{className:"text-xl font-semibold text-gray-800 ",style:{fontFamily:r?.style?.heading?.headingFontFamily||"SeriouslyNostalgic Fn",fontSize:r?.style?.heading?.headingFontSize||"32px",color:r?.style?.heading?.headingColor||"#000",fontWeight:r?.style?.heading?.headingFontWeight||"normal"},children:c?.(n.LanguageKeys.scanFailed)}),e.jsx("p",{className:"mb-[1.5rem]",style:{fontFamily:r?.style?.subheading?.subheadingFontFamily||"'Inter', sans-serif",fontSize:r?.style?.subheading?.subheadingFontSize||"14px",color:r?.style?.subheading?.subheadingColor||"#4b5563",fontWeight:r?.style?.subheading?.subheadingFontWeight||"normal"},children:c?.(n.LanguageKeys.clickToResetScan)}),e.jsx(n.SpecificButton,{disabled:s,className:"w-full h-[45px] shadow-[0px_1px_2px_0px_#00000040] text-[16px]",buttonText:c?.(n.LanguageKeys.resetScan),postfixIcon:e.jsx(o.ArrowRight,{}),buttonFunc:()=>a?.(),resolvedConfig:r})]})]})})}function d({stage:a,videoLoading:o,setVideoLoading:s,videoError:r,setVideoError:c,gender:i,config:l,btnConfig:d}){const{translate:u}=t.useContext(n.LanguageContext)||{};return-1===a?e.jsxs("div",{className:"text-center p-[16px] w-full h-full",style:{background:l?.style?.base?.backgroundColor},children:[e.jsxs("div",{className:"w-full",children:[e.jsx(n.Header,{noTitle:!0,resolvedConfig:l}),e.jsx("h2",{style:{fontFamily:l?.style?.heading?.headingFontFamily||"SeriouslyNostalgic Fn",fontSize:l?.style?.heading?.headingFontSize||"32px",color:l?.style?.heading?.headingColor||"#000",fontWeight:l?.style?.heading?.headingFontWeight||"normal"},children:u?.(n.LanguageKeys.faceVisible)}),o&&e.jsx("div",{className:"mb-4 flex items-center justify-center",style:{fontFamily:l?.style?.subheading?.subheadingFontFamily||"'Inter', sans-serif",fontSize:l?.style?.subheading?.subheadingFontSize||"14px",color:l?.style?.subheading?.subheadingColor||"#4b5563",fontWeight:l?.style?.subheading?.subheadingFontWeight||"normal"},children:u?.(n.LanguageKeys.loadingVideo)}),r&&e.jsx("div",{className:"mb-4 text-red-600",style:{fontFamily:l?.style?.subheading?.subheadingFontFamily||"'Inter', sans-serif",fontSize:l?.style?.subheading?.subheadingFontSize||"14px",color:"#ff0000",fontWeight:l?.style?.subheading?.subheadingFontWeight||"normal"},children:u?.(n.LanguageKeys.videoLoadFailed)}),!r&&e.jsx("div",{className:" w-[100px] mx-auto",children:e.jsx("video",{src:i===n.GenderType.Male?n.maleGlassesOffVideo:n.glassesOffVideo,autoPlay:!0,loop:!0,controls:!1,muted:!0,playsInline:!0,className:"h-full w-full object-contain border-none",onCanPlay:()=>s(!1),onLoadStart:()=>s(!0),onError:()=>c(!0),"aria-label":"Instructional video: Please remove your glasses before starting the scan."})})]}),e.jsx("div",{className:"flex justify-center w-full p-[1rem]",children:e.jsx(n.SpecificButton,{disabled:d.isDisabled,className:"!w-[60px] !h-[35px] !py-0 !px-0",buttonText:u?.(d.label),postfixIcon:d?.icon,buttonFunc:d.onClick,resolvedConfig:l})})]}):e.jsx("div",{className:"text-center p-[16px] w-full h-full",style:{background:l?.style?.base?.backgroundColor},children:e.jsxs("div",{className:"w-full",children:[e.jsx(n.Header,{noTitle:!0,resolvedConfig:l}),e.jsx("h3",{className:"mb-[0.5rem]",style:{fontFamily:l?.style?.heading?.headingFontFamily||"SeriouslyNostalgic Fn",fontSize:l?.style?.heading?.headingFontSize||"32px",color:l?.style?.heading?.headingColor||"#000",fontWeight:l?.style?.heading?.headingFontWeight||"normal"},children:u?.(n.directionMessages[a])}),e.jsxs("div",{className:"max-w-[400px] justify-center gap-1 mx-auto flex items-center",children:[e.jsx("div",{className:` w-[120px] overflow-hidden ${0===a?"opacity-100":"opacity-0 hidden"} `,children:e.jsx("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e.jsx("source",{src:i===n.GenderType.Male?n.FACE_SCAN_HEADSHOT.male.forward:n.FACE_SCAN_HEADSHOT.female.forward,type:"video/mp4"})})}),e.jsx("div",{className:` w-[120px] overflow-hidden ${1===a?"opacity-100":"opacity-0 hidden"} `,children:e.jsx("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e.jsx("source",{src:i===n.GenderType.Male?n.FACE_SCAN_HEADSHOT.male.left:n.FACE_SCAN_HEADSHOT.female.left,type:"video/mp4"})})}),e.jsx("div",{className:` w-[120px] overflow-hidden ${2===a?"opacity-100":"opacity-0 hidden"} `,children:e.jsx("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e.jsx("source",{src:i===n.GenderType.Male?n.FACE_SCAN_HEADSHOT.male.right:n.FACE_SCAN_HEADSHOT.female.right,type:"video/mp4"})})}),e.jsx("div",{className:` w-[120px] overflow-hidden ${3===a?"opacity-100":"opacity-0 hidden"} `,children:e.jsx("video",{className:"h-full w-full object-contain border-none",muted:!0,loop:!0,autoPlay:!0,playsInline:!0,children:e.jsx("source",{src:i===n.GenderType.Male?n.FACE_SCAN_HEADSHOT.male.smile:n.FACE_SCAN_HEADSHOT.female.smile,type:"video/mp4"})})})]})]})})}const u=({webcamRef:a,canvasRef:r})=>{const{isError:c,isSuccess:i,showLoader:u,hasError:f,resetScanState:g,showGuideCard:h,scanStage:m,videoLoading:p,setVideoLoading:y,videoError:S,setVideoError:x,gender:v,getButtonText:b,isScanning:w,startScan:C,isModelLoaded:F,config:j}=t.useContext(n.ParamsContext),_=n.useLocalConfig(j),{setPreferredLanguage:N}=t.useContext(n.LanguageContext)||{};return t.useEffect(()=>{N?.(_?.language)},[_]),c?e.jsx(l,{config:_}):i?e.jsx("div",{className:"fixed z-[9] w-full h-full",style:{background:_?.style?.base?.backgroundColor},children:e.jsx(n.LoadingScreen,{url:_?.loader,loaderType:"black"})}):e.jsxs(e.Fragment,{children:[e.jsx("audio",{id:"audioElement",crossOrigin:"anonymous",preload:"auto",style:{position:"absolute",zIndex:-99999},src:void 0}),u&&!f&&e.jsx("div",{className:"fixed z-[9] w-full h-full",style:{background:_?.style?.base?.backgroundColor},children:e.jsx(n.LoadingScreen,{url:_?.loader,loaderType:"black"})}),e.jsx("div",{className:"h-full flex-col relative w-full flex justify-center items-center text-center rounded-t-[20px]",style:{background:_?.style?.base?.backgroundColor},children:e.jsx("div",{className:"flex-1 w-full max-w-md overflow-hidden",children:e.jsxs("div",{className:"w-full h-full",children:[e.jsx("video",{ref:a,autoPlay:!0,playsInline:!0,muted:!0,width:n.videoConstraints.width,height:n.videoConstraints.height,className:"w-full h-full object-cover fixed left-0 top-0 z-0",style:{transform:"scaleX(-1)"}}),e.jsx("canvas",{ref:r,width:n.videoConstraints.width,height:n.videoConstraints.height,style:{transform:"scaleX(-1)",opacity:"0"}})]})})}),!u&&f&&e.jsx(l,{loading:u,resetScanState:g,config:_}),h&&!f&&!u&&e.jsx(s.Drawer,{open:!0,className:"face-scan-small camera-draw",anchor:"bottom",onClose:(e,t)=>{},hideBackdrop:!0,children:e.jsx(d,{stage:m,videoLoading:p,setVideoLoading:y,videoError:S,setVideoError:x,gender:v,config:_,btnConfig:{label:b(),onClick:w?g:C,isDisabled:u||!F,icon:w?e.jsx(o.ArrowRight,{}):e.jsx(e.Fragment,{})}})})]})};exports.FaceScan=({userDetails:o,onScanSuccess:s,onScanError:r,onRetry:c,config:l,isError:d,isSuccess:f,onUpload:g})=>{const h=t.useRef(null),m=t.useRef(null),p=t.useRef(null),y=t.useRef([]),S=t.useRef(null),[x,v]=t.useState(!1),[b,w]=t.useState(!1),[C,F]=t.useState(!1),[j,_]=t.useState(!0),[N,E]=t.useState(!1),[T,k]=t.useState(!1),[I,D]=t.useState(!1),[L,R]=t.useState(n.generateUuid()),{email:M,gender:P,deviceFocalLength:A,shopDomain:O,callbackUrl:z}=o,[$,H]=t.useState([]),V=t.useCallback(()=>{console.log("Stopping recording..."),p.current&&"recording"===p.current.state&&p.current.stop(),p.current=null},[]),W=async()=>{if(y.current){if(0===y.current.length)return console.error("No video data recorded"),D(!0),void v(!1);g?.(),v(!0);const e=new File(y.current,`${L}.webm`,{type:"video/webm"}),t=e.size,a=(t/1048576).toFixed(2),o=Math.round(t/1e4),s={video_size_mb:parseFloat(a),video_size_bytes:t,blob_count:y.current.length,estimated_duration_seconds:o},r=[{gender:P},{face_scan_id:L},{focal_length:`${A}`},{customer_store_url:O},{scan_type:"face_scan"},{callback_url:z||"https://example.com/webhook"}];console.log(r,"metadat"),n.handleScanTimeCapture({eventName:`${O}/face_scan_meta_data`,faceScanId:L,email:M,data:JSON.stringify({metaData:r,videoData:s})});const c=Date.now();n.handleScanTimeCapture({eventName:`${O}/face_scan_upload_start`,faceScanId:L,email:M,startTime:c});try{const t=await n.swan.fileUpload.faceScanFileUploader({file:e,arrayMetaData:r,objectKey:L,email:M,contentType:e.type}),a=Date.now(),o=a-c;n.handleScanTimeCapture({eventName:`${O}/face_scan_upload_complete`,faceScanId:L,email:M,completionTime:a,uploadDuration:o}),console.log("✅ Upload successful",t),n.swan.measurement.handlFaceScaneSocket({faceScanId:L,onOpen:()=>{n.handleWebSocketCapture({eventName:`${O}/webSocket`,faceScanID:L,connection:"open",type:"faceScan_recommendation",email:M}),console.log("websocket connect open")},onError:e=>{n.handleWebSocketCapture({eventName:`${O}/webSocket`,faceScanID:L,connection:"error",type:"faceScan_recommendation",email:M}),Z(e)},onSuccess:e=>{n.handleWebSocketCapture({eventName:`${O}/webSocket`,faceScanID:L,connection:"success",type:"faceScan_recommendation",email:M}),ee(e)},onClose:()=>{console.log("websocket connect close"),n.handleWebSocketCapture({eventName:`${O}/webSocket`,faceScanID:L,connection:"close",type:"faceScan_recommendation",email:M})}})}catch(e){Z(e)}}},K=t.useCallback(()=>{const e=h.current?.srcObject;if(!e)return;const t=e.getVideoTracks()[0].getSettings(),{width:a=n.videoConstraints.width,height:o=n.videoConstraints.height}=t,s=document.createElement("canvas"),r=s.getContext("2d");a>o?(s.width=o,s.height=a):(s.width=a,s.height=o);const c=document.createElement("video");c.srcObject=e,c.muted=!0,c.playsInline=!0,c.play();const i=()=>{a>o?(r?.save(),r?.translate(s.width,0),r?.rotate(Math.PI/2),r?.drawImage(c,0,0,o,a),r?.restore()):r?.drawImage(c,0,0,a,o),requestAnimationFrame(i)};i();const l=s.captureStream(30),d=$.length>0?{mimeType:$[0]}:{};let u;try{u=new MediaRecorder(l,d)}catch(e){return console.error("MediaRecorder init failed:",e),D(!0),void v(!1)}y.current=[],u.ondataavailable=e=>{e?.data&&e.data.size>0&&y.current&&y.current.push(e.data)},u.onstop=()=>{console.log("Recording stopped, total blobs:",y?.current?.length),W()},u.start(100),p.current=u,console.log("Recording started successfully (portrait normalized)")},[$,W]),{faceScanDetector:q,scanStage:U,setScanStage:B,resetScan:G,isModelLoaded:J,startScanSequence:X}=i({faceScanId:L,shopDomain:O,onScanComplete:()=>{V()},onModelReady:()=>{w(!0)},onStartRecording:()=>{console.log("Stage 0 completed - starting recording for stages 1-3"),K()}}),Q=t.useCallback(()=>{J&&(B(0),n.speechService.playAudio(`${n.voiceOverAssetsPath}face-scan-vos/Face-forward.mp3`),setTimeout(()=>{F(!0),setTimeout(()=>{X()},200)},200))},[B,F,X,J]),Y=t.useCallback(()=>{F(!1),_(!0),V(),G(),c?.(),y.current=[],p.current&&(p.current=null),D(!1),B(-1),R(n.generateUuid()),h.current&&S.current&&(h.current.srcObject=S.current,console.log("Camera stream restored after reset"))},[B,F,_,V,G,R]),Z=e=>{console.log(e,"ws error"),r?.(e),D(!0),v(!1),_(!1),n.handleScanTimeCapture({eventName:`${O}/faceScan`,faceScanId:L,status:"failed",email:M,data:JSON.stringify(e)})},ee=e=>{console.log(e,"ws success"),e&&"intermediate"===e?.resultType&&n.handleScanTimeCapture({eventName:`${O}/faceScan_success/intermediate`,faceScanId:L,status:"success",email:M,data:JSON.stringify(e)}),s?.(e)};t.useEffect(()=>{if(!d&&!f)return navigator.mediaDevices.getUserMedia&&navigator.mediaDevices.getUserMedia({video:n.videoConstraints}).then(e=>{S.current=e,h.current&&(h.current.srcObject=e)}).catch(e=>console.error("Error accessing webcam:",e)),()=>{S.current&&S.current.getTracks().forEach(e=>e.stop())}},[d,f]),t.useEffect(()=>{if(!b||!C)return;const e=setInterval(()=>{q(h,m)},500);return()=>clearInterval(e)},[q,b,C]);return console.log("Model ready:",b,"Has error:",I,"Is scanning:",C,"showLoader",x),t.useEffect(()=>{if("undefined"!=typeof MediaRecorder){const e=n.videoTypes.filter(e=>MediaRecorder.isTypeSupported(e));H(e)}},[]),t.useEffect(()=>{B(-1)},[d,f]),t.useEffect(()=>{a.init(n.posthogPublicKey,{api_host:n.posthogPublicHost}),a.capture("$pageview")},[]),e.jsx(n.LanguageContextProvider,{children:e.jsx(n.ParamsContext.Provider,{value:{isError:d,isSuccess:f,showLoader:x,hasError:I,resetScanState:Y,showGuideCard:j,scanStage:U,videoLoading:N,setVideoLoading:E,videoError:T,setVideoError:k,gender:P,getButtonText:()=>C?n.LanguageKeys.reset:J?n.LanguageKeys.start:n.LanguageKeys.loading,isScanning:C,startScan:Q,isModelLoaded:J,config:l},children:e.jsx(u,{webcamRef:h,canvasRef:m})})})};
2
+ //# sourceMappingURL=FaceScan-DoDQIfoL.js.map