【问题标题】:OpenCV: shape detectionOpenCV:形状检测
【发布时间】:2020-01-28 06:54:46
【问题描述】:

我有不同形状的 .jpg 文件。我正在尝试检测每个图形的形状并将其打印出来。我正在使用下面的代码来创建和绘制轮廓。

contours, _ = cv2.findContours(threshold, cv2.RETR_TREE, cv2.CHAIN_APPROX_NONE)
for con in contours:
    approx = cv2.approxPolyDP(con, 0.01*cv2.arcLength(con, True), True)
    cv2.drawContours(img, [approx], 0, (0,0,0), 5)

if len(approx) == 4:
        cv2.putText(img, "Quadrilateral", (x,y), font, 1, (0))

现在我已经弄清楚cv2.approxPolyDp() 连接轮廓点并创建一个确定形状的边界,我如何确定确切的形状,即它是正方形还是矩形?如上面的代码,如果 len(approx) == 4

这是图片:

【问题讨论】:

  • 想想正方形和长方形的定义。对于正方形,所有边应具有相同的长度(带有一些 eps),并且两个随后的边应具有 90 度角(按顺时针或逆时针顺序)。为 restangle 创建类似的逻辑。

标签: python image opencv image-processing computer-vision


【解决方案1】:

您可以使用aspect ratio 来区分正方形和矩形。通过观察,正方形的长度和宽度相等,而矩形的一侧更长。可以应用相同的逻辑来识别圆形与椭圆形。结果如下:

import cv2

def detect_shape(c):
    shape = ""
    peri = cv2.arcLength(c, True)
    approx = cv2.approxPolyDP(c, 0.04 * peri, True)

    # Triangle
    if len(approx) == 3:
        shape = "triangle"

    # Square or rectangle
    elif len(approx) == 4:
        (x, y, w, h) = cv2.boundingRect(approx)
        ar = w / float(h)

        # A square will have an aspect ratio that is approximately
        # equal to one, otherwise, the shape is a rectangle
        shape = "square" if ar >= 0.95 and ar <= 1.05 else "rectangle"

    # Pentagon
    elif len(approx) == 5:
        shape = "pentagon"

    # Otherwise assume as circle or oval
    else:
        (x, y, w, h) = cv2.boundingRect(approx)
        ar = w / float(h)
        shape = "circle" if ar >= 0.95 and ar <= 1.05 else "oval"

    return shape

image = cv2.imread('1.png')
gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY)
thresh = cv2.adaptiveThreshold(gray,255,cv2.ADAPTIVE_THRESH_GAUSSIAN_C, cv2.THRESH_BINARY_INV,51,7)

cnts = cv2.findContours(thresh, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
cnts = cnts[0] if len(cnts) == 2 else cnts[1]
for c in cnts:
    shape = detect_shape(c)
    x,y,w,h = cv2.boundingRect(c)
    cv2.putText(image, shape, (x, y - 5), cv2.FONT_HERSHEY_SIMPLEX, 0.9, (36,255,12), 2)

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

【讨论】:

    猜你喜欢
    • 2016-06-01
    • 1970-01-01
    • 2013-05-16
    • 2015-04-10
    • 1970-01-01
    • 2021-06-28
    • 1970-01-01
    相关资源
    最近更新 更多