mirror of
https://github.com/serengil/deepface.git
synced 2025-06-07 03:55:21 +00:00
63 lines
2.0 KiB
Python
63 lines
2.0 KiB
Python
from deepface.detectors import FaceDetector
|
|
|
|
# Model's weights paths
|
|
PATH = "/.deepface/weights/yolov8n-face.pt"
|
|
|
|
# Google Drive URL
|
|
WEIGHT_URL = "https://drive.google.com/uc?id=1qcr9DbgsX3ryrz2uU8w4Xm3cOrRywXqb"
|
|
|
|
# Confidence thresholds for landmarks detection
|
|
# used in alignment_procedure function
|
|
LANDMARKS_CONFIDENCE_THRESHOLD = 0.5
|
|
|
|
|
|
def build_model():
|
|
"""Build YOLO (yolov8n-face) model"""
|
|
import gdown
|
|
import os
|
|
|
|
# Import the Ultralytics YOLO model
|
|
from ultralytics import YOLO
|
|
|
|
from deepface.commons.functions import get_deepface_home
|
|
weight_path = f"{get_deepface_home()}{PATH}"
|
|
|
|
# Download the model's weights if they don't exist
|
|
if not os.path.isfile(weight_path):
|
|
gdown.download(WEIGHT_URL, weight_path, quiet=False)
|
|
print(f"Downloaded YOLO model {os.path.basename(weight_path)}")
|
|
|
|
# Return face_detector
|
|
return YOLO(weight_path)
|
|
|
|
|
|
def detect_face(face_detector, img, align=False):
|
|
resp = []
|
|
|
|
# Detect faces
|
|
results = face_detector.predict(
|
|
img, verbose=False, show=False, conf=0.25)[0]
|
|
|
|
# For each face, extract the bounding box, the landmarks and confidence
|
|
for result in results:
|
|
# Extract the bounding box and the confidence
|
|
x, y, w, h = result.boxes.xywh.tolist()[0]
|
|
confidence = result.boxes.conf.tolist()[0]
|
|
|
|
x, y, w, h = int(x - w / 2), int(y - h / 2), int(w), int(h)
|
|
detected_face = img[y: y + h, x: x + w].copy()
|
|
|
|
if align:
|
|
# Extract landmarks
|
|
left_eye, right_eye, _, _, _ = result.keypoints.tolist()
|
|
# Check the landmarks confidence before alignment
|
|
if (left_eye[2] > LANDMARKS_CONFIDENCE_THRESHOLD and
|
|
right_eye[2] > LANDMARKS_CONFIDENCE_THRESHOLD):
|
|
detected_face = FaceDetector.alignment_procedure(
|
|
detected_face, left_eye[:2], right_eye[:2]
|
|
)
|
|
|
|
resp.append((detected_face, [x, y, w, h], confidence))
|
|
|
|
return resp
|