최소 자승법 문제는 추정치와 실제의 측정치와의 차이를 최소로 만드는 parameter vector를 구하는 것이다.
여기서 design matrix
가 일 것이다. 일반적으로
를 하여서 원하는 parameter vector를 얻을 수 있다. 그러나 피팅 문제에 따라 행렬
의 식을
의 형태로 쓰인다.
이어서 위의 해를 구할 수 있다. 이 해는

int svd(double *A, int m, int n, double* w, double *V); // from cmath libary.
void fit_func(double x, double val[], int n) { // polynomial fitting sample;
val[0] = 1;
for(int i = 1; i < n; ++i)
val[i] = x * val[i - 1];
}
#define EPSILON 1.E-8
int svd_fit(const double x[], const double y[], const int m, const int n,
void (*fit_func)(double , double [], int ),
double params[],
double *error)
{
double *A = new double [m * n];
double *w = new double [n];
double *V = new double [n * n];
// evaluate design matrix;
for (int i = 0; i < m; ++i)
fit_func(x[i], &A[i * n + 0], n) ;
svd(A, m, n, w, V);
// now A becomes U matrix;
// truncate small singular values;
double wmax = 0;
for (int i = 0; i < n; ++i)
if (w[i] > wmax) wmax = w[i];
double thresh = wmax * EPSILON;
for (int i = 0; i < n; ++i)
if (w[i] < thresh) w[i] = 0;
// back substitution;
double *tmp = new double [n];
for (int j = 0; j < n; ++j) {
double s = 0;
if (w[j]) {
for (int i = 0; i < m; ++i)
s += A[i * n + j] * y[i];
s /= w[j];
}
tmp[j] = s;
}
for (int j = 0; j < n; ++j) {
double s = 0;
for (int jj = 0; jj < n; ++jj)
s += V[j * n + jj] * tmp[jj];
params[j] = s;
};
//estimate error;
*error = 0;
for (int i = 0; i < m; ++i) {
fit_func(x[i], &A[i * n + 0], n); //use A as a tmp buffer;
double sum = 0;
for (int j = 0; j < n; ++j) sum += params[j] * A[i * n + j] ;
double err = (y[i] - sum);
*error += err * err ;
}
delete[] A; delete[] w; delete[] V;
delete[] tmp;
return 1;
}
'Image Recognition > Fundamental' 카테고리의 다른 글
Image rotation by FFT (0) | 2022.02.18 |
---|---|
FFT를 이용한 영상의 미분 (0) | 2022.02.12 |
Color Histogram Equalization (4) | 2022.02.07 |
Least Squares Fitting of Ellipses (1) | 2022.01.27 |
Circle Fitting: Pratt (0) | 2022.01.20 |