0

我想使用 Bass.NET 使用 BASS_ChannelGetData 方法捕获和处理数据。我见过的示例使用这个通过 Bass.NET 库播放音频文件然后对其进行采样,但是我希望对我的声卡输出的数据进行采样,以便我可以捕获和处理来自第三方音频播放器的音频数据,例如例如 Spotify。

Bass.BASS_ChannelGetData(handle, buffer, (int)BASSData.BASS_DATA_FFT256);

我将如何获得允许我处理这些数据的句柄?

4

1 回答 1

0

Bass.BASS_RecordInit 确实返回了一个句柄,但是如果您仔细查看文档,他们确实仅将它用于播放(实际启动)记录通道。他们的代码示例使用回调来检索音频示例。

查看 Bass.BASS_RecordStart 方法文档。

private RECORDPROC _myRecProc; // make it global, so that the GC can not remove it 
private int _byteswritten = 0;
private byte[] _recbuffer; // local recording buffer
...
if ( Bass.BASS_RecordInit(-1) )
{
  _myRecProc = new RECORDPROC(MyRecording);
  int recHandle = Bass.BASS_RecordStart(44100, 2, BASSFlag.BASS_RECORD_PAUSE, _myRecProc, IntPtr.Zero);
  ...
  // start recording
  Bass.BASS_ChannelPlay(recHandle, false);
}
...
private bool MyRecording(int handle, IntPtr buffer, int length, IntPtr user)
{
  bool cont = true;
  if (length > 0 && buffer != IntPtr.Zero)
  {
    // increase the rec buffer as needed 
    if (_recbuffer == null || _recbuffer.Length < length)
      _recbuffer = new byte[length];
    // copy from managed to unmanaged memory
    Marshal.Copy(buffer, _recbuffer, 0, length);
    _byteswritten += length;
    // write to file
    ...
    // stop recording after a certain amout (just to demo) 
    if (_byteswritten > 800000)
      cont = false; // stop recording
  }
  return cont;
}

请注意,您应该能够在该回调中使用 BASS_ChannelGetData 而不是 Marshal.Copy。

你的意思是 resample 而不是 sample ?如果是这样,那么 BassMix 类将处理该工作。

于 2013-03-25T21:57:04.517 回答