从WAV文件中检索振幅数组,而不是返回完整数据

时间:2012-04-24 06:31:54

标签: c# audio signal-processing sound-recognition music-notation

我正在研究有关和弦检测的论文。在努力奋斗之后,我发现问题的根源在于使用基于C#的程序来获取wav文件的幅度。

我用这些代码检索幅度:

public WavProcessing(String fileNameWithPath)
        {
            _fileNameWithPath = fileNameWithPath;

        }
public void Initialization()
        {
            AssignWaveHeaderData();
            streamBuffer = File.ReadAllBytes(_fileNameWithPath);
            fftBufferSize = 16384;
            fftBufferSize2 = fftBufferSize / 2;

        }
private void getAmplitude()
        {
            waveData = new short[numOfSamples];
            var xsample = new short[numOfSamples];
            var x = 0;
            var str = "";

            for (var i = 44 ; i <= waveData.Length; i = i + 2) //44 because the wave data          starts at 44th byte.
            {
               waveData[x] = BitConverter.ToInt16(streamBuffer,i);
               x++;

            }

    }

代码工作起初很好,我把它与基于delphi的程序进行了比较,这也是一个和弦检测程序。但我没有注意到的是,我的代码实际上只检索了半数幅度。

例如:我将Chord C wav文件加载到我的C#程序中,我得到了像这样的振幅数组

[0] -279
[1] -262
[2] -231
[3] -216
[4] -199
[5] -185
[6] -178
[7] -186
[8] -217
[9] -237
[10] -267
[11] -298
[12] -319
[13] -348
[14] -374
[15] -373
[16] -376
[17] -366
[18] -357
[19] -340
[20] -319
[21] -312
[22] -300
[23] -301
[24] -308
[25] -321
[26] -339
...
[361042] 1950
[361043] 0
[361044] 0
...
[722128] 0

你可以看到启动361043-rd数组,它只返回零...它大约只是整个流大小的一半(722128)

同时在某人的delphi程序中(我用它作为我的参考),其代码如下:

procedure TForm1.openfilewave(NamaFile : string);
var
  Stream : TFileStream;
  i, start, endwave : Integer;
begin
  Application.ProcessMessages;
  Stream := TFileStream.Create(FileName, fmOpenRead);
  FillChar(wavehdr, SizeOf(wavehdr), 0);
  Stream.Read(wavehdr, SizeOf(wavehdr));

  SetLength(wavedata[0].Data, Round(wavehdr.chunkSize/wavehdr.BytesPerSample));

  for i := 0 to High(wavedata[0].Data) do
          begin
            Stream.Read(wavedata[0].Data[i], 2);
          end;
  end;

返回完整的幅度数组(相同的wav文件),如:

0 -- -279
1 -- -262
2 -- -231
3 -- -216
4 -- -199
5 -- -185
6 -- -178
7 -- -186
8 -- -217
9 -- -237
10 -- -267
11 -- -298
12 -- -319
13 -- -348
14 -- -374
15 -- -373
16 -- -376
17 -- -366
18 -- -357
19 -- -340
20 -- -319
...
361042 -- 1950
361043 -- 1819       << not returning zero value
361044 -- 1655
361045 -- 1476
...
722100 -- 165
722101 -- 142
722102 -- 117
722103 -- 91
722104 -- 68
722105 -- 37
722106 -- 11
722107 -- -6
722108 -- -27
722109 -- -36
722110 -- 0
722111 -- 0
...
722128 -- 0

在该delphi程序中,返回完整的幅度数组,为下一次计算得到正确的值。

1 个答案:

答案 0 :(得分:1)

这是问题所在:

for (var i = 44; i <= waveData.Length; i = i + 2)
{
   waveData[x] = BitConverter.ToInt16(streamBuffer,i);
   x++;
}

waveData只有streamBuffer的一半 - 你应该使用:

for (var i = 44; i < streamBuffer.Length; i = i + 2)

或者简化这样的事情,只使用一个变量:

for (int x = 0; x < waveData.Length; x++)
{
   waveData[x] = BitConverter.ToInt16(streamBuffer, x * 2 + 44);
}