Как мне использовать np.fft.fft (), чтобы правильно определить «пиковую энергию», а также получить соответствующие частоты обмотки? - PullRequest
0 голосов
/ 01 августа 2020

Я концептуально понимаю преобразования Фурье. Я написал наивный алгоритм для вычисления преобразования, разложения волны и построения ее отдельных компонентов. Я знаю, что это не «быстро», и также не восстанавливает правильную амплитуду. Это было просто предназначено для кодирования математики, лежащей в основе оборудования, и это дает мне такой хороший результат:

enter image description here enter image description here enter image description here

Questions

  1. How do I do something similar with np.fft
  2. How do I recover whatever winding frequencies numpy chose under the hood?
  3. How do I recover the amplitude of component waves that I find using the transform?

I've tried a few things. However, when I use p = np.fft.fft(signal) on the same exact wave as the above, I get really wacky plots, like this one:

f1 = 3
f2 = 5
start = 0
stop = 1
sample_rate = 0.005
x = np.arange(start, stop, sample_rate)
y = np.cos(f1 * 2 * np.pi * x) + np.sin(f2 * 2 * np.pi *x)
p = np.fft.fft(y)
plt.plot(np.real(p))

enter image description here

Or if I try to use np.fft.freq() to get the right frequencies for the horizontal axis:

p = np.fft.fft(y)
f = np.fft.fftfreq(y.shape[-1], d=sampling_rate)
plt.plot(f, np.real(p))

enter image description here

And as a recent addition, my attempt to implement @wwii's suggestions resulted in an improvement, but the frequency powers are still off in the transform:

f1 = 3
f2 = 5
start = 0
stop = 4.5
sample_rate = 0.01
x = np.arange(start, stop, sample_rate)
y = np.cos(f1 * 2 * np.pi * x) + np.sin(f2 * 2 * np.pi *x)
p = np.fft.fft(y)
freqs= np.fft.fftfreq(y.shape[-1], d=sampling_rate)
q = np.abs(p)

q = q[freqs > 0]
f = freqs[freqs > 0]
peaks, _ = find_peaks(q)
peaks

plt.plot(f, q)
plt.plot(freqs[peaks], q[peaks], 'ro')
plt.show()

введите описание изображения здесь

И снова мой вопрос: как использовать np.fft.fft и np.fft.fftfreqs, чтобы получить ту же информацию, что и мой наивный метод? И во-вторых, как мне восстановить информацию об амплитуде из fft (амплитуда составляющих волн, которые складываются в композит).

Я читал документацию, но она далеко не полезна.

Для контекста вот мой мой наивный метод:

def wind(timescale, data, w_freq):
    """
    wrap time-series data around complex plain at given winding frequency
    """
    return data * np.exp(2 * np.pi * w_freq * timescale * 1.j)


def transform(x, y, freqs):
    """ 
    Returns center of mass of each winding frequency
    """
    ft = []
    for f in freqs:
        mapped = wind(x, y, f)
        re, im = np.real(mapped).mean(), np.imag(mapped).mean()
        mag = np.sqrt(re ** 2 + im ** 2)
        ft.append(mag)
    
    return np.array(ft)

def get_waves(parts, time):
    """
    Generate sine waves based on frequency parts.
    """
    num_waves = len(parts)
    steps = len(time)
    waves = np.zeros((num_waves, steps))
    for i in range(num_waves):
        waves[i] = np.sin(parts[i] * 2 * np.pi * time)
    
    return waves
        
def decompose(time, data, freqs, threshold=None):
    """
    Decompose and return the individual components of a composite wave form.
    Plot each component wave. 
    """
    powers   = transform(time, data, freqs)
    peaks, _ = find_peaks(powers, threshold=threshold)
    
    plt.plot(freqs, powers, 'b.--', label='Center of Mass')
    plt.plot(freqs[peaks], powers[peaks], 'ro', label='Peaks')
    plt.xlabel('Frequency')
    plt.legend(), plt.grid()
    plt.show()
    
    return get_waves(freqs[peaks], time)

И настройка сигнала, которую я использовал для генерации графиков:

# sample data plot: sin with frequencey of 3 hz. 
f1 = 3
f2 = 5
start = 0
stop = 1
sample_rate = 0.005
x = np.arange(start, stop, sample_rate)
y = np.cos(f1 * 2 * np.pi * x) + np.sin(f2 * 2 * np.pi *x)

plt.plot(x, y, '.')
plt.xlabel('time')
plt.ylabel('amplitude')
plt.show()

freqs = np.arange(0, 20, .5)
waves = decompose(x, y, freqs, threshold=0.12)

for w in waves:
    plt.plot(x, w)
plt.show()

1 Ответ

1 голос
/ 02 августа 2020
f1 = 3
f2 = 5
start = 0
stop = 1
sample_rate = 0.005
x = np.arange(start, stop, sample_rate)
y = np.cos(f1 * 2 * np.pi * x) + np.sin(f2 * 2 * np.pi *x)
p = np.fft.fft(y)
freqs = np.fft.fftfreq(y.shape[0],sample_rate)

FFT возвращает комплексные значения, поэтому вам понадобится sqrt суммы квадратов, как вы делали для mag в transform.

  • >>> p[:2]
    array([-1.42663659e-14+0.00000000e+00j, -1.77635684e-15+1.38777878e-17j])  
    
  • q = np.absolute(p)
    
  • >>> q[:2]
    array([1.77641105e-15, 2.70861628e-14])
    

fft и fftfreqs дают вам обе стороны преобразования, отраженные около нуля Гц. Вы можете видеть отрицательные частоты в конце.

>>> freqs[-10:]
array([-10.,  -9.,  -8.,  -7.,  -6.,  -5.,  -4.,  -3.,  -2.,  -1.])

Вам нужны только положительные частоты, поэтому вы можете фильтровать их и строить график.

q = q[freqs > 0]
freqs = freqs[freqs > 0]
plt.bar(freqs,q)
plt.show()
plt.close()

resultant plot


  • If there is a dc component and you want to see it your filter would be freqs >= 0.
  • Your example has 200 data points so you get 100 (n/2) positive frequencies and the graph ranges from zero to one hundred Hz with peaks at three and five.
  • numpy .fft.rfft вычисляет только положительные частоты. Использование numpy .fft.rfftfreq для получения частот.

Для меня это был / есть потрясающий ресурс - Руководство для ученых и инженеров по цифровой обработке сигналов - он у меня на столе на работе.

...