1

我目前正在使用 D#+ 编写一个 Discord 机器人,它应该将通过输出声音设备的所有音频发送到语音通道。

使用 NAudio,我可以成功地从设备捕获音频,我当前的代码看起来有点像这样:

Capture.StartRecording(); // 'Capture' is a WasapiLoopbackCapture object
Capture.DataAvailable += async (s, a) =>
{
    await stream.WriteAsync(a.Buffer); // 'stream' is the transmit stream for the Discord connection
};

然而不幸的是,D#+ 非常具体地要求 16 位立体声 PCM 的采样率为 48000 Hz,这与 Wasapi Capture Buffer 产生的 IEEE 浮点格式并不完全相同,正如我通过一些阅读发现的那样。所以我现在知道我必须先将缓冲区转换为所述 PCM 格式,然后才能将其写入传输流。

经过一番研究,我发现了一些像this这样的文章和像this这样的问题,这些似乎都朝着我想要实现的目标的正确方向发展,但并不完全,或者至少我对音频处理不太熟练正确应用它并使其工作。

所以我的问题是,本质上,我怎样才能不断地将我从 WasapiLoopbackCapture 缓冲区获取的数据转换为具有所述 PCM 格式的新缓冲区?任何帮助深表感谢!

4

1 回答 1

4

感谢 @GoodNightNerdPride在 NAudio GitHub 页面上向我指出这个问题。通过那里发布的代码片段,我能够编写这个方法,它可以将缓冲区从 WasapiLoopbackCapture 对象转换为 16 位 PCM 格式。

/// <summary>
/// Converts an IEEE Floating Point audio buffer into a 16bit PCM compatible buffer.
/// </summary>
/// <param name="inputBuffer">The buffer in IEEE Floating Point format.</param>
/// <param name="length">The number of bytes in the buffer.</param>
/// <param name="format">The WaveFormat of the buffer.</param>
/// <returns>A byte array that represents the given buffer converted into PCM format.</returns>
public byte[] ToPCM16(byte[] inputBuffer, int length, WaveFormat format)
{
    if (length == 0)
        return new byte[0]; // No bytes recorded, return empty array.

    // Create a WaveStream from the input buffer.
    using var memStream = new MemoryStream(inputBuffer, 0, length);
    using var inputStream = new RawSourceWaveStream(memStream, format);

    // Convert the input stream to a WaveProvider in 16bit PCM format with sample rate of 48000 Hz.
    var convertedPCM = new SampleToWaveProvider16(
        new WdlResamplingSampleProvider(
            new WaveToSampleProvider(inputStream),
            48000)
        );

    byte[] convertedBuffer = new byte[length];

    using var stream = new MemoryStream();
    int read;
            
    // Read the converted WaveProvider into a buffer and turn it into a Stream.
    while ((read = convertedPCM.Read(convertedBuffer, 0, length)) > 0)
        stream.Write(convertedBuffer, 0, read);

    // Return the converted Stream as a byte array.
    return stream.ToArray();
}

有了这个,使用 D#+ 将捕获的音频流式传输WasapiLoopbackCapture到 Discord 就像这样简单:

var stream = connection.GetTransmitSink();

Capture.StartRecording();
Capture.DataAvailable += async (s, a) =>
{
    await stream.WriteAsync(ToPCM16(a.Buffer, a.BytesRecorded, Capture.WaveFormat));
};
于 2020-12-27T19:14:36.067 回答