av_read_frame之后如何保存音频pcm
时间: 2023-10-08 16:06:35 浏览: 164
树莓派上做音频采集,采集pcm数据并直接保存pcm数据.zip
在调用 av_read_frame 函数读取音频数据之后,可以使用以下代码将音频数据保存为 PCM 格式的文件:
```c
int save_pcm_file(const AVPacket *pkt, AVCodecContext *dec_ctx, const char *filename)
{
AVFrame *frame = av_frame_alloc();
if (!frame) {
fprintf(stderr, "Failed to allocate frame\n");
return -1;
}
int ret = avcodec_send_packet(dec_ctx, pkt);
if (ret < 0) {
fprintf(stderr, "Error sending packet to decoder: %s\n", av_err2str(ret));
av_frame_free(&frame);
return -1;
}
while (ret >= 0) {
ret = avcodec_receive_frame(dec_ctx, frame);
if (ret == AVERROR(EAGAIN) || ret == AVERROR_EOF) {
av_frame_unref(frame);
continue;
} else if (ret < 0) {
fprintf(stderr, "Error during decoding: %s\n", av_err2str(ret));
av_frame_free(&frame);
return -1;
}
int num_channels = av_get_channel_layout_nb_channels(frame->channel_layout);
int bytes_per_sample = av_get_bytes_per_sample(frame->format);
FILE *file = fopen(filename, "ab");
if (!file) {
fprintf(stderr, "Failed to open file '%s'\n", filename);
av_frame_free(&frame);
return -1;
}
for (int i = 0; i < frame->nb_samples; i++) {
for (int j = 0; j < num_channels; j++) {
fwrite(frame->data[j] + i * bytes_per_sample, 1, bytes_per_sample, file);
}
}
fclose(file);
av_frame_unref(frame);
}
av_frame_free(&frame);
return 0;
}
```
其中,AVPacket *pkt 代表从 av_read_frame 函数中读取的音频数据包,AVCodecContext *dec_ctx 代表解码器的上下文,const char *filename 代表要保存的文件名。
该函数首先使用 avcodec_send_packet 函数将数据包发送给解码器进行解码,然后使用 avcodec_receive_frame 函数获取解码后的音频帧。如果返回值为 AVERROR(EAGAIN) 或 AVERROR_EOF,表示需要继续发送数据包进行解码或者解码完成,不需要进行保存操作,直接跳过即可。
接着,根据音频帧的声道数和每个采样点占用的字节数,逐个采样点地将音频数据写入文件中。由于音频帧中的采样点是交叉排列的,所以需要内层循环遍历每个声道的数据,外层循环遍历每个采样点。
最后,关闭文件,释放音频帧内存,返回0表示保存成功。
需要注意的是,保存的PCM数据需要手动添加文件头信息才能被常见的播放器识别,推荐使用FFmpeg提供的命令行工具进行封装。
阅读全文