-
Notifications
You must be signed in to change notification settings - Fork 4.8k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
This module aims to lower barrier to entry in using facenet for face recognition.
- Loading branch information
Showing
1 changed file
with
156 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,156 @@ | ||
# coding=utf-8 | ||
"""Face Detection and Recognition""" | ||
# MIT License | ||
# | ||
# Copyright (c) 2017 François Gervais | ||
# | ||
# This is the work of David Sandberg and shanren7 remodelled into a | ||
# high level container. It's an attempt to simplify the use of such | ||
# technology and provide an easy to use facial recognition package. | ||
# | ||
# https://github.com/davidsandberg/facenet | ||
# https://github.com/shanren7/real_time_face_recognition | ||
# | ||
# Permission is hereby granted, free of charge, to any person obtaining a copy | ||
# of this software and associated documentation files (the "Software"), to deal | ||
# in the Software without restriction, including without limitation the rights | ||
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell | ||
# copies of the Software, and to permit persons to whom the Software is | ||
# furnished to do so, subject to the following conditions: | ||
# | ||
# The above copyright notice and this permission notice shall be included in all | ||
# copies or substantial portions of the Software. | ||
# | ||
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR | ||
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, | ||
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE | ||
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER | ||
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, | ||
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE | ||
# SOFTWARE. | ||
|
||
import pickle | ||
import os | ||
|
||
import cv2 | ||
import numpy as np | ||
import tensorflow as tf | ||
from scipy import misc | ||
|
||
import align.detect_face | ||
import facenet | ||
|
||
|
||
gpu_memory_fraction = 0.3 | ||
facenet_model_checkpoint = os.path.dirname(__file__) + "/../model_checkpoints/20170512-110547" | ||
classifier_model = os.path.dirname(__file__) + "/../model_checkpoints/my_classifier_1.pkl" | ||
debug = False | ||
|
||
|
||
class Face: | ||
def __init__(self): | ||
self.name = None | ||
self.bounding_box = None | ||
self.image = None | ||
self.container_image = None | ||
self.embedding = None | ||
|
||
|
||
class Recognition: | ||
def __init__(self): | ||
self.detect = Detection() | ||
self.encoder = Encoder() | ||
self.identifier = Identifier() | ||
|
||
def add_identity(self, image, person_name): | ||
faces = self.detect.find_faces(image) | ||
|
||
if len(faces) == 1: | ||
face = faces[0] | ||
face.name = person_name | ||
face.embedding = self.encoder.generate_embedding(face) | ||
return faces | ||
|
||
def identify(self, image): | ||
faces = self.detect.find_faces(image) | ||
|
||
for i, face in enumerate(faces): | ||
if debug: | ||
cv2.imshow("Face: " + str(i), face.image) | ||
face.embedding = self.encoder.generate_embedding(face) | ||
face.name = self.identifier.identify(face) | ||
|
||
return faces | ||
|
||
|
||
class Identifier: | ||
def __init__(self): | ||
with open(classifier_model, 'rb') as infile: | ||
self.model, self.class_names = pickle.load(infile) | ||
|
||
def identify(self, face): | ||
if face.embedding is not None: | ||
predictions = self.model.predict_proba([face.embedding]) | ||
best_class_indices = np.argmax(predictions, axis=1) | ||
return self.class_names[best_class_indices[0]] | ||
|
||
|
||
class Encoder: | ||
def __init__(self): | ||
self.sess = tf.Session() | ||
with self.sess.as_default(): | ||
facenet.load_model(facenet_model_checkpoint) | ||
|
||
def generate_embedding(self, face): | ||
# Get input and output tensors | ||
images_placeholder = tf.get_default_graph().get_tensor_by_name("input:0") | ||
embeddings = tf.get_default_graph().get_tensor_by_name("embeddings:0") | ||
phase_train_placeholder = tf.get_default_graph().get_tensor_by_name("phase_train:0") | ||
|
||
prewhiten_face = facenet.prewhiten(face.image) | ||
|
||
# Run forward pass to calculate embeddings | ||
feed_dict = {images_placeholder: [prewhiten_face], phase_train_placeholder: False} | ||
return self.sess.run(embeddings, feed_dict=feed_dict)[0] | ||
|
||
|
||
class Detection: | ||
# face detection parameters | ||
minsize = 20 # minimum size of face | ||
threshold = [0.6, 0.7, 0.7] # three steps's threshold | ||
factor = 0.709 # scale factor | ||
|
||
def __init__(self, face_crop_size=160, face_crop_margin=32): | ||
self.pnet, self.rnet, self.onet = self._setup_mtcnn() | ||
self.face_crop_size = face_crop_size | ||
self.face_crop_margin = face_crop_margin | ||
|
||
def _setup_mtcnn(self): | ||
with tf.Graph().as_default(): | ||
gpu_options = tf.GPUOptions(per_process_gpu_memory_fraction=gpu_memory_fraction) | ||
sess = tf.Session(config=tf.ConfigProto(gpu_options=gpu_options, log_device_placement=False)) | ||
with sess.as_default(): | ||
return align.detect_face.create_mtcnn(sess, None) | ||
|
||
def find_faces(self, image): | ||
faces = [] | ||
|
||
bounding_boxes, _ = align.detect_face.detect_face(image, self.minsize, | ||
self.pnet, self.rnet, self.onet, | ||
self.threshold, self.factor) | ||
for bb in bounding_boxes: | ||
face = Face() | ||
face.container_image = image | ||
face.bounding_box = np.zeros(4, dtype=np.int32) | ||
|
||
img_size = np.asarray(image.shape)[0:2] | ||
face.bounding_box[0] = np.maximum(bb[0] - self.face_crop_margin / 2, 0) | ||
face.bounding_box[1] = np.maximum(bb[1] - self.face_crop_margin / 2, 0) | ||
face.bounding_box[2] = np.minimum(bb[2] + self.face_crop_margin / 2, img_size[1]) | ||
face.bounding_box[3] = np.minimum(bb[3] + self.face_crop_margin / 2, img_size[0]) | ||
cropped = image[face.bounding_box[1]:face.bounding_box[3], face.bounding_box[0]:face.bounding_box[2], :] | ||
face.image = misc.imresize(cropped, (self.face_crop_size, self.face_crop_size), interp='bilinear') | ||
|
||
faces.append(face) | ||
|
||
return faces |
52f9d69
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Hi fgervais,
As someone who just started working on tensorflow and scikit-learn, does Tensorflow have an equivalent of scikit-learn’s predict_proba method used in Identifier class? I mean, is there a way to transfer this task to GPU? I have learned that scikit-learn does not have GPU support.
I’m using tensorflow-gpu and everything works fine until 5 or more faces are detected, then my laptop starts to crawl. CPU and GPU usage was around ~60% when 5 or more faces are detected. I’m running this on an Intel i7 4th gen machine with gtx970m 3gb vram and 12 gb ram. Do you think I need a more powerful machine for this?
Thanks!
52f9d69
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yes doing the final classification in tensorflow would be a great idea.
I first though of trying a quick and dirty classifier using tf.layers but I found this website that recommends using tf.contrib.learn.DNNClassifier:
https://medium.com/towards-data-science/from-scikit-learn-to-tensorflow-part-1-9ee0b96d4c85
At first glance it looks good but I cannot give it a try at the moment.
As for the hardware, I would say that it's fine but I don't have much experiences other that my current setup. Also I must say that I never ran the face detection with "that much faces". I only run it with 1 or 2 faces in the capture.
52f9d69
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
classifier_model = os.path.dirname(file) + "/../model_checkpoints/my_classifier_1.pkl"
where is .pkl ?
52f9d69
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This is a part of the code that needs a lot of rework.
This would need to be automated but right now, you need to dump a couple pictures of faces you want to recognize and create the classifier manually like described here:
https://github.com/davidsandberg/facenet/wiki/Train-a-classifier-on-own-images