Python OpenCV 在图像上查找五边形轮廓

3

我正在尝试从简单的附加图像中读取数字。

enter image description here

我正在尝试寻找带有数字的五边形。然而,当我使用OpenCV的findcontour函数查找五边形时,它并没有给出正确的值。我已经尝试了各种排列组合的方法,但都没有成功。

到目前为止,我已经尝试了以下方法:

import cv2 as cv
import numpy as np

im = cv.imread(r'out.jpg')
imgray = cv.cvtColor(im, cv.COLOR_BGR2GRAY)
ret, thresh = cv.threshold(imgray, 200, 255, 0)

contours, hierarchy = cv.findContours(thresh, cv.RETR_LIST  , cv.CHAIN_APPROX_SIMPLE)

for c in contours:
    print(len(c))

输出: 1 1 1 1 1 1 1 1 38 36 1 1 85 87 128 133 55 47 4 4 7 4 4 4

以上数字中没有5,因此这些点不可能是五边形。

请问我是否犯了任何错误?

1个回答

3

您正在正确的道路上。在找到轮廓后,您需要使用cv2.approxPolyDP+cv2.arcLength来执行轮廓近似。您可以检查cv2.approxPolyDP的返回值,它会给出多边形曲线形状的近似值。如果这个值是5,那么您可以认为它是一个五边形。以下是一个简单的方法:

  1. 获取二进制图像。加载图像,灰度化,双边滤波器Otsu自适应阈值分割

  2. 查找轮廓并执行轮廓近似。使用cv2.findContours找到轮廓,然后进行轮廓近似。如果轮廓通过此过滤器,则使用cv2.boundingRect提取边框矩形的坐标,并使用Numpy切片提取/保存ROI。


青色区域为检测到的ROI

enter image description here

提取/保存的ROI

enter image description here

注意:有两个ROI另存为单独的图像,但它们是相同的。

代码:

import cv2
import numpy as np

# Load image, grayscale, bilaterial filter, Otsu's threshold
image = cv2.imread('1.jpg')
original = image.copy()
gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY)
blur = cv2.bilateralFilter(gray,9,75,75)
thresh = cv2.threshold(blur, 0, 255, cv2.THRESH_BINARY_INV + cv2.THRESH_OTSU)[1]

# Find contours, perform contour approximation, and extract ROI
ROI_num = 0
cnts = cv2.findContours(thresh, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE)
cnts = cnts[0] if len(cnts) == 2 else cnts[1]
for c in cnts:
    peri = cv2.arcLength(c, True)
    approx = cv2.approxPolyDP(c, 0.04 * peri, True)
    # If has 5 then its a pentagon
    if len(approx) == 5:
        x,y,w,h = cv2.boundingRect(approx)
        cv2.rectangle(image, (x, y), (x + w, y + h), (200,255,12), 2)
        ROI = original[y:y+h, x:x+w]
        cv2.imwrite('ROI_{}.png'.format(ROI_num), ROI)
        ROI_num += 1

cv2.imshow('thresh', thresh)
cv2.imshow('ROI', ROI)
cv2.imshow('image', image)
cv2.waitKey()

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接