25

我正在使用 OpenCV 和 C++。我有一个像这样的矩阵 X

Mat X = Mat::zeros(13,6,CV_32FC1);

我只想更新一个 4x3 的子矩阵,但我对如何以有效的方式访问该矩阵有疑问。

Mat mat43= Mat::eye(4,3,CV_32FC1);  //this is a submatrix at position (4,4)

我需要逐个元素更改吗?

4

2 回答 2

35

最快的方法之一是设置一个标题矩阵,指向要更新的列/行的范围,如下所示:

Mat aux = X.colRange(4,7).rowRange(4,8); // you are pointing to submatrix 4x3 at X(4,4)

现在,您可以将矩阵复制到 aux(但实际上您会将其复制到 X,因为 aux 只是一个指针):

mat43.copyTo(aux);

就是这样。

于 2012-07-26T07:09:51.320 回答
13

首先,您必须创建一个指向原始矩阵的矩阵:

Mat orig(13,6,CV_32FC1, Scalar::all(0));

Mat roi(orig(cv::Rect(1,1,4,3))); // now, it points to the original matrix;

Mat otherMatrix = Mat::eye(4,3,CV_32FC1);

roi.setTo(5);                // OK
roi = 4.7f;                  // OK
otherMatrix.copyTo(roi);     // OK

请记住,任何涉及直接归因的操作,使用来自另一个矩阵的“=”符号会将 roi 矩阵源从 orig 更改为另一个矩阵。

// Wrong. Roi will point to otherMatrix, and orig remains unchanged
roi = otherMatrix;            
于 2012-07-26T07:10:10.983 回答