编译程序时,有一大堆警告总是不爽的。别人的代码也就忍了,不好去改。自己的可没法忍。看看C++里怎么消除Wunused警告。
先来看下面的程序:
#include
int main(int argc,char **argv)
{
? ? int? a;
? ? return 0;
}
编译的时候,打开所有的警告:
?
可以看到,没有使用的变量、参数都给出了警告。警告是编译器给的,我们当然可以把编译选项中的-W -Wall去掉一了百了。可通常我们只是想告诉编译器:这个地方是我故意这样写的,不用警告我。其他地方有问题才警告我。那么就来看看编译器的__attribute__((unused))属性。这个属性可以在声明变量时指定变量是不需要用到的,不需要警告。如:
#include
int main(int argc,char **argv)
{
? ? int? a __attribute__((unused));
? ? return 0;
}
编译时就不会再提示变量a未使用:
对__attribute__((unused))稍微包装一下,就有了网上广为流传的版本:
?
#ifdef UNUSED
#elif defined(__GNUC__)
# define UNUSED(x) UNUSED_ ## x __attribute__((unused))
#elif defined(__LCLINT__)
# define UNUSED(x) /*@unused@*/ x
#else
# define UNUSED(x) x
#endif
#include
int main(int UNUSED(argc),char **UNUSED(argv))
{
? ? int? UNUSED(a);
? ? return 0;
}
这样编译时就完全没有警告了。不过,如果有人没注意看你的代码,又使用变量a,则会提示error: ‘a’ was not declared in this scope。
上面的方法是GNUC里提供的,而Qt里有一个Q_UNUSED,它的实现在qglobal.h里。
#ifndef Q_TYPENAME
#? define Q_TYPENAME typename
#endif
//
// Use to avoid "unused parameter" warnings
//
#define Q_UNUSED(x) (void)x;
//
// Debugging and error handling
//
#if !defined(QT_NO_CHECK)
#? define QT_CHECK_STATE? ? ? ? ? ? // check state of objects etc.
#? define QT_CHECK_RANGE? ? ? ? ? ? // check range of indexes etc.
#? define QT_CHECK_NULL? ? ? ? ? ? ? ? // check null pointers
#? define QT_CHECK_MATH? ? ? ? ? ? ? ? // check math functions
#endif
当然,我们也可以按它的方式去做,不过它是在使用的时候(声明一个int (void)a可以编译通过,在函数的参数里则不行),而GNUC方法是在声明的时候。按Qt的方法:
#define UNUSED(x) (void)x
#include
int main(int argc,char **argv)
{
? ? int? a;
? ? UNUSED(a);
? ? UNUSED(argc);
? ? UNUSED(argv);
? ?
? ? return 0;
}
这样编译也是没有警告的。
上面两种方法处理后,用 g++ -S unused.c生成汇编代码来对比,与下面的程序是一致的,不会生成多余的代码,没有效率的问题:
#include
int main()
{
? ? int a;
? ? return 0;
}