4

我知道很多关于这个论点的帖子,我已经阅读了很多,但我仍然感到困惑。问题是类型(哦,该死的,这是c,我必须处理数据类型!;-))。

我正在使用新的超酷模板化 C++ API 函数at

Mat mat32f(3, 3, CV_32F);
for(int i=0; i<3; i++) 
    for(int j=0; j<3; j++)
        mat32f.at<float>(i,j) = i;
cout << "Matrix of type: " << mat32f.type() << endl;
cout << mat32f << endl;
cout << mat32f.at<float>(1,2) << endl;

好的,这里是1通道的浮点数,没问题,输出很清楚:

Matrix of type: 5
[0, 0, 0;
  1, 1, 1;
  2, 2, 2]
1

现在只需做一些过滤器:

Mat mask;
inRange(mat32f, 1, 1, mask);
cout << "Mask of type: " << mask.type() << endl;
cout << mask << endl;

对于这里,alles klar,输出正是我想要的:

Mask of type: 0
[0, 0, 0;
  255, 255, 255;
  0, 0, 0]

现在我想检查某个点(鼠标单击?随便)是否在范围内。

int value2 = mask.at<char>(1,2);
cout << value2 << endl; 
unsigned int value3 = mask.at<unsigned int>(1,2);
cout << value3 << endl;

我记得在第一节计算机科学课上 achar的大小与 an 相同unsigned int(因为我的掩码类型是 0 == CV_8U)所以使用 char。但是cout抓住它作为一个字符,所以给我看一些无用的非 ascii 符号,所以把它存储在一个int.

这里的输出:

-1
256

发生了什么?一团糟。为什么-1??或者,为什么是 256?发生了什么事?

4

1 回答 1

3

OpenCV::Basic Structures的评论说明了 Mat::at<>() 方法:

// template methods for read-write or read-only element access.
// note that _Tp must match the actual matrix type -
// the functions do not do any on-fly type conversion

Mat<float>因此,当您使用at<char>at<unsigned int>可能是未定义的行为(来自 C++ 或 Open 库)时,您会得到什么。

您关于“char 与 unsigned int 大小相同”的说法也几乎总是不正确的。我相信sizeof(char) == sizeof(unsigned int)在 C++ 中这在技术上是可行的,但我不知道这是真的平台/实现。即使在您的情况下是正确的,使用此假设也是危险的,因为它可能并非在您的代码可能运行的所有系统上都是正确的。

更多详情

根据OpenCV v2.4 Source Mat::at() 看起来像(更少的调试代码):

template<typename _Tp> inline const _Tp& Mat::at(int i0, int i1) const
{
    return ((const _Tp*)(data + step.p[0]*i0))[i1];
}

如果您尝试访问错误类型的数据,您会将原始数组转换为错误的类型,这只会导致不好的结果。

至于为什么要在 Mat::at() 中指定数据类型,你不能这样做:

mat32f.at(i,j) = i;

让编译器自动选择正确的模板类型?

于 2012-04-26T14:41:00.780 回答