如何填充连接边缘的轮廓并在 python 中裁剪图像?

How to fill contour of connected edge and crop the image out in python?

click to view the image

左侧是原始图像,我使用精明的边缘检测方法只获取图像的外边缘,正如您从右侧图像中看到的那样。现在是否可以用白色填充连接的边缘并裁剪图像?抱歉,我是图像处理方面的新手

最好提供单独的图片。

这是 Python/OpenCV 中的一种方法。

  • 读取灰度图像
  • 阈值
  • 应用形态关闭
  • 得到一个外轮廓
  • 获取轮廓的边界框坐标
  • 在黑色背景上绘制一个白色轮廓作为填充
  • 裁剪结果
  • 保存结果


输入:

import cv2
import numpy as np

# load image
img = cv2.imread("outline.png", cv2.IMREAD_GRAYSCALE)

# threshold
thresh = cv2.threshold(img, 128, 255, cv2.THRESH_BINARY)[1]

# apply close morphology
#kernel = np.ones((5,5), np.uint8)
kernel = cv2.getStructuringElement(cv2.MORPH_ELLIPSE, (5,5))
thresh = cv2.morphologyEx(thresh, cv2.MORPH_CLOSE, kernel)

# get bounding box coordinates from the one filled external contour
filled = np.zeros_like(thresh)
contours = cv2.findContours(thresh, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
contours = contours[0] if len(contours) == 2 else contours[1]
the_contour = contours[0]
x,y,w,h = cv2.boundingRect(the_contour)
cv2.drawContours(filled, [the_contour], 0, 255, -1)

# crop filled contour image
result = filled.copy()
result = result[y:y+h, x:x+w]

# write result to disk
cv2.imwrite("outline_thresh.png", thresh)
cv2.imwrite("outline_filled.png", filled)
cv2.imwrite("outline_cropped.png", result)

# display results
cv2.imshow("THRESH", thresh)
cv2.imshow("FILLED", filled)
cv2.imshow("CROPPED", result)
cv2.waitKey(0)
cv2.destroyAllWindows()


阈值图像:

填充轮廓图像:

裁剪图像:

使用填充轮廓的替代方法是对内部进行洪水填充。