How to detect and recognize license plates using Python?
Translator|Bugatti
Reviewer|Sun Shujuan
License plate detection and recognition technology is widely used and can be used in road systems, ticketless parking lots, Vehicle access control, etc. This technology combines computer vision and artificial intelligence.
This article will use Python to create a license plate detection and recognition program. The program processes the input image, detects and recognizes the license plate, and finally displays the license plate characters as output.
1. Create a Python environment
To easily complete this tutorial, you need to be familiar with the basics of Python. The program environment should be created first.
Before you start programming, you need to install several libraries in your environment. Open any Python IDE and create a Python file. Run the command on the terminal to install the corresponding library. You should have Python PIP pre-installed on your computer.
- #OpenCV-Python: You will use this library to preprocess input images and display individual output images. pip install OpenCV-Python
- imutils: You will use this library to crop the original input image to the desired width. pip install imutils
- pytesseract: You will use this library to extract license plate characters and convert them into strings. pip install pytesseract The pytesseract library relies on the Tesseract OCR engine for character recognition.
2. How to install Tesseract OCR on your computer?
Tesseract OCR is an engine that can recognize language characters. Before using the pytesseract library, you should install it on your computer. Here are the steps:
#1. Open any Chrome-based browser.
2. Download the Tesseract OCR installer.
3. Run the installer and install it like any other program.
After preparing the environment and installing tesseract OCR, you can write your program.
1. Import the library
First import the library installed in the environment. Importing libraries allows you to call and use their functions in your project.
- import cv2
- import imutils
- import pytesseract
You need Import the OpenCV-Python library in cv2 form. Import other libraries using the same names as when installed.
2. Get the input
and point pytesseract to the location where the Tesseract engine is installed. Use the cv2.imread function to take the car image as input. Replace the image name with the name of the image you are using. Store images in the same folder as your project for ease of use.
pytesseract.pytesseract.tesseract_cmd = 'C:\Program Files\Tesseract-OCR\tesseract.exe' original_image = cv2.imread('image3.jpeg')
You can replace the input image below with the image you want to use.
3. Preprocess the input
Adjust the image width to 500 pixels and then convert the image to grayscale because of canny edge detection Function only works on grayscale images. Finally, the bilateralFilter function is called to reduce image noise.
original_image = imutils.resize(original_image, width=500 ) gray_image = cv2.cvtColor(original_image, cv2.COLOR_BGR2GRAY) gray_image = cv2.bilateralFilter(gray_image, 11, 17, 17)
4. Detect the license plate at the input end
Detecting the license plate is the process of determining the part of the car that has the license plate characters.
(1) Perform edge detection
First call the cv2.Canny function, which can automatically detect preprocessing edges on the image.
edged_image = cv2.Canny(gray_image, 30,200)
We will find the outline through these edges.
(2) Find contours
Call the cv2.findContours function and pass a copy of the edge image. This function will detect contours. Use the cv2.drawContours function to draw the detected contours on the original image. Finally, output the original image with all visible contours drawn.
contours, new = cv2.findContours(edged_image.copy(), cv2.RETR_LIST, cv2.CHAIN_APPROX_SIMPLE) img1 = original_image.copy() cv2.drawContours(img1, contours, -1, (0, 255, 0), 3) cv2.imshow("img1", img1)
The program draws all the contours it finds on the car image.
After you find the contours, you need to filter them to identify the best candidate contours.
(3) Filter contours
Filter the contours based on the minimum area of 30. Outlines smaller than this area are ignored as they are unlikely to be license plate outlines. Make a copy of the original image and draw the first 30 contours on the image. Finally, the image is displayed.
contours = sorted(contours, key = cv2.contourArea, reverse = True)[:30] # stores the license plate contour screenCnt = None img2 = original_image.copy() # draws top 30 contours cv2.drawContours(img2, contours, -1, (0, 255, 0), 3) cv2.imshow("img2", img2)
The number of outlines is now less than at the beginning. The only contours drawn are those that approximately contain the license plate.
Finally, you need to iterate through the filtered outlines and determine which one is the license plate.
(4) Traverse the first 30 contours
Create a for loop that traverses the contours. Find a contour with four corners and determine its perimeter and coordinates. Store an image containing the outline of a license plate. Finally, the license plate outline is drawn on the original image and displayed.
count = 0 idx = 7 for c in contours: # approximate the license plate contour contour_perimeter = cv2.arcLength(c, True) approx = cv2.approxPolyDP(c, 0.018 * contour_perimeter, True) # Look for contours with 4 corners if len(approx) == 4: screenCnt = approx # find the coordinates of the license plate contour x, y, w, h = cv2.boundingRect(c) new_img = original_image [ y: y + h, x: x + w] # stores the new image cv2.imwrite('./'+str(idx)+'.png',new_img) idx += 1 break # draws the license plate contour on original image cv2.drawContours(original_image , [screenCnt], -1, (0, 255, 0), 3) cv2.imshow("detected license plate", original_image )
After the loop, the program has identified the outline containing the license plate.
5.识别检测到的车牌
识别车牌意味着读取已裁剪车牌图像上的字符。加载之前存储的车牌图像并显示它。然后,调用pytesseract.image_to_string函数,传递已裁剪的车牌图像。这个函数将图像中的字符转换成字符串。
# filename of the cropped license plate image cropped_License_Plate = './7.png' cv2.imshow("cropped license plate", cv2.imread(cropped_License_Plate)) # converts the license plate characters to string text = pytesseract.image_to_string(cropped_License_Plate, lang='eng')
已裁剪的车牌如下所示。上面的字符将是您稍后在屏幕上输出的内容。
检测并识别车牌之后,您就可以显示输出了。
6.显示输出
这是最后一步。您将提取的文本输出到屏幕上。该文本含有车牌字符。
print("License plate is:", text) cv2.waitKey(0) cv2.destroyAllWindows()
程序的预期输出应该如下图所示:
车牌文本可以在终端上看到。
三、磨砺您的Python技能
用Python检测和识别车牌是一个有意思的项目。它有挑战性,所以应该会帮助您学到关于Python的更多知识。
说到编程,实际运用是掌握一门语言的关键。为了锻炼技能,您需要开发有意思的项目。
原文链接:https://www.makeuseof.com/python-car-license-plates-detect-and-recognize/
The above is the detailed content of How to detect and recognize license plates using Python?. For more information, please follow other related articles on the PHP Chinese website!

Python and C each have their own advantages, and the choice should be based on project requirements. 1) Python is suitable for rapid development and data processing due to its concise syntax and dynamic typing. 2)C is suitable for high performance and system programming due to its static typing and manual memory management.

Choosing Python or C depends on project requirements: 1) If you need rapid development, data processing and prototype design, choose Python; 2) If you need high performance, low latency and close hardware control, choose C.

By investing 2 hours of Python learning every day, you can effectively improve your programming skills. 1. Learn new knowledge: read documents or watch tutorials. 2. Practice: Write code and complete exercises. 3. Review: Consolidate the content you have learned. 4. Project practice: Apply what you have learned in actual projects. Such a structured learning plan can help you systematically master Python and achieve career goals.

Methods to learn Python efficiently within two hours include: 1. Review the basic knowledge and ensure that you are familiar with Python installation and basic syntax; 2. Understand the core concepts of Python, such as variables, lists, functions, etc.; 3. Master basic and advanced usage by using examples; 4. Learn common errors and debugging techniques; 5. Apply performance optimization and best practices, such as using list comprehensions and following the PEP8 style guide.

Python is suitable for beginners and data science, and C is suitable for system programming and game development. 1. Python is simple and easy to use, suitable for data science and web development. 2.C provides high performance and control, suitable for game development and system programming. The choice should be based on project needs and personal interests.

Python is more suitable for data science and rapid development, while C is more suitable for high performance and system programming. 1. Python syntax is concise and easy to learn, suitable for data processing and scientific computing. 2.C has complex syntax but excellent performance and is often used in game development and system programming.

It is feasible to invest two hours a day to learn Python. 1. Learn new knowledge: Learn new concepts in one hour, such as lists and dictionaries. 2. Practice and exercises: Use one hour to perform programming exercises, such as writing small programs. Through reasonable planning and perseverance, you can master the core concepts of Python in a short time.

Python is easier to learn and use, while C is more powerful but complex. 1. Python syntax is concise and suitable for beginners. Dynamic typing and automatic memory management make it easy to use, but may cause runtime errors. 2.C provides low-level control and advanced features, suitable for high-performance applications, but has a high learning threshold and requires manual memory and type safety management.


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

ZendStudio 13.5.1 Mac
Powerful PHP integrated development environment

mPDF
mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

Atom editor mac version download
The most popular open source editor

VSCode Windows 64-bit Download
A free and powerful IDE editor launched by Microsoft

Zend Studio 13.0.1
Powerful PHP integrated development environment