1

我自己尝试使用 libavcodec 作为后端播放媒体。我下载了 ffmpeg-2.0.1 并使用 ./configure、make 和 make install 安装。在尝试运行应用程序来播放音频文件时,我在检查第一个音频流时遇到分段错误。我的程序就像

AVFormatContext* container = avformat_alloc_context();
if (avformat_open_input(&container, input_filename, NULL, NULL) < 0) {
    die(“Could not open file”);
}

if (av_find_stream_info(container) < 0) {
    die(“Could not find file info”);
}

av_dump_format(container, 0, input_filename, false);
int stream_id = -1;
int i;

for (i = 0; i < container->nb_streams; i++) {
    if (container->streams[i]->codec->codec_type==AVMEDIA_TYPE_AUDIO) {
        stream_id = i;
        break;
    }
}

分段错误发生在 if(container->streams[i]->codec->codec_type==AVMEDIA_TYPE_AUDIO)

我怎样才能解决这个问题?我在 ubuntu 12.04 工作。

4

1 回答 1

1

你不需要在开始时分配你AVFormatContext的。

该功能av_find_stream_info也已弃用,您必须将其更改为avformat_find_stream_info

av_register_all();
avcodec_register_all();

AVFormatContext* container = NULL;
if (avformat_open_input(&container, input_filename, NULL, NULL) < 0) {
    die(“Could not open file”);
}

if (avformat_find_stream_info(container, NULL) < 0) {
    die(“Could not find file info”);
}

// av_dump_format(container, 0, input_filename, false);

int stream_id = -1;
int i;

for (i = 0; i < container->nb_streams; i++) {
    if (container->streams[i]->codec->codec_type==AVMEDIA_TYPE_AUDIO) {
        stream_id = i;
        break;
    }
}

另外我不确定这av_dump_format在这里有用......


编辑: 你尝试过类似的东西:

av_register_all();
avcodec_register_all();

AVFormatContext* container = NULL;
AVCodec *dec;

if ( avformat_open_input(&container, input_filename, NULL, NULL) < 0) {
    // ERROR
}

if ( avformat_find_stream_info(container, NULL) < 0) {
    // ERROR
}

/* select the audio stream */
if ( av_find_best_stream(container, AVMEDIA_TYPE_AUDIO, -1, -1, &dec, 0) < 0 ) {
    // ERROR
}
于 2013-08-19T14:14:42.357 回答