使用 python 将无声帧添加到 wav 文件

Adding silent frame to wav file using python

第一次在这里发帖,看看怎么样。

我试图在 python 中编写一个脚本,它会在 wav 文件的开头添加一秒钟的静音,但到目前为止没有成功。

我想做的是在 wav header 中读取,然后使用 wave 模块在开头添加 \0,但效果不佳。这是基于此处 http://andrewslotnick.com/posts/audio-delay-with-python.html

的代码
import wave
from audioop import add

def input_wave(filename,frames=10000000): #10000000 is an arbitrary large number of frames
    wave_file = wave.open(filename,'rb')
    params=wave_file.getparams()
    audio=wave_file.readframes(frames)
    wave_file.close()

    return params, audio

#output to file so we can use ipython notebook's Audio widget
def output_wave(audio, params, stem, suffix):
    #dynamically format the filename by passing in data
    filename=stem.replace('.wav','_{}.wav'.format(suffix))
    wave_file = wave.open(filename,'wb')
    wave_file.setparams(params)
    wave_file.writeframes(audio)

# delay the audio
def delay(audio_bytes,params,offset_ms):
    """version 1: delay after 'offset_ms' milliseconds"""
    #calculate the number of bytes which corresponds to the offset in milliseconds
    offset= params[0]*offset_ms*int(params[2]/1000)
    #create some silence
    beginning= b'[=11=]'
    #remove space from the end
    end= audio_bytes        
    return add(audio_bytes, beginning+end, params[0])

audio_params, aduio_bytes = input_wave(<audio_file>)
output_wave(delay(aduio_bytes,audio_params,10000), audio_params, <audio_file>, <audio_file_suffics> )

使用上面的代码,当我尝试添加静音时出现错误,因为音频长度与输入不同。

我对音频处理也很陌生,所以现在我只是尝试任何东西,看看有什么用。

如果有任何建议或想法如何处理,那就太好了:)。

我也在用python 2.7.5

非常感谢。

有些库可以用最少的代码轻松地进行此类音频操作。其中之一是 pydub.

您可以按如下方式安装 pydub,有关依赖项的详细信息为 here
pip install pydub

使用pydub,您可以读取不同的音频格式(在本例中为wav),将它们转换为音频片段,然后执行操作或简单地播放它。

您还可以创建一个设置周期的无声音频片段,并添加两个带有“+”运算符的片段。

源代码

from pydub import AudioSegment
from pydub.playback import play

audio_in_file = "in_sine.wav"
audio_out_file = "out_sine.wav"

# create 1 sec of silence audio segment
one_sec_segment = AudioSegment.silent(duration=1000)  #duration in milliseconds

#read wav file to an audio segment
song = AudioSegment.from_wav(audio_in_file)

#Add above two audio segments    
final_song = one_sec_segment + song

#Either save modified audio
final_song.export(audio_out_file, format="wav")

#Or Play modified audio
play(final_song)