其他分享
首页 > 其他分享> > 《发现一个有趣的函数:av_strerror》

《发现一个有趣的函数:av_strerror》

作者:互联网

去官网查看函数的定义:

int av_strerror(int errnum, char *  errbuf, size_t  errbuf_size)
Parameters参数描述:

errnum: error code to describe(错误码值)
errbuf: buffer to which description is written(将要被写进错误描述的数组)
errbuf_size: the size in bytes of errbuf(数组的字节大小)

Returns返回值:

0 on success, a negative value if a description for errnum cannot be found
//返回值为0时,表示成功(可以找到AVERROR CODE整数值的错误描述),如果返回其他值,则说明没有找到错误数值的描述内容。

查看官网上面的函数作用描述:

Put a description of the AVERROR code errnum in errbuf.(将错误描述存放再数组errbuf里)
In case of failure the global variable errno is set to indicate the error. (在失败的情况下,全局变量 errno 设置为指示错误。)
Even in case of failure av_strerror() will print a generic error message indicating the errnum provided to errbuf.(即使在失败的情况下,av_strerror() 也会打印一条通用错误消息,指示提供给 errbuf 的 errnum。)

函数实现:

int av_strerror(int errnum, char *errbuf, size_t errbuf_size)
{
    int ret = 0, i;
    const struct error_entry *entry = NULL;

    for (i = 0; i < FF_ARRAY_ELEMS(error_entries); i++) {
        if (errnum == error_entries[i].num) {
            entry = &error_entries[i];
            break;
        }
    }
if (entry) {
    av_strlcpy(errbuf, entry->str, errbuf_size);
} else {
#if HAVE_STRERROR_R
    ret = AVERROR(strerror_r(AVUNERROR(errnum), errbuf, errbuf_size));
#else
    ret = -1;
#endif
    if (ret < 0)
        snprintf(errbuf, errbuf_size, "Error number %d occurred", errnum);
    }
    return ret;
}

函数使用案例:

char buf[] = "";
int err_code = avformat_open_input(&pFormatCtx,filepath,NULL,NULL);//打开输入视频文件
av_strerror(err_code, buf, 1024);
printf("Couldn't open file %s: %d(%s)\n",filepath, err_code, buf);
打印内容

Couldn't open file xxx.mp4: -2(No file or directory)

标签:errnum,error,strerror,errbuf,av,有趣,size
来源: https://www.cnblogs.com/jj-Must-be-sucessful/p/16693144.html