I am trying to get a real wavelet, w
, which is a column vector, from its single-sided Discrete Fourier Transform. According to the theory, the negative frequency side is complex-conjugate of the positive frequency side, but in implementing it in Matlab (using the ifft
function) is giving me a headache.
Below, I am listing a small program that transforms a damped sine wavelet, w
, into frequency domain as W
, then extracting the positive part and augmenting it with conj(flipud(W))
, but the inverse FFT of it looks like my input wavelet amplitude modulated with something else . However, w = ifft(W,'symmetric')
works fine. Any suggestions to identify the problem will be highly appreciated.
Here is the listing:
clc; clear all
% Genetate a damped sine wavelet
n = 100;
n2 = floor(n/2)+ 1;
dt = .25;
for i = 1:n
t = (i-1)*dt;
w(i,1) = 100 * sin(t) * exp(-0.2*t);
end
figure; subplot(3,2,1); plot(w);
title('The Signal')
%-------------------------------------
W1 = fft(w); % 2-sided
n2 = floor(n/2)+ 1;
W2 = fft(w,n2); % 1-sided
subplot(3,2,3);plot(real(W2));
title('2-sided abs(W2)')
subplot(3,2,5);plot(imag(W2));
title('2-sided angle(W2)')
%-------------------------------------
w1 = ifft( W1 ) ; % Works fine
subplot(3,2,2); plot( w1);
title( ' w2 = ifft(W2); (2-sided) ' );
% --------------------------------------
% Use the /symmetric/ option of ifft() with
% the single-sided spectrum
w2 = ifft(W2 , 'symmetric'); % 1-sided, works fine
subplot(3,2,4);plot(w2,'k');
title( 'w2 = ifft(W2, "symmetric" )')
% --------------------------------------
% Calculate the complex-cojugate of 1-sided W2
% (excluding the zero frequency point?!), flip it,
% and attach it to the tail of W2 col vector.
H = flipud(conj(W2(2:n2)));
W3 = [W2 ; H];
w3 = ifft( W3 ) ; % sourse of my migraine headache
% If you let n =1000 instead of the 100, the effect of
% amplitude-modulation-like effect is less and the output
% (bottom right graph)resembles the input wavelet but
% with a thicker line.
% If n=100 and W2(1:n2-1) in H = ... is used instead
% of the W2(2:n2), you'll get a flying bold eagle!
subplot(3,2,6);plot(w3,'k');
title('w3 = ifft([W2 ; H]')
%---end of the program-------------------