这是一个完整的工作示例。它输出所有轮廓有点过头了,但我认为你可能会找到一种方法来调整它以适应你的喜好。也不确定复制是什么意思,所以我假设您只想将轮廓输出到文件中。
我们将从这样的图像开始(在这种情况下,您会注意到我不需要对图像进行阈值处理)。下面的脚本可以分解为 6 个主要步骤:
- Canny 过滤器找到边缘
cv2.findContours
要跟踪我们的轮廓,请注意我们只需要外部轮廓,因此需要cv2.RETR_EXTERNAL
标志。
cv2.drawContours
将每个轮廓的形状绘制到我们的图像上
- 遍历所有轮廓并在它们周围放置边界框。
- 使用
x,y,w,h
我们框的信息来帮助我们裁剪每个轮廓
- 将裁剪后的图像写入文件。
import cv2
image = cv2.imread('images/blobs1.png')
edged = cv2.Canny(image, 175, 200)
contours, hierarchy = cv2.findContours(edged, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
cv2.drawContours(image, contours, -1, (0,255,0), 3)
cv2.imshow("Show contour", image)
cv2.waitKey(0)
cv2.destroyAllWindows()
for i,c in enumerate(contours):
rect = cv2.boundingRect(c)
x,y,w,h = rect
box = cv2.rectangle(image, (x,y), (x+w,y+h), (0,0,255), 2)
cropped = image[y: y+h, x: x+w]
cv2.imshow("Show Boxes", cropped)
cv2.waitKey(0)
cv2.destroyAllWindows()
cv2.imwrite("blobby"+str(i)+".png", cropped)
cv2.imshow("Show Boxes", image)
cv2.waitKey(0)
cv2.destroyAllWindows()