找到超定方程组的仿射变换有一个简单的解决方案。
- 请注意,一般来说,仿射变换通过使用伪逆或类似技术来找到线性方程组 Ax=B 的超定系统的解,因此
x = (AA t ) -1 A t B
此外,这是通过简单调用solve(A, B, X) 在核心openCV 功能中处理的。
熟悉一下 opencv/modules/imgproc/src/imgwarp.cpp 中的仿射变换代码:它实际上只做了两件事:
一个。重新排列输入以创建系统 Ax=B;
湾。然后调用solve(A, B, X);
注意:忽略 openCV 代码中的函数注释——它们令人困惑,并且不反映矩阵中元素的实际顺序。如果您正在求解 [u, v]'= Affine * [x, y, 1],则重排为:
x1 y1 1 0 0 1
0 0 0 x1 y1 1
x2 y2 1 0 0 1
A = 0 0 0 x2 y2 1
x3 y3 1 0 0 1
0 0 0 x3 y3 1
X = [Affine11, Affine12, Affine13, Affine21, Affine22, Affine23]’
u1 v1
B = u2 v2
u3 v3
您需要做的就是添加更多积分。要使 Solve(A, B, X) 在超定系统上工作,请添加 DECOMP_SVD 参数。要查看有关该主题的 powerpoint 幻灯片,请使用此链接。如果您想了解更多关于计算机视觉背景下的伪逆,最好的来源是:ComputerVision,参见第 15 章和附录 C。
如果您仍然不确定如何添加更多积分,请参阅下面的代码:
// extension for n points;
cv::Mat getAffineTransformOverdetermined( const Point2f src[], const Point2f dst[], int n )
{
Mat M(2, 3, CV_64F), X(6, 1, CV_64F, M.data); // output
double* a = (double*)malloc(12*n*sizeof(double));
double* b = (double*)malloc(2*n*sizeof(double));
Mat A(2*n, 6, CV_64F, a), B(2*n, 1, CV_64F, b); // input
for( int i = 0; i < n; i++ )
{
int j = i*12; // 2 equations (in x, y) with 6 members: skip 12 elements
int k = i*12+6; // second equation: skip extra 6 elements
a[j] = a[k+3] = src[i].x;
a[j+1] = a[k+4] = src[i].y;
a[j+2] = a[k+5] = 1;
a[j+3] = a[j+4] = a[j+5] = 0;
a[k] = a[k+1] = a[k+2] = 0;
b[i*2] = dst[i].x;
b[i*2+1] = dst[i].y;
}
solve( A, B, X, DECOMP_SVD );
delete a;
delete b;
return M;
}
// call original transform
vector<Point2f> src(3);
vector<Point2f> dst(3);
src[0] = Point2f(0.0, 0.0);src[1] = Point2f(1.0, 0.0);src[2] = Point2f(0.0, 1.0);
dst[0] = Point2f(0.0, 0.0);dst[1] = Point2f(1.0, 0.0);dst[2] = Point2f(0.0, 1.0);
Mat M = getAffineTransform(Mat(src), Mat(dst));
cout<<M<<endl;
// call new transform
src.resize(4); src[3] = Point2f(22, 2);
dst.resize(4); dst[3] = Point2f(22, 2);
Mat M2 = getAffineTransformOverdetermined(src.data(), dst.data(), src.size());
cout<<M2<<endl;