我需要对ECG信号进行以下去噪:
我不知道如何在Python(PyWavelets)中执行第二步,因为我只能修改细节系数和近似系数,也不知道如何将它们与频率相关。
我应该如何进行?
这是我的代码
import pywt
#DWT
coeff = pywt.wavedec(data,'db6',level=9)
#filter the 0-0.35Hz frequencies in the 9-th level?
#reconstruct the signal
y = pywt.waverec( coeff[:8]+ [None] * 2, 'db6' )
答案 0 :(得分:1)
我以前的答案(现在已删除)有点令人困惑。 在这里,我将为您提供一个动手示例,该示例显示仅使用“ db6”逼近系数重建以360Hz采样的ECG数据(大致)等效于使用0.35Hz的截止频率对这些数据进行低通滤波。
在下面的代码示例中,我从scipy(from scipy.misc import electrocardiogram
)导入ECG时间序列;就像您一样,它们以360Hz采样。我将使用以下方法过滤这些数据:
这是代码示例:
import pywt
import numpy as np
from scipy.misc import electrocardiogram
import scipy.signal as signal
import matplotlib.pyplot as plt
wavelet_type='db6'
data = electrocardiogram()
DWTcoeffs = pywt.wavedec(data,wavelet_type,mode='symmetric', level=9, axis=-1)
DWTcoeffs[-1] = np.zeros_like(DWTcoeffs[-1])
DWTcoeffs[-2] = np.zeros_like(DWTcoeffs[-2])
DWTcoeffs[-3] = np.zeros_like(DWTcoeffs[-3])
DWTcoeffs[-4] = np.zeros_like(DWTcoeffs[-4])
DWTcoeffs[-5] = np.zeros_like(DWTcoeffs[-5])
DWTcoeffs[-6] = np.zeros_like(DWTcoeffs[-6])
DWTcoeffs[-7] = np.zeros_like(DWTcoeffs[-7])
DWTcoeffs[-8] = np.zeros_like(DWTcoeffs[-8])
DWTcoeffs[-9] = np.zeros_like(DWTcoeffs[-9])
filtered_data_dwt=pywt.waverec(DWTcoeffs,wavelet_type,mode='symmetric',axis=-1)
fc = 0.35 # Cut-off frequency of the butterworth filter
w = fc / (360 / 2) # Normalize the frequency
b, a = signal.butter(5, w, 'low')
filtered_data_butterworth = signal.filtfilt(b, a, data)
让我们使用两种方法绘制原始数据和滤波后数据的功率谱密度:
plt.figure(1)
plt.psd(data, NFFT=512, Fs=360, label='original data', color='blue')
plt.psd(filtered_data_dwt, NFFT=512, Fs=360, color='red', label='filtered data (DWT)')
plt.psd(filtered_data_butterworth, NFFT=512, Fs=360, color='black', label='filtered data (Butterworth)')
plt.legend()
哪种产量:
在原始数据中,您可以清楚地看到60Hz及其第一个倍数(120Hz)。 让我们以低频近距离观看:
现在让我们看一下时域中的数据:
plt.figure(2)
plt.subplot(311)
plt.plot(data,label='original data', color='blue')
plt.title('original')
plt.subplot(312)
plt.plot(filtered_data_dwt, color='red', label='filtered data (DWT)')
plt.title('filtered (DWT)')
plt.subplot(313)
plt.plot(filtered_data_butterworth, color='black', label='filtered data (Butterworth)')
plt.title('filtered (Butterworth)')
因此,为了使用0.35Hz的截止频率对原始数据进行低通滤波,您可以简单地使用DWT分解的近似系数(即,使用“ db6”小波)重构它们)。 希望这会有所帮助!