FFmpeg的IO分析

摩西2016發表於2017-09-16

FFmpeg在使用之前,必須先呼叫av_register_all。

void av_register_all(void)
{
    static AVOnce control = AV_ONCE_INIT;
    ff_thread_once(&control, register_all);
}
這個函式又通過ff_thread_once呼叫了register_all,ff_thread_once的作用是保證register_all只會被呼叫一次。

static void register_all(void)
{
    avcodec_register_all();

    /* (de)muxers */
    REGISTER_MUXER   (A64,              a64);
    REGISTER_DEMUXER (AA,               aa);

    ...
}

avcode_register_all首先呼叫av_codec_register_all註冊編解碼器,然後是一系列REGISTER_MUXER和REGISTER_DEMUXER巨集呼叫,這些巨集是註冊複用/解服用器。這些巨集其實最後就是呼叫的av_register_input_format或者av_register_output_format

#define REGISTER_MUXER(X, x)                                            \
    {                                                                   \
        extern AVOutputFormat ff_##x##_muxer;                           \
        if (CONFIG_##X##_MUXER)                                         \
            av_register_output_format(&ff_##x##_muxer);                 \
    }

#define REGISTER_DEMUXER(X, x)                                          \
    {                                                                   \
        extern AVInputFormat ff_##x##_demuxer;                          \
        if (CONFIG_##X##_DEMUXER)                                       \
            av_register_input_format(&ff_##x##_demuxer);                \
    }
從上面的巨集定義可以看到,程式碼中預先定義了很多ff_xxx_muxer和ff_xxx_demuxer。這些都定義在libavformat目錄下面相應的檔案中,以a64為例


在a64.c檔案的末尾定義如下


另外以上的註冊的複用/解服用器儲存在連結串列中,連結串列的表頭表尾是全域性變數,後續可以通過表頭表尾指標查詢相應的input/output format。

/** head of registered input format linked list */
static AVInputFormat *first_iformat = NULL;
/** head of registered output format linked list */
static AVOutputFormat *first_oformat = NULL;

static AVInputFormat **last_iformat = &first_iformat;
static AVOutputFormat **last_oformat = &first_oformat;


相關文章