opencv用电脑摄像头人脸识别代码python
时间: 2024-11-06 12:14:07 浏览: 12
OpenCV是一个强大的计算机视觉库,用于Python和其他语言,它包含了很多预置的人脸检测功能。在Python中,你可以通过OpenCV结合Haar级联分类器来实现实时的人脸识别。以下是简单的步骤:
```python
import cv2
import dlib
# 加载预训练的人脸检测模型
face_cascade = cv2.CascadeClassifier(cv2.data.haarcascades + 'haarcascade_frontalface_default.xml')
# 初始化dlib的人脸预测器
detector = dlib.get_frontal_face_detector()
# 打开电脑摄像头
cap = cv2.VideoCapture(0)
while True:
# 读取一帧
ret, frame = cap.read()
# 转为灰度图像以便于人脸检测
gray = cv2.cvtColor(frame, cv2.COLOR_BGR2GRAY)
# 进行人脸检测
faces = face_cascade.detectMultiScale(gray, scaleFactor=1.1, minNeighbors=5, minSize=(30, 30))
for (x, y, w, h) in faces:
# 使用dlib画出矩形框
cv2.rectangle(frame, (x, y), (x+w, y+h), (255, 0, 0), 2)
# 对每个检测到的脸进行特征提取(这里省略了特征点计算)
landmarks = detector(gray, [faces[0]])
for i, landmark in enumerate(landmarks[0]):
cv2.circle(frame, landmark, 1, (0, 255, 0), -1)
# 显示结果
cv2.imshow('Face Detection', frame)
# 按 'q' 键退出
if cv2.waitKey(1) & 0xFF == ord('q'):
break
# 释放资源并关闭窗口
cap.release()
cv2.destroyAllWindows()
```
阅读全文