Skip to content

Events

The Circadify SDK provides two callback-based event mechanisms configured at initialization: onProgress for measurement lifecycle updates, and onQualityWarning for real-time scan quality feedback. These callbacks fire during measureVitals() and are the primary way to build responsive UIs around the measurement flow.

Register callbacks when creating the SDK instance. They remain active for all measureVitals() calls on that instance.

import { CircadifySDK } from '@circadify/sdk';
const sdk = new CircadifySDK({
apiKey: 'ck_test_your_key_here',
onProgress: (event) => {
console.log(`Phase: ${event.phase}, Progress: ${event.percent}%`);
},
onQualityWarning: (warning) => {
console.warn(`Quality issue: ${warning.type} — ${warning.message}`);
},
});

To stop receiving events, call sdk.destroy(). There is no per-callback unsubscribe mechanism — callbacks are tied to the SDK instance lifecycle.

The onProgress callback fires as the measurement moves through each phase. Use it to update progress bars, status text, or step indicators.

interface ProgressEvent {
phase: 'initializing' | 'readiness' | 'capturing' | 'uploading' | 'processing';
percent: number; // 0–100
}
PhaseDescriptionTypical Duration
initializingLoading WASM modules and initializing the Vision Engine2–5 s (first load), under 100 ms (cached)
readinessWaiting for face detection and quality checks to passUser-dependent
capturingRecording and preprocessing video frames~24 s
uploadingSending preprocessed data to the server5-30 s (network dependent)
processingServer-side inference and signal processing60-90 s
const sdk = new CircadifySDK({
apiKey: 'ck_test_your_key_here',
onProgress: (event) => {
progressBar.style.width = `${event.percent}%`;
statusLabel.textContent = phaseLabels[event.phase];
},
});

The onQualityWarning callback fires when scan conditions degrade during the readiness or capturing phase. Use these to prompt the user to adjust their position, lighting, or movement.

interface QualityWarning {
type: 'lighting' | 'motion' | 'face_position' | 'occlusion';
severity: 'low' | 'medium' | 'high';
message: string;
}
Warning TypeTriggerExample Message
lightingScene is too dark, too bright, or has flickering light”Improve lighting conditions for a better scan”
motionExcessive head or body movement detected”Hold still during the scan”
face_positionHead is turned, tilted, or too far from camera”Center your face in the frame”
occlusionPart of the face is blocked (hand, mask, etc.)”Make sure your face is fully visible”
SeverityMeaning
lowMinor degradation; measurement can still proceed
mediumNoticeable impact on accuracy; user should correct
highMeasurement quality is severely compromised; prompt the user immediately
const sdk = new CircadifySDK({
apiKey: 'ck_test_your_key_here',
onQualityWarning: (warning) => {
if (warning.severity === 'high') {
showBlockingOverlay(warning.message);
} else {
showToast(warning.message);
}
},
});

Errors during measureVitals() are thrown as CircadifyError exceptions, not delivered via callbacks. Wrap your measurement call in a try/catch block to handle failures.

import { CircadifySDK, CircadifyError, CircadifyErrorCode } from '@circadify/sdk';
try {
const result = await sdk.measureVitals({
container: document.getElementById('scan-container'),
});
} catch (error) {
if (error instanceof CircadifyError) {
if (error.isRetryable) {
showRetryPrompt(error.message);
} else {
showError(error.message);
}
}
}

See Error Codes for the full list of error codes and recovery strategies.