我将FFmpeg库用于个人项目,并且我需要一件事的帮助。我有立体声音乐文件,我想将此立体声转换为单声道声音吗?这个图书馆有可能吗?内部有功能可以完成这项工作吗?我的项目是C/C++。

我在FFmpeg网站和这个论坛上搜索了Doxygen文档,但没有发现任何有趣的东西。

谢谢阅读 !

最佳答案

使用libswresample中的swr_convert在格式之间进行转换。就像是:

#include "libswresample/swresample.h"

au_convert_ctx = swr_alloc();

out_channel_layout = AV_CH_LAYOUT_MONO;
out_sample_fmt = AV_SAMPLE_FMT_S16;
out_sample_rate = 44100;
out_channels = av_get_channel_layout_nb_channels(out_channel_layout);

in_sample_fmt = pCodecCtx->sample_fmt;
in_channel_layout=av_get_default_channel_layout(pCodecCtx->channels);

au_convert_ctx=swr_alloc_set_opts(au_convert_ctx,out_channel_layout, out_sample_fmt, out_sample_rate,
            in_channel_layout, in_sample_fmt, pCodecCtx->sample_rate, 0, NULL);
swr_init(au_convert_ctx);
//Generate your frame of original audio, then use swr_convert to convert to mono,
//converted number of samples will now be in out_buffer.
int converted = swr_convert(au_convert_ctx, &out_buffer, MAX_AUDIO_FRAME_SIZE, (const uint8_t **)&pFrame->data , pFrame->nb_samples);
//...
swr_free(&au_convert_ctx);

让您开始。这会将原始格式碰巧转换为44100 kHz单声道。您也可以使用pCodecCtx->sample_rate作为输出采样率。

这是最灵活,最简单的解决方案。

07-26 09:34