我有这样一段python代码,它可以填充图像的轮廓,但保留其中包含的未填充的洞。这就是我想要的:
但这是我得到的:
我已经尝试指定轮廓层次填充cv 2,但我不能得到我想要的结果。
这是我尝试过的方法:
import numpy as np
import cv2
# Load the PNG image
img = cv2.imread('slice.png')
# Convert the image to grayscale
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# Threshold the image to create a binary image
ret, thresh = cv2.threshold(gray, 0, 255, cv2.THRESH_BINARY)
# Find the contours in the binary image
contours, hierarchy = cv2.findContours(thresh, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE)
# Create a blank image with the same dimensions as the original image
filled_img = np.zeros(img.shape[:2], dtype=np.uint8)
# Iterate over the contours and their hierarchies
for i, contour in enumerate(contours):
# Check if the contour has a parent
if hierarchy[0][i][3] == -1:
# If the contour doesn't have a parent, fill it with pixel value 255
cv2.drawContours(filled_img, [contour], -1, 255, cv2.FILLED)
# Display the result
cv2.imshow('Original Image', img)
cv2.imshow('Filled Regions', filled_img)
cv2.waitKey(0)
cv2.destroyAllWindows()
我试过修改“if hierarchy[0][i][3] == -1:'"部分的-1,0,1值,但它要么填充了较小的洞,要么像我发布的第一张图片一样填充了整个较大的轮廓。
1条答案
按热度按时间w1jd8yoj1#
问题是
cv2.drawContours
填充闭合轮廓的整个内部,而不管是否存在内部轮廓。代替用白色填充没有父轮廓的轮廓,我们可以从白色轮廓开始,并且用黑色填充没有子轮廓的轮廓。
假设我们知道内部部分应该是黑色的,我们可以应用以下阶段:
代码示例:
结果
filled_img
:注:
在我们不知道最内部轮廓的颜色的情况下,我们可以在黑色背景上绘制白色轮廓,并且使用结果作为掩模-使用掩模来复制输入图像的原始内容。
更新:
支持没有子对象的轮廓:
为了同时支持有子元素的轮廓和没有子元素的轮廓,我们可以用黑色填充,只填充匹配这两个条件的轮廓:
代码示例: