我有一个二进制图像,如下所示,在这里我必须找到矩形的内部角点。我试图使用 OpenCV findcontours函数来获取矩形边界和角点,但是它没有提供我要查找的确切点位置(它提供了外部角点)。有解决问题的想法或方法吗?
opencv - 查找矩形的内部角点-LMLPHP

最佳答案

如注释中所述,您需要使用cv2.RETR_CCOMP。以下实现在python中:

img = cv2.imread(os.path.join(r'C:\Users\Jackson\Desktop\stack\contour', FILE_NAME))
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY) # Don't use magic numbers
thresh = cv2.threshold(gray, thresh=BLACK_THRESHOLD, maxval=255, type=cv2.THRESH_BINARY)[1]

#--- Find the contours ---
_, contours, hierarchy = cv2.findContours(thresh, cv2.RETR_CCOMP, cv2.CHAIN_APPROX_SIMPLE)

#--- get hierarchy descriptions ---
print(hierarchy)

返回:
[[-1 -1  1 -1]
 [-1 -1 -1  0]]

是什么意思?

层次结构有助于在轮廓之间建立父子关系。子轮廓是指在外部轮廓内的轮廓,也称为父轮廓。

层次结构返回具有以下含义的数组:

[下一个,上一个,第一个 child , parent ]

THIS DOC对此主题有很多启发。
#--- creating a copy of original image ---
img2 = img.copy()

#--- checking whether the contour in hierarchy is a child and if it is then draw it ---
for i in hierarchy:
    print(i)
    if i[2] > 0:
        cv2.drawContours(img2, [contours[i[2]]], 0, (0,255,0), 2)

cv2.imshow('img2', img2)
cv2.waitKey(0)
cv2.destroyAllWindows()

opencv - 查找矩形的内部角点-LMLPHP

09-27 14:09