我正在编写一个函数,我需要访问Mat
的元素,但此函数可以接收Mat
个不同类型。所以,如果我有:
filtered.at<TypeofMat>(i) = (typeofmat) somevalue;
只有我这样做filtered.at<myMat.type()>(i)
,但显然这不起作用,因为type
会返回int
我被困住了,有人能说些什么吗?
答案 0 :(得分:3)
您可以将源矩阵转换为double(类型CV_64F
)矩阵。这样你就不会因为施法而丢失任何数据。然后你可以照常处理这个矩阵,因为你知道它的类型。最后一步是将目标图像转换回源类型。
但是,您需要知道矩阵的通道数。 CV_assert
将确保您正在使用正确的类型。
#include <opencv2/opencv.hpp>
using namespace cv;
void foo(const Mat& src, Mat& dst)
{
// Assert number of channels
CV_Assert(src.channels() == 3);
// Convert to CV64F
Mat3d _src, _dst;
src.convertTo(_src, CV_64F);
_dst.create(_src.size());
// Work on _src and _dst (you know the type)
_dst(0,0) = _src(0,0) + Vec3d(1,2,3);
// Convert _dst to src type
_dst.convertTo(dst, src.type());
}
int main()
{
Mat3b img(10,10,Vec3b(0,0,0));
Mat res;
foo(img, res);
// res will be CV_8UC3
return 0;
}
这种方法还有其他选择:
答案 1 :(得分:1)
如果有可能,请使接收openCV Mat的函数成为模板函数:
void f<typename T>(const Mat& m)
{
(void) m.at<T>(0, 0);
}
像这样使用它:
Mat m1/* ... */;
m1.at<int>(0, 0) = 0;
f<int>(m);