为什么在创建CvMat *
时断言会失败?使用指针在cv :: Mat中加载的图像不会发生这种情况。
struct RGB { unsigned char b, g, r; };
cv::Point p;
RGB *data;
CvMat* mat = cvCreateMat(300,300,CV_32FC1);
for( row = 0; row < mat->rows; ++row)
{
for ( col = 0; col < mat->cols; ++col)
{
p.x=row,p.y=col;
ERROR ----->>> assert((mat->step/mat->cols) == sizeof(RGB));
data = (RGB*)&mat->data;
data += p.y * mat->cols + p.x;
}
}
对于此代码,断言不会失败:
IplImage * img=cvLoadImage("blah.jpg");
int row=0,col=0;
cv::Mat in(img);
cv::Mat *mat=∈
cv::Point p;
struct RGB { unsigned char b, g, r; };
RGB *data;
for( row = 0; row < mat->rows; ++row)
{
for ( col = 0; col < mat->cols; ++col)
{
p.x=row,p.y=col;
assert((mat->step/mat->cols) == sizeof(RGB));
data = (RGB*)&mat->data;
data += p.y * mat->cols + p.x;
printf("Row=%dxCol=%d b=%u g=%u r=%u\n",row,col,data->b,data->g,data->r);
wait_for_frame(1);
}
}
答案 0 :(得分:3)
因为sizeof(RGB) != sizeof(float)
,这就是你在这里填充矩阵的内容:
CvMat* mat = cvCreateMat(300,300,CV_32FC1);
CV_32FC1
表示1个组件,32位浮点。你可能想要CV_8UC3
。请参阅here或其他OpenCV参考。
答案 1 :(得分:1)
如果您使用,可以跳过整个IplImage
痛苦
cv::Mat img = cv::loadImage("blah.jpg");
此外,最好使用行ptr来浏览所有像素
它知道跳跃,所以你不必担心!
来自refman:
如果需要处理整行的2D数组,效率最高 方法是首先获取指向行的指针,然后只使用 普通C运算符[]
请注意,如果要加载数据中有“跳跃”的较大图像,则代码将无效。 在您的情况
cv::Mat img = cv::loadImage("blah.jpg");
const cv::Mat& M = img;
for(int i = 0; i < rows; i++)
{
const Vec3b* Mi = M.ptr<Vec3b>(i);
for(int j = 0; j < cols; j++)
{
const Vec3b& Mij = Mi[j];
std::cout<<"Row="<<i<<"Col="<<j<<"\t";
std::cout<<"b="<<Mij[0]<<" g="<<Mij[1]<<" r="<<Mij[2]<<std::endl;
}
}
是最快的正确方法。否则,您可以使用M.at<Vec3b>(i,j)
。