8

我正在分析声音文件的音高的程序。我遇到了一个非常好的 API,叫做“TarsosDSP”,它提供了各种音高分析。但是,我在设置它时遇到了很多麻烦。有人可以告诉我一些关于如何使用这个 API(尤其是 PitchProcessor 类)的快速指示吗?一些代码片段将非常感激,因为我在声音分析方面真的很陌生。

谢谢

编辑:我在http://husk.eecs.berkeley.edu/courses/cs160-sp14/index.php/Sound_Programming找到了一些文档,其中有一些示例代码显示了如何设置 PitchProcessor,...</p>

int bufferReadResult = mRecorder.read(mBuffer, 0, mBufferSize);
// (note: this is NOT android.media.AudioFormat)
be.hogent.tarsos.dsp.AudioFormat mTarsosFormat = new be.hogent.tarsos.dsp.AudioFormat(SAMPLE_RATE, 16, 1, true, false);
AudioEvent audioEvent = new AudioEvent(mTarsosFormat, bufferReadResult);
audioEvent.setFloatBufferWithByteBuffer(mBuffer);
pitchProcessor.process(audioEvent);

…我很迷茫,mBuffer 和 mBufferSize 到底是什么?我如何找到这些值?我在哪里输入我的音频文件?

4

1 回答 1

10

TarsosDSP 框架中的基本音频流如下:来自音频文件或麦克风的输入音频流被读取并切成例如 1024 个样本的帧。每个帧都通过一个修改或分析(例如音高分析)它的管道。

在 TarsosDSP 中,AudioDispatcher负责将音频切成帧。它还将音频帧包装到一个AudioEvent对象中。这个AudioEvent对象是通过一个链发送的AudioProcessors

因此,在您引用的代码中,mBuffer 是音频帧,mBufferSize 是样本中缓冲区的大小。您可以自己选择缓冲区大小,但对于音高检测,2048 个样本是合理的。

对于音高检测,您可以使用 TarsosDSP 库执行以下操作:

   PitchDetectionHandler handler = new PitchDetectionHandler() {
        @Override
        public void handlePitch(PitchDetectionResult pitchDetectionResult,
                AudioEvent audioEvent) {
            System.out.println(audioEvent.getTimeStamp() + " " pitchDetectionResult.getPitch());
        }
    };
    AudioDispatcher adp = AudioDispatcherFactory.fromDefaultMicrophone(2048, 0);
    adp.addAudioProcessor(new PitchProcessor(PitchEstimationAlgorithm.YIN, 44100, 2048, handler));
    adp.run();

在这段代码中,首先创建了一个处理程序,它简单地打印检测到的音高。连接到默认麦克风,AudioDispatcher缓冲区大小为 2048。检测音高的音频处理器添加到AudioDispatcher. 处理程序也在那里使用。

最后一行开始该过程。

于 2015-07-06T14:38:10.263 回答