OpenCV.js has wide applications in mobile and web applications, but requires consideration of performance, compatibility, and user experience. Here are best practices for mobile and web applications:
1. Mobile Optimization Strategies
Responsive Design
javascriptclass MobileImageProcessor { constructor() { this.isMobile = this.detectMobile(); this.processingSize = this.getOptimalSize(); } detectMobile() { return /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent); } getOptimalSize() { if (this.isMobile) { // Use smaller size for mobile return { width: Math.min(window.innerWidth, 640), height: Math.min(window.innerHeight, 480) }; } else { // Can use larger size for desktop return { width: 1280, height: 720 }; } } resizeImage(src) { let dst = new cv.Mat(); try { cv.resize(src, dst, new cv.Size(this.processingSize.width, this.processingSize.height)); return dst; } catch (error) { console.error('Resize error:', error); return src.clone(); } } }
Touch Event Handling
javascriptclass TouchHandler { constructor(canvasId) { this.canvas = document.getElementById(canvasId); this.setupTouchEvents(); } setupTouchEvents() { let startX, startY; this.canvas.addEventListener('touchstart', (e) => { e.preventDefault(); const touch = e.touches[0]; startX = touch.clientX; startY = touch.clientY; }); this.canvas.addEventListener('touchmove', (e) => { e.preventDefault(); const touch = e.touches[0]; const deltaX = touch.clientX - startX; const deltaY = touch.clientY - startY; // Handle touch movement this.handleTouchMove(deltaX, deltaY); startX = touch.clientX; startY = touch.clientY; }); this.canvas.addEventListener('touchend', (e) => { e.preventDefault(); this.handleTouchEnd(); }); } handleTouchMove(deltaX, deltaY) { // Implement touch move logic console.log(`Touch move: ${deltaX}, ${deltaY}`); } handleTouchEnd() { // Implement touch end logic console.log('Touch end'); } }
2. PWA (Progressive Web App) Integration
Service Worker Cache OpenCV.js
javascript// sw.js const CACHE_NAME = 'opencv-pwa-v1'; const urlsToCache = [ '/', '/index.html', 'https://docs.opencv.org/4.8.0/opencv.js' ]; self.addEventListener('install', (event) => { event.waitUntil( caches.open(CACHE_NAME) .then((cache) => cache.addAll(urlsToCache)) ); }); self.addEventListener('fetch', (event) => { event.respondWith( caches.match(event.request) .then((response) => { if (response) { return response; } return fetch(event.request); }) ); });
Offline Support
javascriptclass OfflineImageProcessor { constructor() { this.isOnline = navigator.onLine; this.setupOfflineSupport(); } setupOfflineSupport() { window.addEventListener('online', () => { this.isOnline = true; console.log('Back online'); }); window.addEventListener('offline', () => { this.isOnline = false; console.log('Gone offline'); }); } async processImage(image) { if (!this.isOnline) { // Offline mode: use local processing return this.processLocally(image); } else { // Online mode: can choose to use cloud processing return this.processWithFallback(image); } } processLocally(image) { let src = cv.imread(image); let dst = new cv.Mat(); try { cv.cvtColor(src, dst, cv.COLOR_RGBA2GRAY); cv.Canny(dst, dst, 50, 100); return dst; } finally { src.delete(); } } processWithFallback(image) { try { // Try cloud processing return this.processCloud(image); } catch (error) { console.warn('Cloud processing failed, falling back to local'); return this.processLocally(image); } } }
3. Performance Monitoring and Optimization
Real-time Performance Monitoring
javascriptclass PerformanceMonitor { constructor() { this.metrics = { fps: 0, frameTime: 0, memoryUsage: 0 }; this.frameCount = 0; this.lastTime = performance.now(); this.startMonitoring(); } startMonitoring() { setInterval(() => { this.updateMetrics(); this.displayMetrics(); }, 1000); } updateMetrics() { const currentTime = performance.now(); const deltaTime = currentTime - this.lastTime; this.metrics.fps = Math.round(this.frameCount * 1000 / deltaTime); this.metrics.frameTime = deltaTime / this.frameCount; if (performance.memory) { this.metrics.memoryUsage = Math.round(performance.memory.usedJSHeapSize / 1024 / 1024); } this.frameCount = 0; this.lastTime = currentTime; } recordFrame() { this.frameCount++; } displayMetrics() { console.table(this.metrics); } getMetrics() { return { ...this.metrics }; } }
Adaptive Quality Adjustment
javascriptclass AdaptiveQualityProcessor { constructor() { this.quality = 1.0; this.monitor = new PerformanceMonitor(); this.adjustQuality(); } adjustQuality() { setInterval(() => { const metrics = this.monitor.getMetrics(); if (metrics.fps < 20) { // Poor performance, reduce quality this.quality = Math.max(0.5, this.quality - 0.1); console.log(`Reducing quality to ${this.quality}`); } else if (metrics.fps > 50 && this.quality < 1.0) { // Good performance, increase quality this.quality = Math.min(1.0, this.quality + 0.1); console.log(`Increasing quality to ${this.quality}`); } }, 2000); } processImage(src) { let dst = new cv.Mat(); const size = new cv.Size( Math.round(src.cols * this.quality), Math.round(src.rows * this.quality) ); try { cv.resize(src, dst, size); this.monitor.recordFrame(); return dst; } finally { // dst is freed by caller } } }
4. Battery Optimization
Battery Status Awareness
javascriptclass BatteryAwareProcessor { constructor() { this.batteryLevel = 1.0; this.isCharging = false; this.setupBatteryListener(); } setupBatteryListener() { if ('getBattery' in navigator) { navigator.getBattery().then((battery) => { this.batteryLevel = battery.level; this.isCharging = battery.charging; battery.addEventListener('levelchange', () => { this.batteryLevel = battery.level; this.adjustProcessing(); }); battery.addEventListener('chargingchange', () => { this.isCharging = battery.charging; this.adjustProcessing(); }); }); } } adjustProcessing() { if (this.batteryLevel < 0.2 && !this.isCharging) { // Low battery and not charging, reduce processing intensity this.setProcessingMode('low'); } else if (this.batteryLevel > 0.5 || this.isCharging) { // Sufficient battery or charging, normal processing this.setProcessingMode('normal'); } } setProcessingMode(mode) { console.log(`Setting processing mode to: ${mode}`); // Adjust processing parameters based on mode } }
5. Web Worker Integration
Background Image Processing
javascript// Main thread class WorkerImageProcessor { constructor() { this.worker = new Worker('image-processor-worker.js'); this.pendingTasks = new Map(); this.taskId = 0; } processImage(imageData) { return new Promise((resolve, reject) => { const taskId = this.taskId++; this.pendingTasks.set(taskId, { resolve, reject }); this.worker.postMessage({ taskId, imageData, operation: 'edge-detection' }, [imageData.data.buffer]); }); } processVideoFrame(videoElement) { const canvas = document.createElement('canvas'); canvas.width = videoElement.videoWidth; canvas.height = videoElement.videoHeight; const ctx = canvas.getContext('2d'); ctx.drawImage(videoElement, 0, 0); const imageData = ctx.getImageData(0, 0, canvas.width, canvas.height); return this.processImage(imageData); } } // image-processor-worker.js self.onmessage = function(e) { const { taskId, imageData, operation } = e.data; try { let src = cv.matFromImageData(imageData); let dst = new cv.Mat(); switch (operation) { case 'edge-detection': cv.cvtColor(src, dst, cv.COLOR_RGBA2GRAY); cv.Canny(dst, dst, 50, 100); break; case 'blur': cv.GaussianBlur(src, dst, new cv.Size(15, 15), 0); break; } const result = new ImageData( new Uint8ClampedArray(dst.data), dst.cols, dst.rows ); self.postMessage({ taskId, result }, [result.data.buffer]); src.delete(); dst.delete(); } catch (error) { self.postMessage({ taskId, error: error.message }); } };
6. Mobile-Specific Optimizations
Camera Access Optimization
javascriptclass MobileCameraHandler { constructor() { this.stream = null; this.constraints = this.getOptimalConstraints(); } getOptimalConstraints() { const isMobile = /Android|iPhone|iPad/i.test(navigator.userAgent); if (isMobile) { return { video: { facingMode: 'environment', // Use rear camera width: { ideal: 640 }, height: { ideal: 480 }, frameRate: { ideal: 30 } }, audio: false }; } else { return { video: { width: { ideal: 1280 }, height: { ideal: 720 }, frameRate: { ideal: 60 } }, audio: false }; } } async startCamera() { try { this.stream = await navigator.mediaDevices.getUserMedia(this.constraints); return this.stream; } catch (error) { console.error('Camera access error:', error); // Fallback solution if (this.constraints.video.width.ideal > 640) { this.constraints.video.width.ideal = 640; this.constraints.video.height.ideal = 480; return this.startCamera(); } throw error; } } stopCamera() { if (this.stream) { this.stream.getTracks().forEach(track => track.stop()); this.stream = null; } } }
7. Complete Mobile Application Example
javascriptclass MobileCVApp { constructor() { this.processor = new MobileImageProcessor(); this.camera = new MobileCameraHandler(); this.battery = new BatteryAwareProcessor(); this.monitor = new PerformanceMonitor(); this.isRunning = false; } async init() { await this.camera.startCamera(); this.setupUI(); } setupUI() { const video = document.getElementById('video'); const canvas = document.getElementById('canvas'); video.srcObject = this.camera.stream; video.onloadedmetadata = () => { canvas.width = video.videoWidth; canvas.height = video.videoHeight; this.startProcessing(); }; } startProcessing() { this.isRunning = true; this.processFrame(); } processFrame() { if (!this.isRunning) return; const video = document.getElementById('video'); const canvas = document.getElementById('canvas'); let src = cv.imread(video); let dst = new cv.Mat(); try { // Adjust processing based on battery status if (this.battery.batteryLevel < 0.2) { cv.resize(src, src, new cv.Size(src.cols / 2, src.rows / 2)); } // Image processing cv.cvtColor(src, dst, cv.COLOR_RGBA2GRAY); cv.Canny(dst, dst, 50, 100); cv.imshow(canvas.id, dst); this.monitor.recordFrame(); requestAnimationFrame(() => this.processFrame()); } finally { src.delete(); dst.delete(); } } stop() { this.isRunning = false; this.camera.stopCamera(); } } // Usage const app = new MobileCVApp(); app.init();
Summary
Using OpenCV.js in mobile and web applications requires consideration of:
- Performance Optimization: Reduce processing resolution, use Web Worker
- User Experience: Responsive design, touch event handling
- Resource Management: Battery optimization, memory management
- Offline Support: PWA integration, Service Worker caching
- Compatibility: Detect device capabilities, provide fallback solutions
- Monitoring and Debugging: Real-time performance monitoring, adaptive quality adjustment
Through these best practices, you can provide a smooth OpenCV.js experience in mobile and web applications.