File size: 6,236 Bytes
206235a 99710e8 206235a 99710e8 206235a 99710e8 96097e9 99710e8 96097e9 99710e8 96097e9 99710e8 96097e9 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 96097e9 99710e8 206235a 99710e8 206235a 99710e8 206235a ef7c94c 99710e8 206235a 99710e8 206235a 99710e8 206235a 96097e9 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 96097e9 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 206235a 99710e8 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 | ---
tags:
- yolov8
- image-classification
- hand-detection
- computer-vision
library_name: ultralytics
---
# Hand Detection Model (YOLOv8)
This model classifies images into three categories:
- **hand**: Close-up hand with fingers visible (✋)
- **arm**: Forearm or elbow area (💪)
- **not_hand**: Neither hand nor arm (❌)
## Quick Start
```python
from ultralytics import YOLO
# Load model directly from HuggingFace
model = YOLO('https://huggingface.co/EtanHey/hand-detection-3class/resolve/main/model.pt')
# Predict on an image
results = model.predict('image.jpg')
# Get the prediction
probs = results[0].probs
class_id = probs.top1 # 0=arm, 1=hand, 2=not_hand (alphabetical order!)
confidence = probs.top1conf.item()
# Interpret results
if class_id == 1: # hand is index 1
print(f"✋ Hand detected: {confidence:.1%}")
elif class_id == 0: # arm is index 0
print(f"💪 Arm detected: {confidence:.1%}")
else: # not_hand is index 2
print(f"❌ No hand/arm detected: {confidence:.1%}")
```
## Live Demo (Webcam)
```python
import cv2
from ultralytics import YOLO
model = YOLO('https://huggingface.co/EtanHey/hand-detection-3class/resolve/main/model.pt')
cap = cv2.VideoCapture(0)
while True:
ret, frame = cap.read()
if not ret:
break
results = model(frame)
probs = results[0].probs
# YOLO uses alphabetical order!
classes = ['arm', 'hand', 'not_hand'] # 0=arm, 1=hand, 2=not_hand
label = f"{classes[probs.top1]}: {probs.top1conf:.1%}"
cv2.putText(frame, label, (10, 30),
cv2.FONT_HERSHEY_SIMPLEX, 1, (0, 255, 0), 2)
cv2.imshow('Hand Detection', frame)
if cv2.waitKey(1) & 0xFF == ord('q'):
break
cap.release()
cv2.destroyAllWindows()
```
## Use with Vercel AI SDK
```bash
npm install ai openai
```
```typescript
// app/components/hand-detector.tsx
'use client';
import { useChat } from 'ai/react';
import { useState } from 'react';
export function HandDetectorWithAI() {
const [detection, setDetection] = useState(null);
const { messages, input, handleSubmit } = useChat({
api: '/api/chat',
initialMessages: [{
role: 'system',
content: 'You help interpret hand gestures and signs.'
}]
});
const detectAndAnalyze = async (file) => {
// 1. Detect hand
const formData = new FormData();
formData.append('image', file);
const response = await fetch('/api/detect-hand', {
method: 'POST',
body: formData
});
const result = await response.json();
setDetection(result);
// 2. If hand detected, ask AI about gesture
if (result.class === 'hand') {
await handleSubmit({
preventDefault: () => {},
currentTarget: {
input: { value: `What gesture is this hand making? Confidence: ${result.confidence}%` }
}
});
}
};
return (
<div>
<input type="file" onChange={(e) => detectAndAnalyze(e.target.files[0])} />
{detection && <p>Detected: {detection.class} ({detection.confidence}%)</p>}
{messages.map(m => (
<div key={m.id}>{m.role}: {m.content}</div>
))}
</div>
);
}
```
```typescript
// app/api/chat/route.ts
import { OpenAIStream, StreamingTextResponse } from 'ai';
export async function POST(req: Request) {
const { messages } = await req.json();
// Your OpenAI/AI provider logic here
const stream = OpenAIStream(response);
return new StreamingTextResponse(stream);
}
```
## Use in Next.js/Node.js
### Option 1: FastAPI Backend + Next.js
**Backend (Python):**
```python
from fastapi import FastAPI, File, UploadFile
from ultralytics import YOLO
from PIL import Image
import io
app = FastAPI()
model = YOLO('https://huggingface.co/EtanHey/hand-detection-3class/resolve/main/model.pt')
@app.post("/detect")
async def detect(file: UploadFile = File(...)):
image = Image.open(io.BytesIO(await file.read()))
results = model.predict(image)
probs = results[0].probs
return {
"class": ['arm', 'hand', 'not_hand'][probs.top1], # alphabetical order
"confidence": float(probs.top1conf)
}
```
**Frontend (Next.js):**
```javascript
async function detectHand(imageFile) {
const formData = new FormData();
formData.append('file', imageFile);
const response = await fetch('http://localhost:8000/detect', {
method: 'POST',
body: formData
});
const result = await response.json();
console.log(`Detected: ${result.class} (${result.confidence * 100}%)`);
}
```
### Option 2: ONNX for Browser
```bash
# Convert to ONNX first
from ultralytics import YOLO
model = YOLO('model.pt')
model.export(format='onnx')
```
Then use with ONNX Runtime Web:
```javascript
import * as ort from 'onnxruntime-web';
const session = await ort.InferenceSession.create('/model.onnx');
// Process and run inference...
```
## React Native
```javascript
const detectHand = async (imageUri) => {
const formData = new FormData();
formData.append('image', {
uri: imageUri,
type: 'image/jpeg',
name: 'photo.jpg'
});
const response = await fetch('YOUR_API_URL/detect', {
method: 'POST',
body: formData
});
const result = await response.json();
Alert.alert(`Detected: ${result.class}`);
};
```
## cURL Test
```bash
curl -X POST -F "file=@test.jpg" http://localhost:8000/detect
```
## Model Details
- **Architecture**: YOLOv8s-cls (5M parameters)
- **Classes**: 3 (arm=0, hand=1, not_hand=2) - alphabetical order
- **Input Size**: 224x224
- **Accuracy**: >96% on validation set
- **Size**: ~3MB
## Training Data
- **Total Images**: 1,740
- **Distribution**:
- Hand: 704 images (40%)
- Arm: 320 images (18%)
- Not Hand: 462 images (27%)
- Val: 254 images (15%)
## Performance
| Metric | Value |
|--------|-------|
| Validation Accuracy | 96.3% |
| Inference Speed | 30+ FPS (Apple M1) |
| Model Size | 2.97 MB |
## License
MIT - Free for commercial use
## Citation
If you use this model, please cite:
```
@software{hand_detection_yolo_2024,
author = {EtanHey},
title = {Hand Detection YOLOv8 Model},
year = {2024},
publisher = {HuggingFace},
url = {https://huggingface.co/EtanHey/hand-detection-3class}
}
```
|