0

在我处理了精明的边缘检测之后,我得到了边缘图像。但我只想保持短边(边缘来自角色)。并且有一些长边(这里我定义为超过图片高度的一半)。示例图片如下所示: 样本图片

那么如何去除超过图片高度一半的边缘呢?

相关问题: 去除水平/垂直长边

4

1 回答 1

3

您可以对minAreaRect包含边缘应用一些约束。你可以在这里找到一个例子,但是由于你的边缘接触到边界,你需要一个额外的技巧才能findContours正常工作,所以下面是改进的代码。

通过对纵横比的简单约束,您可以获得:

在此处输入图像描述

您删除红色边缘的位置:

在此处输入图像描述

您可以添加额外的约束,例如在 上height,以满足您的特定目的。

这里的代码:

#include<opencv2/opencv.hpp>
using namespace cv;


int main()
{
    // Load image
    Mat1b img = imread("path_to_image", IMREAD_GRAYSCALE);

    // Remove JPG artifacts
    img = img > 200;

    Mat1b result = img.clone();

    // Create output image
    Mat3b out;
    cvtColor(img, out, COLOR_GRAY2BGR);

    // Find contours
    Mat1b padded;
    copyMakeBorder(img, padded, 1, 1, 1, 1, BORDER_CONSTANT, Scalar(0));
    vector<vector<Point>> contours;
    findContours(padded, contours, RETR_LIST, CHAIN_APPROX_NONE, Point(-1, -1));

    for (const auto& contour : contours)
    {
        // Find minimum area rectangle
        RotatedRect rr = minAreaRect(contour);

        // Compute aspect ratio
        float aspect_ratio = min(rr.size.width, rr.size.height) / max(rr.size.width, rr.size.height);

        // Define a threshold on the aspect ratio in [0, 1]
        float thresh_ar = 0.05f;

        // Define other constraints

        bool remove = false;
        if (aspect_ratio < thresh_ar) {
            remove = true;
        }

        // if(some_other_constraint) { remove = true; }

        Vec3b color;
        if (remove) {
            // Almost straight line
            color = Vec3b(0, 0, 255); // RED

            // Delete edge
            for (const auto& pt : contour) {
                result(pt) = uchar(0);
            }
        }
        else {
            // Curved line
            color = Vec3b(0, 255, 0); // GREEN
        }

        // Color output image
        for (const auto& pt : contour) {
            out(pt) = color;
        }
    }

    imshow("Out", out);
    imshow("Result", result);
    waitKey();

    return 0;
}
于 2016-10-19T09:41:55.483 回答