このコードはこのトリックを行う必要があります。これは、waveファイルを正規化されたdouble配列(-1対1)に変換しますが、代わりにint/short配列にするのは簡単です(/32768.0ビットを削除し、代わりに32768を追加してください)。読み込まれたwavファイルがモノラルであると判明した場合、right []配列はnullに設定されます。
65536サンプル配列を作成し、-1から1までのウェーブを作成した後で、サンプルがどれも通過しないように見えることはありません天井や床。あなたは、あなたのWAVファイルを想定して、プラグインを使用したい場合は
// convert two bytes to one double in the range -1 to 1
static double bytesToDouble(byte firstByte, byte secondByte)
{
// convert two bytes to one short (little endian)
short s = (secondByte << 8) | firstByte;
// convert to range from -1 to (just below) 1
return s/32768.0;
}
// Returns left and right double arrays. 'right' will be null if sound is mono.
public void openWav(string filename, out double[] left, out double[] right)
{
byte[] wav = File.ReadAllBytes(filename);
// Determine if mono or stereo
int channels = wav[22]; // Forget byte 23 as 99.999% of WAVs are 1 or 2 channels
// Get past all the other sub chunks to get to the data subchunk:
int pos = 12; // First Subchunk ID from 12 to 16
// Keep iterating until we find the data chunk (i.e. 64 61 74 61 ...... (i.e. 100 97 116 97 in decimal))
while(!(wav[pos]==100 && wav[pos+1]==97 && wav[pos+2]==116 && wav[pos+3]==97))
{
pos += 4;
int chunkSize = wav[pos] + wav[pos + 1] * 256 + wav[pos + 2] * 65536 + wav[pos + 3] * 16777216;
pos += 4 + chunkSize;
}
pos += 8;
// Pos is now positioned to start of actual sound data.
int samples = (wav.Length - pos)/2; // 2 bytes per sample (16 bit sound mono)
if (channels == 2)
{
samples /= 2; // 4 bytes per sample (16 bit stereo)
}
// Allocate memory (right will be null if only mono sound)
left = new double[samples];
if (channels == 2)
{
right = new double[samples];
}
else
{
right = null;
}
// Write to double array/s:
int i=0;
while (pos < length)
{
left[i] = bytesToDouble(wav[pos], wav[pos + 1]);
pos += 2;
if (channels == 2)
{
right[i] = bytesToDouble(wav[pos], wav[pos + 1]);
pos += 2;
}
i++;
}
}
は(最も一般的である)16ビットPCM、あなたはバイト配列にそれを読み出すためにNAudioを使用し、その後にそのコピーすることができますが含まれています便宜上16ビット整数の配列ステレオの場合、サンプルは左右にインターリーブされます。
using (WaveFileReader reader = new WaveFileReader("myfile.wav"))
{
Assert.AreEqual(16, reader.WaveFormat.BitsPerSample, "Only works with 16 bit audio");
byte[] buffer = new byte[reader.Length];
int read = reader.Read(buffer, 0, buffer.Length);
short[] sampleBuffer = new short[read/2];
Buffer.BlockCopy(buffer, 0, sampleBuffer, 0, read);
}
個人的に私ができる限り第三者のライブラリを使用しないようにしてください。しかし、コードをより使いやすく見えるようにするには、このオプションがまだあります。
26バイトのサイズがわかるとすぐに間違っているはずです。 – Steve
dataIDの値を確認してください。それは文字 "fmt"を含むべきです。私はそれが32ビットのintとして読まれるときに逆転されると思います。つまり、次のものを含みます:0x20 0x74 0x6d 0x66。これは、正しい場所からdataSize値を読み取っているかどうかを判断するのに役立ちます。 – Olan