Hi all.
I’m using opencv and numpy libraries to identify and draw a rectangle at the center of specific shapes. Below is the code I wrote so far and then I’ve added two different examples
Code:
import cv2
import numpy as np
from os import listdir
from os.path import isfile, join
def prepareImage(initial_image):
# Convert the image into grayscale
gray_image = cv2.cvtColor(initial_image, cv2.COLOR_BGR2GRAY)
# Increase the contrast based on the alpha and beta values (see CONFIGURATION)
contrasted_image = cv2.convertScaleAbs(gray_image, alpha=alpha, beta=beta)
# Invert the colors (black to white and vise versa) because findContours() method detects white areas
inverted_image = cv2.bitwise_not(contrasted_image)
return inverted_image
def getContours(inverted_image):
# Find Contours
ret, thresh = cv2.threshold(inverted_image, 125, 255, 0)
contours, hierarchy = cv2.findContours(thresh, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE)
# Draw Contours
# cv2.drawContours(inverted_image, contours, -1, (255,0,0), 3)
# showImage(inverted_image)
return contours
def extractVials(contours):
vial_contours = []
for contour in contours:
if cv2.contourArea(contour) > 1000:
vial_contours.append(contour)
return vial_contours
def drawCoordinates(vial_contours, image):
for contour in vial_contours:
# Find the center of the contour
cnt = contour
M = cv2.moments(cnt)
cX = int(M["m10"] / M["m00"])
cY = int(M["m01"] / M["m00"])
# Draw the rectangles of coordinates ontop of the initial image
draw_image = cv2.rectangle(image, (cX-int(window_x/2),cY-int(window_y/2)), (cX+int(window_x/2),cY+int(window_y/2)), (0,0,255), 2)
showImage(draw_image)
def showImage(image):
cv2.imshow("Image with Coordinates", image)
cv2.waitKey(0)
cv2.destroyAllWindows()
# CONFIGURATION
alpha = 2.9 # Contrast control (1.0-3.0)
beta = 0 # Brightness control (0-100)
window_x = 15
window_y = 20
images_path = 'CAPTURES'
# END OF CONFIGURATION
input_files = [f for f in listdir(images_path) if isfile(join(images_path, f))]
# Loop through all the images
for image_file in input_files:
image = cv2.imread(images_path + '/' + image_file)
p_image = prepareImage(image)
contours = getContours(p_image)
vial_contours = extractVials(contours)
drawCoordinates(vial_contours, image)
Examples:
In some cases the algorithm works pretty well since it finds all the vials and successfully draw the rectangles. Here is an example.
Initial image and with rectangles:
Other times it seems that the algorithm fails almost totally. Such an example is the following
Initial image and with rectangles:
I would like to make it more robust in any case. Could anyone suggest some changes or ideas to try?