实现弃用警告的一种方法是在对不推荐使用的函数的调用上产生警告,除非您从不推荐的上下文中调用。这样,遗留代码可以调用遗留代码,而不会产生仅相当于噪声的警告。
这是一个合理的思路,它反映在我在OS X上的GCC 4.2(1)和Clang 4.0(2)以及Ubuntu上的Clang 3.0(3)中看到的实现中。
但是,当我在Ubuntu上使用GCC 4.6(4)进行编译时,对于所有已弃用函数的调用,我都会被弃用警告,而与上下文无关。这是功能的回归吗?是否有可用于获取其他行为的编译器选项?
示例程序:
int __attribute__((deprecated)) a() {
return 10;
}
int __attribute__((deprecated)) b() {
return a() * 2; //< I want to get rid of warnings from this line
}
int main() {
return b(); //< I expect a warning on this line only
}
GCC 4.2的输出(是的,我确实得到了两次相同的警告。但我并不关心这一点):
main.cpp: In function ‘int main()’:
main.cpp:10: warning: ‘b’ is deprecated (declared at main.cpp:5)
main.cpp:10: warning: ‘b’ is deprecated (declared at main.cpp:5)
GCC 4.6的输出:
main.cpp: In function 'int b()':
main.cpp:6:9: warning: 'int a()' is deprecated (declared at main.cpp:1) [-Wdeprecated-declarations]
main.cpp:6:11: warning: 'int a()' is deprecated (declared at main.cpp:1) [-Wdeprecated-declarations]
main.cpp: In function 'int main()':
main.cpp:10:9: warning: 'int b()' is deprecated (declared at main.cpp:5) [-Wdeprecated-declarations]
main.cpp:10:11: warning: 'int b()' is deprecated (declared at main.cpp:5) [-Wdeprecated-declarations]
我怎样才能说服GCC 4.6它应该给我与GCC 4.2相同的输出?
答案 0 :(得分:36)
-Wno-deprecated
将删除所有已弃用的警告
答案 1 :(得分:35)
gcc 4.6添加了有助于解决此问题的诊断编译指示:
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wdeprecated-declarations"
int __attribute__((deprecated)) b() {
return a() * 2; //< I want to get rid of warnings from this line
}
#pragma GCC diagnostic pop
注意:这仅适用于gcc 4.6及更高版本。 push
和pop
是4.6个扩展名。使用gcc 4.5,#pragma GCC diagnostic push
和pop
将被忽略(带警告)。不会忽略的是#pragma GCC diagnostic ignored "-Wdeprecated-declarations"
- 但现在这有效直到文件结束。
答案 2 :(得分:14)
您在GCC 4.2中看到的行为是由针对GCC的Apple特定补丁引起的。 FSF GCC 4.2.4警告a
的使用。 Apple GCC对FSF GCC不具备的具体位是:
--- a/gcc/toplev.c
+++ b/gcc/toplev.c
@@ -902,6 +902,9 @@ warn_deprecated_use (tree node)
if (node == 0 || !warn_deprecated_decl)
return;
+ if (current_function_decl && TREE_DEPRECATED (current_function_decl))
+ return;
+
if (DECL_P (node))
{
expanded_location xloc = expand_location (DECL_SOURCE_LOCATION (node));
(根据GPLv2或更高版本提供)
您可能希望将此修补程序调整为更高版本的GCC(可能不需要进行任何更改,可能需要进行重大更改),并且应用此修补程序从源代码构建GCC。或者您可以在FSF GCC bugzilla上将此报告为功能请求。
答案 3 :(得分:1)
我遇到了同样的问题。提出的解决方案如下
typedef OLD_A_NOT_TO_BE_USED a __attribute__((deprecated));
int OLD_A_NOT_TO_BE_USED () {
return 10;
}
int __attribute__((deprecated)) b() {
return OLD_A_NOT_TO_BE_USED () * 2; //< I want to get rid of warnings from this line
}
int main() {
return b(); //< I expect a warning on this line only
}
所以我只是将我的一个类重命名为OLD_A_NOT_TO_BE_USED类。我只在返回b()时收到警告;如果有人使用了他们,他们仍会得到弃用的警告。