正如标题所说,我试图在cv :: Mat的某个区域内找到非零像素的数量,即在RotatedRect内。
对于常规的Rect,可以在ROI上使用countNonZeroPixels。但是,ROI只能是常规(非旋转)矩形。
另一个想法是绘制旋转的矩形并将其用作蒙版。但是openCV既不支持旋转矩形的绘制,也不支持countNonZeroPixels接受掩码。
有没有人有解决方案如何优雅地解决这个问题?
谢谢!
答案 0 :(得分:3)
好的,所以这是我第一次接受它。
我们的想法是将图像反转到矩形的旋转,然后在拉直的矩形上应用roi。
您可以通过在旋转前应用另一个roi来加快速度,以避免旋转整个图像......
#include <highgui.h>
#include <cv.h>
// From http://stackoverflow.com/questions/2289690/opencv-how-to-rotate-iplimage
cv::Mat rotateImage(const cv::Mat& source, cv::Point2f center, double angle)
{
cv::Mat rot_mat = cv::getRotationMatrix2D(center, angle, 1.0);
cv::Mat dst;
cv::warpAffine(source, dst, rot_mat, source.size());
return dst;
}
int main()
{
cv::namedWindow("test1");
// Our rotated rect
int x = 300;
int y = 350;
int w = 200;
int h = 50;
float angle = 47;
cv::RotatedRect rect = cv::RotatedRect(cv::Point2f(x,y), cv::Size2f(w,h), angle);
// An empty image
cv::Mat img = cv::Mat(cv::Size(640, 480), CV_8UC3);
// Draw rotated rect as an ellipse to get some visual feedback
cv::ellipse(img, rect, cv::Scalar(255,0,0), -1);
// Rotate the image by rect.angle * -1
cv::Mat rotimg = rotateImage(img, rect.center, -1 * rect.angle);
// Set roi to the now unrotated rectangle
cv::Rect roi;
roi.x = rect.center.x - (rect.size.width / 2);
roi.y = rect.center.y - (rect.size.height / 2);
roi.width = rect.size.width;
roi.height = rect.size.height;
cv::imshow("test1", rotimg(roi));
cv::waitKey(0);
}
答案 1 :(得分:1)
完全不同的方法可能是旋转图像(反方向),仍然使用矩形ROI和countNonZeroPixels。唯一的问题是你必须围绕投资回报率中心的一个枢轴旋转图像......
为了更清楚,请参阅附件示例:
答案 2 :(得分:0)
为避免在类似任务中旋转,我使用以下函数迭代RotatedRect中的每个像素:
double filling(Mat& img, RotatedRect& rect){
double non_zero = 0;
double total = 0;
Point2f rect_points[4];
rect.points( rect_points );
for(Point2f i=rect_points[0];norm(i-rect_points[1])>1;i+=(rect_points[1]-i)/norm((rect_points[1]-i))){
Point2f destination = i+rect_points[2]-rect_points[1];
for(Point2f j=i;norm(j-destination)>1;j+=(destination-j)/norm((destination-j))){
if(img.at<uchar>(j) != 0){
non_zero+=1;
}
total+=1;
}
}
return non_zero/total;
}
它看起来像通常的矩形迭代,但在每一步我们将单位1px向量添加到当前点到目的地的方向。
这个循环不迭代所有点并跳过几个像素,但它对我的任务没问题。
UPD:使用LineIterator进行迭代要好得多:
Point2f rect_points[4];
rect.points(rect_points);
Point2f x_start = rect_points[0];
Point2f x_end = rect_points[1];
Point2f y_direction = rect_points[3] - rect_points[0];
LineIterator x = LineIterator(frame, x_start, x_end, 4);
for(int i = 0; i < x.count; ++i, ++x){
LineIterator y = LineIterator(frame, x.pos(), x.pos() + y_direction, 4);
for(int j=0; j < y_count; j++, ++y){
Vec4b pixel = frame.at<Vec4b>(y.pos);
/* YOUR CODE HERE */
}
}