如何将音频存储到缓冲区中,然后逐字节读取

时间:2011-06-15 16:44:56

标签: android

我可以通过Android的MediaRecord制作wav文件...但我有兴趣将音频数据放入缓冲区并逐字节读取...我必须通过TCP通道以字节方式发送音频块...可以请任何人帮助我......提前谢谢,

来自奥地利的szaman

1 个答案:

答案 0 :(得分:0)

您可以使用AudioRecord逐字节读取音频数据,以下是一些示例代码。

// calculate the minimum buffer
int minBuffer = AudioRecord.getMinBufferSize(SAMPLE_RATE, CHANNEL_CONFIG, AUDIO_FORMAT);

// initialise audio recorder and start recording
AudioRecord mRec = new AudioRecord(AUDIO_SOURCE, SAMPLE_RATE, 
                CHANNEL_CONFIG, AUDIO_FORMAT, 
                minBuffer);
mRec.startRecording();
byte[] pktBuf = new byte[pktSizeByte];
boolean ok;
// now you can start reading the bytes from the AudioRecord
while (!finished) {
    // fill the pktBuf
    readFully(pktBuf, 0, pktBuf.length);
    // make a copy
    byte[] pkt = Arrays.copyOf(pktBuf, pktBuf.length);
    // do anything with the byte[] ...
}

由于对read()的单次调用可能无法获得足够的数据来填充byte[] pktBuf,因此我们可能需要多次读取才能填充缓冲区。在这种情况下,我使用辅助函数“readFully”来确保填充缓冲区。根据您对代码的处理方式,可以使用不同的策略......

/* fill the byte[] with recorded audio data */
private void readFully(byte[] data, int off, int length) {
    int read;
    while (length > 0) {
        read = mRec.read(data, off, length);
        length -= read;
        off += read;
    }
}

请务必在完成后致电mRec.stop()以停止AudioRecorder。希望有所帮助。