我见过很多直接访问cv::Mat
数据成员的OpenCV代码。 cv::Mat
将指向数据的指针存储在unsigned char* data
成员中。对数据成员的访问如下:
cv::Mat matUC(3,3,CV_8U)
int rowIdx = 1;
int colIdx = 1;
unsigned char val = matUC.data[ rowIdx * matUC.cols + colIdx]
我想知道这是否适用于除cv::Mat
以外的像素类型的unsigned char
。
cv::Mat matF(3,3,CV_32F)
int rowIdx = 1;
int colIdx = 1;
float val = matF.data[ rowIdx * matF.cols + colIdx];
我的理解是需要使用类型转换来正确访问元素。类似的东西:
float val = ((float*)matF.data)[ rowIdx * matF.cols + colIdx];
我见过很多不使用类型转换的代码。所以我的问题是:类型转换是否必须访问正确的元素?
答案 0 :(得分:6)
Mat
数据为uchar*
。如果您有一个浮动矩阵CV_32FC1
,则需要以float
的形式访问数据。
你可以用不同的方式做,不一定使用强制转换:
#include <opencv2\opencv.hpp>
using namespace cv;
int main()
{
cv::Mat matF(3, 3, CV_32F);
randu(matF, Scalar(0), Scalar(10));
int rowIdx = 1;
int colIdx = 1;
// 1
float f1 = matF.at<float>(rowIdx, colIdx);
// 2
float* fData2 = (float*)matF.data;
float f2 = fData2[rowIdx*matF.step1() + colIdx];
// 3
float* fData3 = matF.ptr<float>(0);
float f3 = fData3[rowIdx*matF.step1() + colIdx];
// 4
float* fData4 = matF.ptr<float>(rowIdx);
float f4 = fData4[colIdx];
// 5
Mat1f mm(matF); // Or directly create like: Mat1f mm(3, 3);
float f5 = mm(rowIdx, colIdx);
// f1 == f2 == f3 == f4 == f5
return 0;
}
备注强>
step1()
时,最好使用cols
代替data
,因为图片可能不是连续的。查看here了解详情。