Advertisement
Similar to some previous posts, where we learned about edge detection, line detection, blob detection, lane detection, and so on. We are going to circle detection in OpenCV python in this OpenCV blog.
In the OpenCV Line Detection blog, we saw the function of the Hough lines which helped us detect lines in a picture, similar in this circle detection, we will use the function of Hough Circles. I would suggest you read the Line Detection OpenCV blog first, and then come to this blog to better understand it.
Imports
import cv2 as cv
import numpy as np
from matplotlib import pyplot as plt
Circle Detection OpenCV Algorithm
The first step is common in every OpenCV Detection program, i.e to load the image on which the algorithm is to be applied.
Image is resized and a colorful copy of that image is stored in another variable. The Image is then converted to the grayscale image as the HoughCircles()
function is applied only to the grayscale images.
Then the HoughCircle() function is applied to the grayscale image.
Gray scaled image is then blurred using medianBlur()
function.
The HoughCircles()
function in the OpenCV library takes many parameters.
- The grayscale image on which the circle detection is to be implemented.
- Gradient function – cv.HOUGH_GRADIENT
- DP value i.e the resolution of the accumulator
- minimum distance
- Number of circles
- parameter 1
- parameter 2
- Minimum Radius
- Maximum Radius
Formula of Circle:
(x-xc)2 + (y-yc)2 = r2 – HoughCircles()
function present in the OpenCV library uses this mathematical formula to detect circles.
def circleDetection():
img = cv.imread('./img/balls2.jpg')
img = cv.resize(img, (500, 400))
output = img.copy()
gray_img = cv.cvtColor(img, cv.COLOR_BGR2GRAY)
blur = cv.medianBlur(gray_img, 5)
circles = cv.HoughCircles(blur, cv.HOUGH_GRADIENT,
1, 100, 10, param1=130, param2=55, minRadius=5, maxRadius=0)
detected_circles = np.uint16(np.around(circles))
for (x, y, r) in detected_circles[0, :]:
cv.circle(output, (x, y), r, (0, 255, 0), 3)
cv.circle(output, (x, y), 2, (255, 0, 0), 3)
cv.imshow("Original Image", img)
cv.imshow("Output", output)
cv.waitKey()
cv.destroyAllWindows()
Shuffle the values of the HoughCircle()
function in order to get the perfect fit for your model.
Circle Detected Image
Learn about more Python OpenCV projects from Github.
Read other blogs to learn about more Python OpenCV Projects like Lane Detection, Lane Detection and so on.