我正在尝试将Mat
传递给函数,但是当我尝试获取图像的float
数据时出现一些错误。有人可以启发我出了什么问题吗?
int _tmain(int argc, _TCHAR* argv[])
{
cv::Mat img;//gradients from fingerprint image
cv::Mat dst;
bh2Rad(&img,&dst);
}
void bh2Rad(Mat* srcMat,cv::Mat* dstMat)
{
for (int i=0; i < srcMat->rows ;i++)
{
float* srcP = srcMat->data.fl + srcMat->width * i;// srcMat Error.
float* dstP = dstMat->data.fl + dstMat->width * i;//dstMat Error
for (int j = 0; j < srcMat->cols ;j++)
dstP[j] = srcP[j] * BH_DEG_TO_RAD;
}
}
你似乎混淆了较旧的(c-api)CvMat与cv::Mat与像素操作。
此外,灰度图像是 uchar,而不是浮点数,并且您无法以任意格式访问其像素(除非您之前将 convertTo() 浮点数)。
int main(int argc, char* argv[])
{
cv::Mat img = cv::imread("original.bmp", CV_LOAD_IMAGE_GRAYSCALE);
cv::Mat dst;
bh2Rad(img,dst);
}
//
// please use references with cv::Mat, not pointers.
// those things are refcounted, you're thrashing that with passing pointers.
//
void bh2Rad(const cv::Mat & srcMat, cv::Mat & dstMat)
{
dstMat.create(srcMat.size(),srcMat.type());
for (int i=0; i < srcMat.rows ;i++)
{
const uchar* srcP = srcMat.ptr<uchar>(i);
uchar* dstP = dstMat.ptr<uchar>(i);
for (int j = 0; j < srcMat.cols ;j++)
dstP[j] = srcP[j] * BH_DEG_TO_RAD;
}
}
该错误标记了您未使用命名空间 CV 限定 Mat 的唯一实例。我假设您没有命名空间 CV 的 using 指令,因此仅在 CV 中声明的类型 Mat 是未知且无法识别的。
void bh2Rad(cv::Mat* srcMat, cv::Mat* dstMat)
(注意 cv::紧跟在左括号之后)。