0

您好,我正在做一个使用 OpenCV 检测矩形/正方形的 android 应用程序,为了检测它们,我正在使用 squares.cpp 中的函数(稍作修改)。找到的每个正方形的点存储在向量>正方形中,然后我将它传递给选择最大的函数并将其存储在向量 theBiggestSq 中。问题在于我将在下面粘贴代码的裁剪功能(我也会将链接发布到 youtube 以显示问题)。如果实际正方形距离相机足够远,它可以正常工作,但如果我在某个时候将它关闭一点,它会挂起。我将从 LogCat 发布问题的打印屏幕,并打印出点(取自 BiggestSq 向量的边界点,也许它有助于找到解决方案)。

void cutAndSave(vector<Point> theBiggestSq, Mat image){
    RotatedRect box = minAreaRect(Mat(theBiggestSq));
    // Draw bounding box in the original image (debug purposes)
    //cv::Point2f vertices[4];
    //box.points(vertices);
    //for (int i = 0; i < 4; ++i)
    //{
    //cv::line(img, vertices[i], vertices[(i + 1) % 4], cv::Scalar(0, 255, 0), 1, CV_AA);
    //}
    //cv::imshow("box", img);
    //cv::imwrite("box.png", img);
    // Set Region of Interest to the area defined by the box
    Rect roi;
    roi.x = box.center.x - (box.size.width / 2);
    roi.y = box.center.y - (box.size.height / 2);
    roi.width = box.size.width;
    roi.height = box.size.height;
    // Crop the original image to the defined ROI

    //bmp=Bitmap.createBitmap(box.size.width / 2, box.size.height / 2, Bitmap.Config.ARGB_8888);
    Mat crop = image(roi);
    //Mat crop = image(Rect(roi.x, roi.y, roi.width, roi.height)).clone();
    //Utils.matToBitmap(crop*.clone()* ,bmp);
    imwrite("/sdcard/OpenCVTest/1.png", bmp);
    imshow("crop", crop);

}

我的应用程序及其问题的视频

在此处输入图像描述

分别打印的绳索是:roi.x roi.y roi.width roi.height

另一个问题是绘制的边界应该是绿色的,但是正如你在视频中看到的那样,它们是扭曲的(像那些边界是由玻璃制成的那样弯曲?)。

感谢您的任何帮助。我是openCV的新手,从一个月开始就这样做了,所以请宽容。

编辑:绘图代码:

//draw//
    for( size_t i = 0; i < squares.size(); i++ )
    {
        const Point* p = &squares[i][0];
        int n = (int)squares[i].size();
        polylines(mBgra, &p, &n, 1, true, Scalar(255,255,0), 5, 10);
        //Rect rect = boundingRect(cv::Mat(squares[i]));
        //rectangle(mBgra, rect.tl(), rect.br(), cv::Scalar(0,255,0), 2, 8, 0);

    }
4

1 回答 1

2

这个错误基本上告诉你原因 - 你的投资回报率超过了图像尺寸。这意味着当您从中提取时Rect roiRotatedRect boxx 或 y 小于零,或者宽度/高度将尺寸推到图像之外。你应该使用类似的东西来检查这个

// Propose rectangle from data
int proposedX = box.center.x - (box.size.width / 2);
int proposedY = box.center.y - (box.size.height / 2);
int proposedW = box.size.width;
int proposedH = box.size.height;

// Ensure top-left edge is within image
roi.x = proposedX < 0 ? 0 : proposedX;
roi.y = proposedY < 0 ? 0 : proposedY;

// Ensure bottom-right edge is within image
roi.width = 
   (roi.x - 1 + proposedW) > image.cols ? // Will this roi exceed image?
   (image.cols - 1 - roi.x)               // YES: make roi go to image edge
   : proposedW;                           // NO: continue as proposed
// Similar for height
roi.height = (roi.y - 1 + proposedH) > image.rows ? (image.rows - 1 - roi.y) : proposedH;
于 2012-12-10T15:37:15.420 回答