查找第一个红色像素并裁剪图片

时间:2018-12-05 18:44:10

标签: java c# opencv graphics tesseract

我想用OpenCV找到第一个红色像素,并在其右边剪切其余图片。

此刻,我编写了这段代码,但它的运行速度非常慢:

        int firstRedPixel = mat.Cols();
        int len = 0;


           for (int x = 0; x < mat.Rows(); x++)
            {
                for (int y = 0; y < mat.Cols(); y++)
                {
                    double[] rgb = mat.Get(x, y);
                    double r = rgb[0];
                    double g = rgb[1];
                    double b = rgb[2];

                    if ((r > 175) && (r > 2 * g) && (r > 2 * b))
                    {
                        if (len == 3)
                        {
                            firstRedPixel = y - len;
                            break;
                        }

                        len++;
                    }
                    else
                    {
                        len = 0;
                    }
                }
            }

有解决方案吗?

enter image description here

2 个答案:

答案 0 :(得分:2)

这不是使用计算机视觉的方法。我知道这一点,因为我也是这样做的。

一种实现目标的方法是使用模板匹配和从图像上切出的红色条,从而找到红色边框并将其切掉。

另一种方法是转移到HSV空间,过滤出红色内容,并根据需要使用轮廓查找来定位大型红色结构。

有很多方法可以做到这一点。不过,将自己循环到像素值上很少是正确的方法,并且您不会那样利用复杂的矢量化或算法。

答案 1 :(得分:2)

您可以:

1)查找红色像素(请参见enter image description here

enter image description here

2)获取红色像素的边框

enter image description here

3)裁剪图像

{{3}}

代码使用C ++,但是它只是OpenCV函数,因此移植到Java并不难:

#include <opencv2\opencv.hpp>

int main()
{
    cv::Mat3b img = cv::imread("path/to/img");

    // Find red pixels
    // https://stackoverflow.com/a/32523532/5008845
    cv::Mat3b bgr_inv = ~img;
    cv::Mat3b hsv_inv;
    cv::cvtColor(bgr_inv, hsv_inv, cv::COLOR_BGR2HSV);

    cv::Mat1b red_mask;
    inRange(hsv_inv, cv::Scalar(90 - 10, 70, 50), cv::Scalar(90 + 10, 255, 255), red_mask); // Cyan is 90

                                                                                            // Get the rect
    std::vector<cv::Point> red_points;
    cv::findNonZero(red_mask, red_points);

    cv::Rect red_area = cv::boundingRect(red_points);

    // Show green rectangle on red area
    cv::Mat3b out = img.clone();
    cv::rectangle(out, red_area, cv::Scalar(0, 255, 0));

    // Define the non red area
    cv::Rect not_red_area;
    not_red_area.x = 0;
    not_red_area.y = 0;
    not_red_area.width = red_area.x - 1;
    not_red_area.height = img.rows;

    // Crop away red area
    cv::Mat3b result = img(not_red_area);

    return 0;
}