我正在使用这个fftw库。
目前我正在尝试以e ^( - (x ^ 2 + y ^ 2)/ a ^ 2)的形式绘制2D高斯。
以下是代码:
using namespace std;
int main(int argc, char** argv ){
fftw_complex *in, *out, *data;
fftw_plan p;
int i,j;
int w=16;
int h=16;
double a = 2;
in = (fftw_complex*) fftw_malloc(sizeof(fftw_complex)*w*h);
out = (fftw_complex*) fftw_malloc(sizeof(fftw_complex)*w*h);
for(i=0;i<w;i++){
for(j=0;j<h;j++){
in[i*h+j][0] = exp(- (i*i+j*j)/(a*a));
in[i*h+j][1] = 0;
}
}
p = fftw_plan_dft_2d(w, h, in, out, FFTW_FORWARD, FFTW_ESTIMATE);
fftw_execute(p);
//This is something that print what's in the matrix
print_2d(out,w,h);
fftw_destroy_plan(p);
fftw_free(in);
fftw_free(out);
return 0;
}
结果显示负数。我认为高斯的傅立叶变换是另一种高斯,它不应该包含任何负数。
此外,当前原点位于[0]
答案 0 :(得分:3)
你忘了将高斯的中心移到中间(w / 2,h / 2)
in[i*h+j][0] = exp(-(i*i+j*j)/(a*a));
应该阅读
in[i*h+j][0] = exp(-1.*((i-w/2)*(i-w/2)+(j-h/2)*(j-h/2))/(a*a));
没有移位,它只是高斯的四分之一,其傅立叶变换当然不是高斯变换。整个代码附在下面。
#include <stdio.h>
#include <math.h>
#include <fftw3.h>
int main(int argc, char** argv) {
fftw_complex *in, *out;
fftw_plan p;
int i, j, w = 16, h = 16;
double a = 2;
in = (fftw_complex *) fftw_malloc(sizeof(fftw_complex) * w * h);
out = (fftw_complex *) fftw_malloc(sizeof(fftw_complex) * w * h);
for (i = 0; i < w; i++)
for (j = 0; j < h; j++) {
in[i*h+j][0] = exp(-1.*((i-w/2)*(i-w/2)+(j-h/2)*(j-h/2))/(a*a));
in[i*h+j][1] = 0;
}
p = fftw_plan_dft_2d(w, h, in, out, FFTW_FORWARD, FFTW_ESTIMATE);
fftw_execute(p);
for (i = 0; i < w; i++)
for (j = 0; j < h; j++)
printf("%4d %4d: %+9.4f %+9.4f i\n", i, j, out[i*h+j][0], out[i*h+j][1]);
fftw_destroy_plan(p); fftw_cleanup();
fftw_free(in); fftw_free(out);
return 0;
}