目前,我試圖做一個wave文件的音高改變使用該算法C浪的#移調文件
https://sites.google.com/site/mikescoderama/pitch-shifting
這裏我的代碼,它們使用上面的實現,但沒有運氣。輸出的波形文件似乎已損壞或無效。
的代碼是相當簡單的,除了音高移位算法:)
- 它加載一個波形文件中,讀出波形數據文件,並把它放在一個 byte []數組。
- 然後它將字節數據「標準化」爲-1.0f到1.0f格式(如由音高改變算法的創建者請求的 )。
- 它應用音高移位算法,然後將標準化數據轉換回byte []數組。
- 最後保存一個波形文件,其中包含原始波形文件 的相同標題以及音高偏移數據。
我錯過了什麼嗎?這裏
static void Main(string[] args)
{
// Read the wave file data bytes
byte[] waveheader = null;
byte[] wavedata = null;
using (BinaryReader reader = new BinaryReader(File.OpenRead("sound.wav")))
{
// Read first 44 bytes (header);
waveheader= reader.ReadBytes(44);
// Read data
wavedata = reader.ReadBytes((int)reader.BaseStream.Length - 44);
}
short nChannels = BitConverter.ToInt16(waveheader, 22);
int sampleRate = BitConverter.ToInt32(waveheader, 24);
short bitRate = BitConverter.ToInt16(waveheader, 34);
// Normalized data store. Store values in the format -1.0 to 1.0
float[] in_data = new float[wavedata.Length/2];
// Normalize wave data into -1.0 to 1.0 values
using(BinaryReader reader = new BinaryReader(new MemoryStream(wavedata)))
{
for (int i = 0; i < in_data.Length; i++)
{
if(bitRate == 16)
in_data[i] = reader.ReadInt16()/32768f;
if (bitRate == 8)
in_data[i] = (reader.ReadByte() - 128)/128f;
}
}
//PitchShifter.PitchShift(1f, in_data.Length, (long)1024, (long)32, sampleRate, in_data);
// Backup wave data
byte[] copydata = new byte[wavedata.Length];
Array.Copy(wavedata, copydata, wavedata.Length);
// Revert data to byte format
Array.Clear(wavedata, 0, wavedata.Length);
using (BinaryWriter writer = new BinaryWriter(new MemoryStream(wavedata)))
{
for (int i = 0; i < in_data.Length; i++)
{
if(bitRate == 16)
writer.Write((short)(in_data[i] * 32768f));
if (bitRate == 8)
writer.Write((byte)((in_data[i] * 128f) + 128));
}
}
// Compare new wavedata with copydata
if (wavedata.SequenceEqual(copydata))
{
Console.WriteLine("Data has no changes");
}
else
{
Console.WriteLine("Data has changed!");
}
// Save modified wavedata
string targetFilePath = "sound_low.wav";
if (File.Exists(targetFilePath))
File.Delete(targetFilePath);
using (BinaryWriter writer = new BinaryWriter(File.OpenWrite(targetFilePath)))
{
writer.Write(waveheader);
writer.Write(wavedata);
}
Console.ReadLine();
}
你確定你的音頻文件頭是44字節嗎?根據這個網頁http://www.sonicspot.com/guide/wavefiles.html它取決於很多事情,需要正確解析。 – Neil
你是對的!我將自動回答我的問題以發佈正確的用法。 – John