16

我有问题。我使用 sqlite 来存储声音。我在 byte[] 中得到声音。然后将 byte[] 转换为 float[]:

            private float[] ConvertByteToFloat(byte[] array) 
            {
                float[] floatArr = new float[array.Length / 4];
                for (int i = 0; i < floatArr.Length; i++) 
                {
                    if (BitConverter.IsLittleEndian) 
                        Array.Reverse(array, i * 4, 4);
                    floatArr[i] = BitConverter.ToSingle(array, i * 4);
                }
                return floatArr;
            } 


            float[] f = ConvertByteToFloat(bytes);

然后创建音频剪辑:

    AudioClip audioClip = AudioClip.Create("testSound", f.Length, 1, 44100, false, false);
    audioClip.SetData(f, 0);

然后播放

AudioSource.PlayClipAtPoint(audioClip, new Vector3(100, 100, 0), 1.0f);

但结果是噪音:(。

4

2 回答 2

8

floatArr 需要缩放到 -1.0f 到 1.0f 的范围内。

floatArr[i] = BitConverter.ToSingle(array, i*4) / 0x80000000;
于 2013-04-23T23:17:36.773 回答
0

在我的情况下,BitConverter.ToSingle没有工作。我必须首先阅读 PCM (*.wav) 标头 ( pcmHeader),然后使用:

  • 直接转换为 8 位样本。
  • BitConverter.ToInt16对于 16 位样本
  • BitConverter.ToInt32对于 32 位样本
float[] samples       = new float[pcmHeader.AudioSampleCount];
for (int i = 0; i < samples.Length; ++i)
{
    int   byteIndex = pcmHeader.AudioStartIndex + i * pcmHeader.AudioSampleSize;
    float rawSample;
    switch (pcmHeader.BitDepth)
    {
        case 8:
            rawSample = bytes[byteIndex];
            break;

        case 16:
            rawSample = BitConverter.ToInt16(bytes, byteIndex);
            break;

        case 32:
            rawSample = BitConverter.ToInt32(bytes, byteIndex);
            break;

        default: throw new ArgumentOutOfRangeException(nameof(pcmHeader.BitDepth), pcmHeader.BitDepth, "Supported values are: 8, 16, 32");
    }
    
    samples[i] = pcmHeader.NormalizeSample(rawSample); // normalize sample between [-1f, 1f]
}

其中使用给定位深度的相应最大值和最小值进行NormalizeSample缩放:rawSample

// _negativeDepth = Mathf.Pow(2f, BitDepth - 1f);
// _positiveDepth = _negativeDepth - 1f;
public float NormalizeSample(float rawSample)
{
    float sampleDepth = rawSample < 0 ? _negativeDepth : _positiveDepth;
    return rawSample / sampleDepth;
}
于 2021-08-28T14:04:49.303 回答