[자료] DL을 이용한 오디오 데이터 분석 #1


DL을 이용해 오디오 데이터를 분석하는 것에 대한 자료이며, Nagesh Singh Chauhan이 작성한 Audio Data Analysis Using Deep Learning with Python (Part 1)의 내용을 기반으로 작성된 것이다.

1. 오디오 데이터를 다루는 주요 Python 라이브러리

1) librosa –> 오디오 신호를 다루는 대표적인 라이브러리

2) IPython.display.Audio –> 주피터 노트북에서 음악 실행 등을 할 때 사용

3) 예제 코드 (Colab에서 실행 –> Audio_Data_Analysis_Ex_1.ipynb)

#librosa
import librosa
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100) –> wav 파일에서 오디오 데이터를 읽어들임 (numpy 배열과 샘플링 레이트 값을 리턴)

#IPython.display.Audio
import IPython.display as ipd
ipd.Audio(audio_data)

#오디오 시각화 예
%matplotlib inline
import matplotlib.pyplot as plt
import librosa.display
plt.figure(figsize=(14, 5))
librosa.display.waveplot(x, sr=sr)

오디오 시각화

2. Spectrogram

1) Spectrogram은 신호의 세기(loudness)를 표현하는 방법 중 하나이다.

2) x축은 시간, y축은 주파수이며, 보통 히트맵(heatmap)으로 표현된다.

3) 아래는 librosa를 이용해 spectogram을 생성하고 보여주는 예이다 (Colab에서 실행 –> Audio_Data_Analysis_Ex_2.ipynb).

import librosa, librosa.display
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100)

import matplotlib.pyplot as plt
X = librosa.stft(x)
Xdb = librosa.amplitude_to_db(abs(X))
plt.figure(figsize=(14, 5))
librosa.display.specshow(Xdb, sr=sr, x_axis=’time’, y_axis=’hz’)
plt.colorbar()

Spectrogram 표시

3. 임의의 오디오 신호 생성 예

필요 시 아래 예와 같은 방법으로 임의의 오디오 신호를 생성할 수 있다 (Colab에서 실행 –> Audio_Data_Analysis_Ex_3.ipynb).

import numpy as np
sr = 22050 # sample rate
T = 5.0 # seconds
t = np.linspace(0, T, int(T*sr), endpoint=False) # time variable
x = 0.5 * np.sin(2 * np.pi * 220 * t)# pure sine wave at 220 Hz

#Playing the audio
import IPython.display as ipd
ipd.Audio(x, rate=sr) # load a NumPy array

#Saving the audio
import soundfile
soundfile.write(‘test_220.wav’, x, sr)

4. 오디오 신호 주요 특성(feature) 추출

1) 오디오 데이터에 DL을 적용함에 있어 특정 응용이나 성능 향상 등을 위해 데이터 전처리나 특성 추출이 선행되는 경우가 많다.

2) 분광 특성들(Spectral Features)

분광 특성은 주파수 기반 특성으로 시간 기반의 원(raw) 신호 데이터를 푸리에 변환(Fourier Transfrom)을 이용해 주파수 기반의 데이터로 변경한 후, 특정 필요(해석/분석/판단)에 사용될 수 있는 다양한 특성 값을 산출할 수 있다. 예를 들면 기본 주파수(fundamental freqeuncy), 주파수 요소(frequency components), 분광 중심(spectral centroid), 분광 플럭스(spectral flux), 분광 밀도(spectral density), 분광 롤오프(spectral roll-off) 등이다.

  • Spectral Centroid

    • 스팩트럼 에너지의 중심이 어떤 주파수에 위치해 있는지는 보여준다.
    • Spectral Centroid는 소리의 밝기(brightness)와 관계가 있다.
    • 이를 구하는 예는 다음과 같다 (Colab에서 실행 –> Audio_Data_Analysis_Ex_4.ipynb)

import librosa, librosa.display
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100)

import sklearn
spectral_centroids = librosa.feature.spectral_centroid(x, sr=sr)[0]

#Computing the time variable for visualization
import matplotlib.pyplot as plt
plt.figure(figsize=(12, 4))
frames = range(len(spectral_centroids))
t = librosa.frames_to_time(frames)

#Normalising for visualisation
def normalize(x, axis=0):
return sklearn.preprocessing.minmax_scale(x, axis=axis)

#Plotting the Spectral Centroid along the waveform
librosa.display.waveplot(x, sr=sr, alpha=0.4)
plt.plot(t, normalize(spectral_centroids), color=’b’)

Spectral Centrold

  • Spectral Rolloff

    • Spectral RollOff는 주파수 대역에서 에너지의 누적치(accumulated magnitude)가 지정된 값에(보통 85%를 사용) 이르는 지점이다.
    • 이를 구하는 예는 다음과 같다 (Colab에서 실행 –> Audio_Data_Analysis_Ex_5.ipynb)

import librosa, librosa.display
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100)

import sklearn
spectral_rolloff = librosa.feature.spectral_centroid(x, sr=sr)[0]

#Computing the time variable for visualization
import matplotlib.pyplot as plt
plt.figure(figsize=(12, 4))
frames = range(len(spectral_rolloff))
t = librosa.frames_to_time(frames)

#Normalising for visualisation
def normalize(x, axis=0):
return sklearn.preprocessing.minmax_scale(x, axis=axis)

#Plotting the Spectral Rolloff along the waveform
librosa.display.waveplot(x, sr=sr, alpha=0.4)
plt.plot(t, normalize(spectral_rolloff), color=’b’)

Spectral Rolloff

  • Spectral Bandwidth

    • Spectral Bandwidth는 피크 최대(peak maximum)의 절반이 되는 지점에서의 대역 넓이로 정의된다.

    Spectral Bandwidth Definition

import librosa, librosa.display
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100)

import sklearn
spectral_bandwidth_2 = librosa.feature.spectral_bandwidth(x+0.01, sr=sr)[0]
spectral_bandwidth_3 = librosa.feature.spectral_bandwidth(x+0.01, sr=sr, p=3)[0]
spectral_bandwidth_4 = librosa.feature.spectral_bandwidth(x+0.01, sr=sr, p=4)[0]

#Computing the time variable for visualization
import matplotlib.pyplot as plt
plt.figure(figsize=(15, 9))
frames = range(len(spectral_bandwidth_2))
t = librosa.frames_to_time(frames)

#Normalising for visualisation
def normalize(x, axis=0):
return sklearn.preprocessing.minmax_scale(x, axis=axis)

#Plotting the Spectral Bandwidth along the waveform
librosa.display.waveplot(x, sr=sr, alpha=0.4)
plt.plot(t, normalize(spectral_bandwidth_2), color=’r’)
plt.plot(t, normalize(spectral_bandwidth_3), color=’g’)
plt.plot(t, normalize(spectral_bandwidth_4), color=’y’)
plt.legend((‘p = 2’, ‘p = 3’, ‘p = 4’))

Spectral Bandwidth

  • MFCCs(Mel-Frequency Cepstral Coefficients)

    • 소리에 대한 인간의 인지적 특성을 반영한 Mel 스케일에 따라 STFT의 스펙트럼 크기를 변환한 것이다

    • 다음은 MFCCs를 구하는 예이다 (Colab에서 실행 –> Audio_Data_Analysis_Ex_7.ipynb)

import librosa, librosa.display
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100)

mfccs = librosa.feature.mfcc(x, sr)

#Displaying the MFCCs
import matplotlib.pyplot as plt
plt.figure(figsize=(15, 7))
librosa.display.specshow(mfccs, sr=sr, x_axis=’time’)

MFCCs

  • Chroma Feature

    • Chroma Feature(또는 Vector)는 신호에 각 음 높이, {C, C#, D, D#, E, …, B}, 에 얼만큼의 에너지가 존재하는지를 식별하는 12 항목 특성 벡터이다.

    • 다음은 Chroma Feature를 구하는 예이다 (Colab에서 실행 –> Audio_Data_Analysis_Ex_8.ipynb)

import librosa, librosa.display
audio_data = ‘rain.wav’
x , sr = librosa.load(audio_data, sr=44100)

chromagram = librosa.feature.chroma_stft(x, sr=sr)

#Displaying the Chroma Feature
import matplotlib.pyplot as plt
plt.figure(figsize=(15, 5))
librosa.display.specshow(chromagram, x_axis=’time’, y_axis=’chroma’, cmap=’coolwarm’)

Chroma Feature




© 2022.06. by AllAboutXAI

Powered by theorydb