3

我试图制作一个通用函数来显示错误消息,并且程序可能在显示消息后退出。

我希望该函数显示发生错误的源文件和行。

参数列表:

1.char *desc //description of the error
2.char *file_name //source file from which the function has been called
3.u_int line //line at which the function has been called
4.bool bexit=false //true if the program should exit after displaying the error
5.int code=0 //exit code

由于 (4) 和 (5) 我需要在函数定义中使用默认参数,因为我不希望它们被指定,除非程序应该退出。

由于(2)和(3),我需要使用一个重定向到原始函数的宏,比如这个:

#define Error(desc, ???) _Error(desc,__FILE,__LINE__, ???)

问题是我看不到这两个元素应该如何协同工作。

它的外观示例:

if(!RegisterClassEx(&wndcls))
    Error("Failed to register class",true,1); //displays the error and exits with exit code 1

if(!p)
    Error("Invalid pointer"); //displays the error and continues
4

1 回答 1

1

你不能在 C99 中重载宏——你需要两个不同的宏。对于 C11,使用_Generic.

我使用宏开发了一些非常相似的东西——Visual Studio 的自定义警告生成器片段。GNU GCC 有一些与 MSVS 兼容的类似设置。

#define STR2(x) #x
#define STR1(x) STR2(x)
#define LOC __FILE__ “(“STR1(__LINE__)”) : Warning Msg: “
#define ERROR_BUILDER(x) printf(__FILE__ " (“STR1(__LINE__)”) : Error Msg: ” __FUNCTION__ ” requires ” #x)

上面的行处理了您的参数 1 到 3。添加对 4 的支持需要exit()在宏中插入一个调用。此外,如果您需要两个不同的参数列表(具有默认参数的一个可以委托给另一个宏),请创建两个不同的宏包装器。

#define ERROR_AND_EXIT(msg, cond, errorcode) ERROR_BUILDER(msg) if (cond) exit(errorcode)
#define ERROR_AND_CONT(msg) ERROR_BUILDER(msg)

我在这里做了详细的描述(警告:那是我的博客——所以认为它是一个无耻的插件)。

于 2012-05-14T12:07:13.960 回答