Skip to content Skip to sidebar Skip to footer

Draw Line On A Gridless Image Python Opencv

I have an image like this below. [![enter image description here][2]][2] I try to add both vertical and horizontal lines between rows and columns. I succeeded in adding the horizon

Solution 1:

Your issue is that count is one dimensional no matter whether along axis 0 or 1. So you have to transpose the x,y and w,h in your bounding boxes to use as you did in Python/OpenCV.

Input:

enter image description here

import cv2
import numpy as np

# read image
img = cv2.imread("gridless_table.png")
hh, ww = img.shape[:2]

# convert to grayscale 
gray = cv2.cvtColor(img,cv2.COLOR_BGR2GRAY)

# threshold gray image
thresh = cv2.threshold(gray, 254, 255, cv2.THRESH_BINARY)[1]

# count number of non-zero pixels in each column
count = np.count_nonzero(thresh, axis=0)

# threshold count at hh (height of image)
count_thresh = count.copy()
count_thresh[count==hh] = 255
count_thresh[count<hh] = 0
count_thresh = count_thresh.astype(np.uint8)

# get contours
contours = cv2.findContours(count_thresh, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
contours = contours[0] if len(contours) == 2 else contours[1]

# loop over contours and get bounding boxes and xcenter and draw vertical line at ycenter
result = img.copy()
for cntr in contours:
    # must transpose x,y and w,h since count is one-dimensional but represents each column
    y,x,h,w = cv2.boundingRect(cntr)
    print(x,y,w,h)
    xcenter = x+w//2
    cv2.line(result, (xcenter,0), (xcenter, hh-1), (0, 0, 0), 2)

# save results
cv2.imwrite("gridless_table_lines.png", result)

# display results
cv2.imshow("THRESHOLD", thresh)
cv2.imshow("RESULT", result)
cv2.waitKey(0)

Result:

enter image description here

Post a Comment for "Draw Line On A Gridless Image Python Opencv"