So you’ve just built your first awesome computer vision app.
Maybe it can detect faces in images. Or maybe your app can recognize prescription pills in photos. Or maybe your computer vision app can identify the covers of top selling books, all while displaying the latest reader reviews and the cheapest websites online to purchase them.
So the big question is…how do you wrap your computer vision app in an easy to use web API?
With more and more services heading to the cloud, your users, customers, and fellow developers are likely expecting an easy to consume web API (and probably in JSON format).
Creating a computer vision web API is actually not as hard as you think — I’ll go as far as to say it’s unbelievably easy to wrap your application in a consumable API using a Python web framework such as Django or Flask.
Personally, I’m a big fan of Django. I’ve done a ton of work with Django in the past and loved every minute of it. And while it’s a bit of overkill for a small example project like this (especially when compared to a micro-framework such as Flask), I still think it’s an excellent choice. And of course, feel free to port this implementation into whichever framework best fits your own personal needs and preferences.
Anyway, in the rest of this tutorial I’ll be demonstrating how to create your own face detection API in only 5 minutes!
And as a bonus at the end of this article, I’ll give you a sneak peak of what’s on deck for next week — the unveiling of the (free) PyImageSearch web API.
Set your timers — Ready. Set. Go!
OpenCV and Python versions:
In order to run this example, you’ll need Python 2.7 and OpenCV 2.4.X.
Creating a face detection API with Python and OpenCV (in just 5 minutes)
After getting a ton of awesome reader feedback on the step-by-step tutorial on installing OpenCV on your Raspberry Pi 2/B+, I decided to take the same approach to this tutorial — I’ve created 8 simple, bite size steps to get your own face detection API up and running.
The goal here is that if you were to run the commands presented at each of the steps below, along with copy-and-paste the code snippets into the appropriate Django project files, that your face detection API would be up and running on your local system within 5 minutes.
However, I am going to start by assuming that you have OpenCV setup and installed. If not, then you’re going to need to install it prior to proceeding (and that’s going to break the 5 minute goal of this post).
Disclaimer: Before finishing my PhD, I used to do a lot of web application development. But over the past 3 years my focus has been entirely on the computer vision, scientific, and research side of things. If my Django code is not perfect, I’ll be the first to apologize. However, also realize that the intention of this tutorial is not to build a “bulletproof” API using all the latest Django bells and whistles. Instead, it’s meant to be a simple and concise demonstration on how you can take a computer vision application (specifically, a face detector) and turn into a web API with little effort.
Step 1: Setup your environment
The first step is to get our development environment setup and running. We’ll need only three required packages:
$ pip install numpy django requests
We need NumPy since OpenCV represents images as multi-dimensional NumPy arrays. And technically NumPy should already be installed if you have OpenCV installed as well.
The django
packages obviously contains the Django web framework.
And we’ll also include use the requests package to make interfacing with our web API much easier.
Step 2: Create our Django project
Now that the pre-requisites are installed, let’s setup our Django project:
$ django-admin startproject cv_api $ cd cv_api
These commands create a new Django project, adequately named cv_api
.
The cv_api
directory now contains all the necessary code and configurations to run our Django project — this code has been auto-generated and includes basic database configurations, project based options, and application settings. It also includes the ability to run a built in web server for testing (which we’ll get to later in this tutorial).
Here’s the directory structure of our new project:
|--- cv_api | |--- cv_api | |--- __init__.py | |--- settings.py | |--- urls.py | |--- wsgi.py | |--- manage.py
Before we proceed, let’s briefly chat about the structure of a Django project.
A Django project consists of multiple apps. And one of the core paradigms of the Django framework is that each app should be reusable in any project (theoretically, anyway) — therefore, we do not (normally) place any app-specific code inside the cv_api
directory. Instead, we explicitly create separate “apps” inside the cv_api
project.
With this in mind, let’s create a new app named face_detector
, which will house our code for building a face detection API:
$ python manage.py startapp face_detector
Notice how we now have a face_detector
directory inside our cv_api
directory. Again, Django has auto-generated some boilerplate code and configurations for our face_detector
app, which we can see the contents of below:
|--- cv_api | |--- cv_api | |--- __init__.py | |--- settings.py | |--- urls.py | |--- wsgi.py | |--- face_detector | |--- __init__.py | |--- admin.py | |--- migrations | |--- models.py | |--- tests.py | |--- views.py | |--- manage.py
Now that our Django project is all setup, we can get to coding.
Step 3: My personal computer vision API template
This step is where the actual “wrapping” of our computer vision project comes into place and where we are going to insert our face detection code.
The Django framework is a type of a Model-View-Template (MVT) framework, similar to a Model-View-Controller, where a “View” can be thought of as a type of web page. Inside the View you place all the necessary code to interact with Models, such as pulling data from a database, and processing it. The View is also responsible for populating the Template before it is sent to the user.
In our case, all we need is the View portion of the framework. We are not going to be interacting with the database, so the Model is not relevant to us. And we are going to ship the results of our API back to the end-user as a JSON object, so we won’t need the Template to render any HTML for us.
Again, our API is simply going to accept an image from a URL/stream, process it, and return a JSON response.
Step 3a: My personal boilerplate template when building a Python + OpenCV API
Before we dive into the code to perform the actual face detection, I want to share with you my personal boilerplate template when building a Python + OpenCV. You can use this code as a starting point when building your own computer vision API.
# import the necessary packages from django.views.decorators.csrf import csrf_exempt from django.http import JsonResponse import numpy as np import urllib import json import cv2 @csrf_exempt def detect(request): # initialize the data dictionary to be returned by the request data = {"success": False} # check to see if this is a post request if request.method == "POST": # check to see if an image was uploaded if request.FILES.get("image", None) is not None: # grab the uploaded image image = _grab_image(stream=request.FILES["image"]) # otherwise, assume that a URL was passed in else: # grab the URL from the request url = request.POST.get("url", None) # if the URL is None, then return an error if url is None: data["error"] = "No URL provided." return JsonResponse(data) # load the image and convert image = _grab_image(url=url) ### START WRAPPING OF COMPUTER VISION APP # Insert code here to process the image and update # the `data` dictionary with your results ### END WRAPPING OF COMPUTER VISION APP # update the data dictionary data["success"] = True # return a JSON response return JsonResponse(data) def _grab_image(path=None, stream=None, url=None): # if the path is not None, then load the image from disk if path is not None: image = cv2.imread(path) # otherwise, the image does not reside on disk else: # if the URL is not None, then download the image if url is not None: resp = urllib.urlopen(url) data = resp.read() # if the stream is not None, then the image has been uploaded elif stream is not None: data = stream.read() # convert the image to a NumPy array and then read it into # OpenCV format image = np.asarray(bytearray(data), dtype="uint8") image = cv2.imdecode(image, cv2.IMREAD_COLOR) # return the image return image
This boilerplate API code defines two functions: detect
, which is our actual view, and _grab_image
, which is a nice little convenience function to read an image from disk, URL, or stream into OpenCV format. From a code organization and reusability perspective, you probably want to put the *_grab_image* function in a “utilities” module that is globally accessible throughout the Django project. But as a manner of completeness, I have included the _grab_image
function inside the views.py
file — I’ll leave it as a personal decision as to where you want to store this function.
Most of our time should be spent examining the detect
method. In reality, you could call this method whatever you want, but you probably want to make the name relevant to the goal the function is accomplishing. In the context of face detection, naming the main API endpoint as detect
in the face_detection
Django app seems fitting.
The detect
method accepts a single parameter, a request
, which is a Django object containing properties germane to the web request.
Inside the actual view, I like to define a data
dictionary. This dictionary represents all data that will be JSON-ified and shipped back to the user. At a bare minimum this dictionary should include a success/failure flag.
From there, we need to process the actual request
and determine how the image was sent to our API.
If our image was uploaded via multi-part form data, we can simply process the data stream directly and read it into OpenCV format (Lines 17-19).
Otherwise, we’ll assume that instead of the raw image being uploaded, a URL pointing to an image was passed into our API. In that case, we’ll read the image from the URL and into OpenCV format (Lines 22-32).
Lines 34-37 is where you would actually “wrap” your computer vision app. Here you would insert any code related to processing, manipulating, classifying, etc. of your image. You’ll also want to update your data
dictionary with any relevant information related to the results of processing your image.
Finally, after all the image processing is done, we send a JSON response of the data
back to the user on Line 43.
Step 4: Inserting the face detector into my template API
Now that we have examined the boilerplate code for a Python + OpenCV web API, let’s take it and insert the face detector. Open up the cv_api/face_detector/views.py
file and insert the following code:
# import the necessary packages from django.views.decorators.csrf import csrf_exempt from django.http import JsonResponse import numpy as np import urllib import json import cv2 import os # define the path to the face detector FACE_DETECTOR_PATH = "{base_path}/cascades/haarcascade_frontalface_default.xml".format( base_path=os.path.abspath(os.path.dirname(__file__))) @csrf_exempt def detect(request): # initialize the data dictionary to be returned by the request data = {"success": False} # check to see if this is a post request if request.method == "POST": # check to see if an image was uploaded if request.FILES.get("image", None) is not None: # grab the uploaded image image = _grab_image(stream=request.FILES["image"]) # otherwise, assume that a URL was passed in else: # grab the URL from the request url = request.POST.get("url", None) # if the URL is None, then return an error if url is None: data["error"] = "No URL provided." return JsonResponse(data) # load the image and convert image = _grab_image(url=url) # convert the image to grayscale, load the face cascade detector, # and detect faces in the image image = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY) detector = cv2.CascadeClassifier(FACE_DETECTOR_PATH) rects = detector.detectMultiScale(image, scaleFactor=1.1, minNeighbors=5, minSize=(30, 30), flags=cv2.cv.CV_HAAR_SCALE_IMAGE) # construct a list of bounding boxes from the detection rects = [(int(x), int(y), int(x + w), int(y + h)) for (x, y, w, h) in rects] # update the data dictionary with the faces detected data.update({"num_faces": len(rects), "faces": rects, "success": True}) # return a JSON response return JsonResponse(data) def _grab_image(path=None, stream=None, url=None): # if the path is not None, then load the image from disk if path is not None: image = cv2.imread(path) # otherwise, the image does not reside on disk else: # if the URL is not None, then download the image if url is not None: resp = urllib.urlopen(url) data = resp.read() # if the stream is not None, then the image has been uploaded elif stream is not None: data = stream.read() # convert the image to a NumPy array and then read it into # OpenCV format image = np.asarray(bytearray(data), dtype="uint8") image = cv2.imdecode(image, cv2.IMREAD_COLOR) # return the image return image
As you can see, we haven’t inserted much code beyond the standard boilerplate OpenCV API template.
The first thing you’ll notice is that I’m defining the FACE_DETECTOR_PATH
(Lines 11 and 12), which is simply the path to where the pre-trained OpenCV face detector lives — in this case, I’ve included the pre-trained face detector inside the face_detector/cascades
application.
The real face detection magic takes place on Lines 41-44.
Now that we have our image in OpenCV format (whether it was uploaded via multi-part form encoded data or via URL), we start by converting our input image to grayscale. We discard any color information since color add little to face detection accuracy.
From there we load our face detector
on Line 42, supplying the path to our pre-trained face detector. Now that our face detector is loaded, we can apply the detectMultiScale
method and detect the actual faces.
I’m not going to perform an exhaustive review of the parameters to detectMultiScale
since I cover them in-depth inside my book, Practical Python and OpenCV + Case Studies, but the important takeaway here is that these parameters influence the speed, efficiency, and the false-positive detection rate of faces in images.
The detectMultiScale
function returns a list of bounding boxes, or simply the (x, y)-coordinates, and width and height, of the faces in the image. Given this list of bounding boxes, we package them into our data
dictionary and ship them back to the user on Lines 47-53.
Not too bad, right?
As you can see, the majority of the code is still related the computer vision API boilerplate — the actual detection of the faces took only a few lines of code.
Step 5: Update the URLs to include an endpoint to our API
But before we can access our face detection API, we first need to update the project URLs to include our face detection endpoint.
Simply open up the cv_api/cv_api/urls.py
file, and update it to include a URL endpoint to our face detection view:
from django.conf.urls import patterns, include, url from django.contrib import admin urlpatterns = patterns('', # Examples: url(r'^face_detection/detect/$', 'face_detector.views.detect'), # url(r'^$', 'cv_api.views.home', name='home'), # url(r'^blog/', include('blog.urls')), url(r'^admin/', include(admin.site.urls)), )
Step 6: Run the Django test server
Alright, now we’re ready to test out our face detection API!
Simply use your terminal to navigate back to the cv_api
project root and fire up the test server:
$ python manage.py runserver
Our web server is now available at http://localhost:8000
And if you open up your web browser and point it to http://localhost:8000/face_detection/detect/
you should see the JSON response from our face detection API:
Obviously, since we have not uploaded an image to our API, we are getting a JSON response of {success: false}
, implying that a face could not be detected in the (non-existent) image.
Step 7: Test out the face detection API via cURL
Before we do anything too crazy, let’s test out our face detection using cURL. We’ll start by passing the URL of this image (https://hcl.pyimagesearch.com/wp-content/uploads/2015/05/obama.jpg) of Barack Obama into our face detection API:
Let’s construct the command to interact with our face detection API via cURL:
$ curl -X POST 'http://localhost:8000/face_detection/detect/' -d 'url=https://hcl.pyimagesearch.com/wp-content/uploads/2015/05/obama.jpg' ; echo "" {"num_faces": 1, "success": true, "faces": [[410, 100, 591, 281]]}
And sure enough, based on the output we were able to detect Obama’s face (although we can’t yet visualize the bounding box, we’ll do that in the following section).
Let’s try another image, this time uploading via file instead of URL:
Again, we’ll need to construct our cURL command, assuming that the name of the above file is adrian.jpg
:
$ curl -X POST -F image=@adrian.jpg 'http://localhost:8000/face_detection/detect/' ; echo "" {"num_faces": 1, "success": true, "faces": [[180, 114, 222, 156]]}
And based on the JSON response we were indeed about to detect the face in the image.
Step 8: Write some Python code to interact with the face detection API
Using cURL to test out our face detection API was simple enough — but let’s write some actual Python code that can upload and interact with images sent to our API. This way we can actually ingest the JSON response and draw the bounding boxes surrounding the faces in the images.
Open up a new file, name it test_api.py
, and include the following code:
# import the necessary packages import requests import cv2 # define the URL to our face detection API url = "http://localhost:8000/face_detection/detect/" # use our face detection API to find faces in images via image URL image = cv2.imread("obama.jpg") payload = {"url": "https://hcl.pyimagesearch.com/wp-content/uploads/2015/05/obama.jpg"} r = requests.post(url, data=payload).json() print "obama.jpg: {}".format(r) # loop over the faces and draw them on the image for (startX, startY, endX, endY) in r["faces"]: cv2.rectangle(image, (startX, startY), (endX, endY), (0, 255, 0), 2) # show the output image cv2.imshow("obama.jpg", image) cv2.waitKey(0) # load our image and now use the face detection API to find faces in # images by uploading an image directly image = cv2.imread("adrian.jpg") payload = {"image": open("adrian.jpg", "rb")} r = requests.post(url, files=payload).json() print "adrian.jpg: {}".format(r) # loop over the faces and draw them on the image for (startX, startY, endX, endY) in r["faces"]: cv2.rectangle(image, (startX, startY), (endX, endY), (0, 255, 0), 2) # show the output image cv2.imshow("adrian.jpg", image) cv2.waitKey(0)
We’ll start by importing the requests
package to handle sending and receiving data from our API. We’ll also import cv2
for our OpenCV bindings.
From there, Lines 6-20 handle uploading an image via URL to our face detection API.
All we need to do is define a payload
dictionary that contains a url
key, with the corresponding value being our image URL of Barack Obama above. We then ship this payload dictionary to the face detection endpoint (Lines 6-11), where our API responds with the number of faces detected in the image, along with the bounding boxes of the faces. Finally, we take the bounding boxes and draw them on the actual image (Lines 15-20).
We’ll also upload an image from disk to our face detection API on Lines 24-35. Just like uploading an image via URL, uploading from an image from disk is just as simple — we just need to specify the files
parameter rather than the data
parameter when making a call to requests.post
.
To see our script in action, just execute the following command:
$ python test_api.py
First, we’ll see the image of the bounding box drawn around Obama’s face:
Followed by the successful detection and bounding box around my face:
Clearly our face detection API is working! And we were able to utilize it via both image file upload and image URL.
Faces aren’t being detected in my images. What gives?
If you downloaded the code to this post and gave it a try with your own images, you might have run into circumstances where faces were not detected in your images — even though the faces were clearly visible.
So what gives?
While Haar cascades are quite fast and can obtain decent accuracy, they have two prominent shortcomings.
The first is parameter tuning — you’ll need to tweak the parameters of detectMultiScale
to get the detection just right for many images. It can be a real pain, especially if you are looking to process many images in bulk and can’t visually inspect the output of each face detection.
The second shortcoming of Haar cascades is that they can be highly prone to false positives, meaning that faces are detected when there really aren’t any faces there! Again, this problem can be fixed by tuning the parameters of detectMultiScale
on a case-by-case basis.
In reality, Haar cascades and the Viola-Jones detector, while effective, have ran their course in computer vision history. For highly accurate object detectors we now rely on HOG + Linear SVMs and deep learning based methods, especially Convolutional Neural Networks.
That all said, it’s hard to beat the pure speed of Haar cascades, even if their accuracy and false-positive rate is a bit sub-par, at least compared to today’s state-of-the-art techniques.
Bonus: A live example of the face detection API
Want to give the face detection API a try? No problem.
I already have a face detection API instance spun up and running. You can find the face detection API endpoint here:
http://api.hcl.pyimagesearch.com/face_detection/detect/
And here’s another cURL example of detecting faces in an image to get you started. Only this time we are using the live API endpoint:
$ curl -X POST 'http://api.hcl.pyimagesearch.com/face_detection/detect/' -d 'url=https://hcl.pyimagesearch.com/wp-content/uploads/2015/05/obama.jpg' ; echo "" {"num_faces": 1, "success": true, "faces": [[410, 100, 591, 281]]}
So given the URL http://api.hcl.pyimagesearch.com, I bet you can guess what next week’s announcement is…but I’ll leave the rest until next Monday.
What's next? I recommend PyImageSearch University.
30+ total classes • 39h 44m video • Last updated: 12/2021
★★★★★ 4.84 (128 Ratings) • 3,000+ Students Enrolled
I strongly believe that if you had the right teacher you could master computer vision and deep learning.
Do you think learning computer vision and deep learning has to be time-consuming, overwhelming, and complicated? Or has to involve complex mathematics and equations? Or requires a degree in computer science?
That’s not the case.
All you need to master computer vision and deep learning is for someone to explain things to you in simple, intuitive terms. And that’s exactly what I do. My mission is to change education and how complex Artificial Intelligence topics are taught.
If you're serious about learning computer vision, your next stop should be PyImageSearch University, the most comprehensive computer vision, deep learning, and OpenCV course online today. Here you’ll learn how to successfully and confidently apply computer vision to your work, research, and projects. Join me in computer vision mastery.
Inside PyImageSearch University you'll find:
- ✓ 30+ courses on essential computer vision, deep learning, and OpenCV topics
- ✓ 30+ Certificates of Completion
- ✓ 39h 44m on-demand video
- ✓ Brand new courses released every month, ensuring you can keep up with state-of-the-art techniques
- ✓ Pre-configured Jupyter Notebooks in Google Colab
- ✓ Run all code examples in your web browser — works on Windows, macOS, and Linux (no dev environment configuration required!)
- ✓ Access to centralized code repos for all 500+ tutorials on PyImageSearch
- ✓ Easy one-click downloads for code, datasets, pre-trained models, etc.
- ✓ Access on mobile, laptop, desktop, etc.
Summary
In this blog post we learned how to wrap our computer vision applications into an easy to use and consume, JSON web API. We utilized the Django web framework to build our API, but we could use any other Python web framework such as Flask — it really depends on your personal preference and how simple or advanced you want your API to be.
I also shared my personal boilerplate API code that you can use to wrap your own computer vision applications and make them web-ready.
Finally, I gave a sneak preview of next week’s big announcement — the (free) PyImageSearch API.
So, what’s next?
If you enjoyed this blog post and want to learn more about computer vision and OpenCV, I would definitely recommend taking a look at my book, Practical Python and OpenCV + Case Studies.
Inside my book you’ll continue to learn all about face detection (including an explanation of the detectMultiScale
parameters I mentioned earlier in this post) in both images and video, tracking objects in video, recognizing handwritten digits, and even how to identify book covers in a snap of your smartphone.
If these topics sound interesting to you, definitely take a look and consider grabbing a free sample chapter.
Download the Source Code and FREE 17-page Resource Guide
Enter your email address below to get a .zip of the code and a FREE 17-page Resource Guide on Computer Vision, OpenCV, and Deep Learning. Inside you'll find my hand-picked tutorials, books, courses, and libraries to help you master CV and DL!
Hey!
Nice article 🙂 I did pretty similar stuff with nodejs and here’s a friend warning: OpenCV cascade classifier is not thread-safe. I’m not quite sure how Django serves multiple request, but simultaneous calls to detectMultiScale function on same classifier can crash the app. Cheers!
Hey Eugene, thanks for the tip! I configured the Django webserver to allocate one thread per request, thus each request has its own independent thread. Theoretically, that should prevent the problem.
Could you please guide us on how to configure Django webserver to allocate one thread per request?
Would be helpful.
Thanks and Regards,
Reader
Hey Vivek — that sounds like a great question for the Django community. I am not a Django expert and would not want to give you poor advice.
Hello Adrian
This is a really cool article.
This article talks about face detection. Are there any similar articles for facial comparison for django. My goal is to uniquely identify a user with their profile picture.
Warmest
Hey Sechaba, great question. I haven’t covered face recognition on the PyImageSearch blog yet, but I do cover it in the PyImageSearch Gurus course.
Thanks for this code, was extremely useful. I wanted to be able to extend the APIs to be able to actually serve back images to the browser to make it easier to test/check the image operations i’m running on the server. So for example I could carry out a
cv2.rectangle
operation on the image to highlight the face detected and return that image to the caller.see snippet below to return any opencv “image” to the browser :
—————————————————————————
Awesome, thanks for sharing! 🙂
if I’m using cURL how to get the image ?
THANKS a lot
Where can I find your copy of pre-trained face detector inside the face_detector/cascade?
The Haar face detector cascade is included in the source code download of the post. Additionally, you can grab it from the OpenCV repository
Hi, I got stuck on point 3a, please where I have to save boilerplate code?? 🙂
That goes inside the
views.py
. I would suggest using the code download form at the bottom of the post to download my original code so you can look at the directory structure of the project.I using Python 3 for the testing and
cv2.cv.CV_HAAR_SCALE_IMAGE
is no longer support . have to replace withcv2.CASCADE_SCALE_IMAGE
Thanks for sharing!
Hello!
I’m trying to containerize this and make it work on various hardware, then add face recognition on top of the detection.
However, for some reason I don’t understand, I always get stuck with :
curl -X POST ‘http://localhost:8000/face_detection/detect/’ -d ‘url=https://www.pyimagesearch.com/wp-content/uploads/2015/05/obama.jpg’ ; echo “”
{“num_faces”: 0, “success”: true, “faces”: []}
Whatever the image, it always answers 0, and I don’t get why. Would you mind just having a look at the www folder in the repo and see if you detect something? I have spent ages on it, and I don’t get it. Frustration.
Using a similar core out of the API does actually see the face(s) in images.
Thanks in advance,
I just tested the curl command on my system and it indeed works properly. You might be using a different version of OpenCV. Unfortunately, the parameters to
detectMultiScale
can be a bit finicky and you often need to play with them. I discuss each of the parameters todetectMultiScale
(and how to tune them) inside Practical Python and OpenCV.Hi Adrian,
Is really awesome article. I did the complete post and works :), thanks. Later, i used the Yes and Mouth.xml however I can’t detect the mouth in my pics.
🙁 Any clue? thanks a lot
Be sure to tune the parameters to
detectMultiScale
, specifically the minNeighbors and scaleFactor. They have a dramatic impact on detection accuracy.Thanks Adrian for this simple explaination on the face detection. I have been thinking of a high school research project to detect gender for a given photograph using openCV3. I am new to the field but love to use this project to enhance my knowledge in this field. Any guidance and direction will be very appreciated.
Thanks – Esha
There are many ways to apply gender + age detection. Currently, the most accurate methods use Convolutional Neural Networks (CNNs), but these methods require a lot of labeled data. That said, for a high school research project I would suggest using a much more simple feature-based approach such as Eigenfaces or LBPs. These methods are traditionally used for face recognition, for the same features can also be used for age + gender identification as well.
Are you referring to this ?
http://www.openu.ac.il/home/hassner/projects/cnn_agegender/
Yep, that’s the one!
thank you for this post , its great
I’m trying to use boilerplate code with code in this post :
Detecting machine-readable zones in passport images
https://www.pyimagesearch.com/2015/11/30/detecting-machine-readable-zones-in-passport-images/
would you help me ?
What specifically are you having a problem with? Make sure you download the code to both blog posts. Your web API endpoint should accept an input image, pass the image onto the MRZ code, and then return the result.
Thank you for your replay,
How to pass the image to detect_mrz.py file ? and get the result to use it in view
You’ll need to modify the two files and merge them together. I don’t recommend calling
detect_mrz.py
directly from the view. Start with the boilerplate code in this post (Step 3a) and then insert the MRZ code, starting at Line 34Hi, I am brazilian and my english is not very good, so I have gone unnoticed at some point. I created a django project and an application the way you taught, but when I run it, however says “No module named ‘cv2′”
Make sure you have OpenCV and Django installed into the same virtual environment, otherwise you will not be able to import the OpenCV bindings.
I’m trying to get out of the virtual environment, while it worked. I’m trying to make a django application to load any image and apply some digital image processing filter and return the filtered image, have any suggestions? thanks a lot for the reply!
If you’re trying to exit the virtual environment you can use the
deactivate
command. As for your Django application, I would suggest accepting an uploaded image, processing it to your liking, and then returning a URL where the end user can access the processed image.Thanks again!
hai adrian,i am newbie in linux and python,i want to try motion detection with open cv,and stream it from web in another computer.could you help me how to do it? sorry for bad english
It is certainly possible. I do not have any tutorials related to video streaming from one system to another, but I’ve made note of the suggestion and will try to give it in a future blog post.
Thanks,
Did you work on Gender Detection?
Good day
I don’t have any public tutorials on gender detection and recognition, but this is something I would like to cover in the future.
Hi Adrian,
I currently have a CV project that runs locally with live feed from picam. Do you think it’s possible to turn this code into an Web API ?
I mean, I’d have to pass my camera device (e.g. /dev/video0) as a parameter and the web api would loop over it? Or each captured frame individually would have to be send for the API? Thanks
You can certainly send your frames to an API endpoint, that’s not an issue. But keep in mind that this will be much slower than simply processing the frames locally. You’ll be introducing lots of network I/O which will really slow down the process.
Would introducing sockets help make this faster. I’m trying to run face recognition on a user’s camera stream from their phone.
Thnaks ,it’s very useful
While running the code in python, the error came like
Import error: requests module.
I have downloaded the zip file from mail.pls help.
Make sure you have installed the
requests
Python package (Step #1):$ pip install requests
Note that urls.py must be changed in newer versions of django as the library ‘patterns’ as well as string paths to applications appear to no longer be used. I’m using 1.10.2 and was able to resolve the issue with the following urls.py:
Thanks for sharing Gregory!
hi adrian how to use predict function to get name for face stored in database and confidence for recognition and if face is unknown to database how to show its confidence in open cv python ?
help me on this please….
Hey Vivek — I assume you are referring to creating a piece of software what can not only detect faces in images but also recognize who the face is? If so, that is called “facial recognition”. Popular algorithms include Eigenfaces and LBPs for face recognition. You can also use CNNs for face recognition as well. I cover these methods for face recognition inside the PyImageSearch Gurus course.
hi this is grate thing to use make web api of python code. i have just want to know that if instead of image if some one want to upload video than what change we should do?? suppose we have to count number persons pass from particular area than how to do that if we have python code ready. how to use web api with it. i think we need to upload video but i dont know how to do that. so if you guide me regarding to this than it will be helpful. thanks
Your goal is to process a video rather than an image? If so, you’ll want to update the code to work with reading video streams. I demonstrate how to use the
cv2.VideoCapture
method in in this blog post. I discuss it more thoroughly inside my book, Practical Python and OpenCV.cv2.cv.CV_HAAR_SCALE_IMAGE was replaced with cv2.CASCADE_SCALE_IMAGE
so in views.py, line 44,
’‘’python
minSize=(30, 30), flags=cv2.cv.CV_HAAR_SCALE_IMAGE)
“`
should be corrected or else python test_api.py won’t work
You are correct if you are using OpenCV 3, the flag should be
cv2.CASCADE_SCALE_IMAGE
. For OpenCV 2.4 (when this blog post was written) the flag iscv2.cv.HAAR_SCALE_IMAGE
hi adrian thanks for the post. i just tried it but i couldnt pass an image file myself, i’ve been using postman as a rest client but the server was requiring urls for each time. i believe the code should grab the file, could you please help me how can i post the image file
I haven’t used postman, but I have provided a cURL example of how to POST the image in this post.
Hello, im working on an api that works with openCv and i was wondering what is the best way to receive images from the android app that will capture them. in order to read them later with cv2.
i will have to send 2 images, 1 string and 1 json object.
note that the android doesnt have have to save them , so i cant get them by url .
I haven’t developed an Android app before, but I would suggest looking into “message passing” libraries for this.
Thanks sir. Really helpful article.can it extended to face recognition??
Absolutely. I cover face recognition inside the PyImageSearch Gurus course.
Superb article. i got a question though. if i want to make an android application that detect faces online combining with django. will it works? like the android upload the image to the django’s db then the app read the image’s url and then processed it. afterward the detected image is saved on the db once again then downloaded on the android. will it works? since you’re using cURL i thought it might work thoguh
Yes, using this template you can build your own computer vision REST-like APIs. You would need to perform the face detection + recognition on the server and then send the result back to the device. I cover face recognition inside the PyImageSearch Gurus course.
whoa awesome. one more question though. your process is on view.py because the template didnt need to play with db at all. if i build my own APIs, the process should be on view.py or models.py?
Any code logic should be taken care of in the view. Any database models inside models.py.
ahh i see, thank you for the insight
i want to ask one more question haha. where do you place the test_api.py?
The
test_api.py
script can be placed anywhere on your system.hi im getting error when running your code even after download it directly from your website.
the error says
ValueError: No JSON object could be decoded
from
r = requests.post(url, data=payload).json()
when running test_api.py
do you have any idea what the error means? thank you
If a JSON object could not be decoded then the server returned an invalid response. This could be due to an invalid image trying to be uploaded. Double-check your code and try again. I would also suggest using cURL to validate this as well.
Hi,
I am getting a `Bad Request (400)` when trying to perform the obama cURL operation. I am using an Ubuntu 16.04 VPS, and I have two putty windows open, one with the django server running and the other i run the cURL command. Can’t figure out why it is a bad request.
Thanks for your tutorials by the way, they’ve been very helpful!
Hi Theo — I’m not sure what the exact issue is here. You may be running a different version of Django than the one I was using when writing this tutorial a few years ago or your host server may be misconfigured.
How to deploy it on heroku ?
I have a question, If i want only recognize my face and labeling with my name, I should training a cascade classifier only with my face? and how put a label?. Thank you for your help
You cannot use Haar cascades for face recognition, only face detection. Popular face recognition algorithms include Eigenfaces, LBPs for face recognition, and using deep learning to construct face embeddings. I cover face recognition inside the PyImageSearch Gurus course. I hope that helps give you a starting point!
Hi Adrian.
For face detection, is it possible to know the coordinate of the detected face?
Line 47 gives you the (x, y)-coordinates of each detected face.
That’s a great article. I was reading it because I was finding the solution for the problem I am facing in face detection. There are 2 problems which I faced.
1.) OpenCV was detecting wrong face boundaries i.e. there was no face in the face boundary that was detected,
2.) If I upload a high-resolution image for example (2000,1500), sometimes the program was not able to detect the face.
3.) Also, I upload different sizes of images, then minSize=(30, 30) parameter does not helps.
Can you provide me your views or solution regarding these problems?
I actually just published an updated tutorial on face detection using deep learning. Take a look as it will help address your questions and reduce the number of parameters you have to tune.
Thank you very much Adrian. you are amazing man. keep up.
Thank you amine 🙂
thank you for your tutorial adrian…but i have a problem that when i run the server from the command line just like what you say
there is an error in the import of patterns in that line in your code
from django.conf.urls import patterns, include, url
the error is that django not support the import patterns
and i use 1.11 django version with python 2.7 just like u and i run your original code too
can i get some help please!!
Hi Adrian,
Your tutorials might be the best there are, explaining each line of code!
Got a problem running the server though, it seems import patterns has been depreciated since Django 1.8. Would it be possible to update the tutorial.
Thank you for sharing your knowledge!
Hi Yiğit, I’ll update the post soon. In the meantime, the changes are very minor and you should be able to work through them with a little bit of research.
dear Adrian,
is it possible to pass frames from webcam to the using this django framework?
You could, but you would need to:
1. Poll frames from the camera
2. Upload each frame to the API
3. Display the results
If you’re looking for real-time performance you should perform the face detection locally on the device.
Which version of Django that you have used for his project?. I think the code is now deprecated.
This tutorial is over 3 years old at this point so I cannot recall which version of Django I used. Either way, yes, the Django library has changed a lot since then. I would suggest you refer to the Django documentation if you would like to reimplement.
Adrian, thanks for the article. This was my initial motivation to try my own.
For those reading, if you want to try a flask version that is updated to work with recent versions, see https://github.com/pliablepixels/mlapi (of course, Adrian’s post is credited there)
Nice job, Pliable! And thank you for crediting the blog as well, I really appreciate that.
I am trying use that API for face comparison. I mean i have two face, on which I will make comparison that either these both faces are same or not. How I can modify that API to accept two images, via curl command. Pleas help me out to send two images via URL.
thanks for your cooperation