我最近一直在努力消除代码中的警告,并且更加熟悉GCC警告标志(例如-Wall
,-Wno-<warning to disable>
,-fdiagnostics-show-option
等。) 。但是我无法弄清楚如何禁用(甚至控制)链接器警告。我得到的最常见的链接器警告形式如下:
ld: warning: <some symbol> has different visibility (default) in
<path/to/library.a> and (hidden) in <path/to/my/class.o>
我之所以这样做是因为我使用的库是使用default
可见性构建的,而我的应用程序是使用hidden
可见性构建的。我通过使用hidden
可见性重建库来修复此问题。
我的问题是:如果我愿意,我该如何压制这个警告?这不是我现在需要做的事情,我已经弄清楚如何解决它但我仍然很好奇你是如何抑制那个特别的警告 - 或者一般的链接警告?
对任何C / C ++ /链接器标志使用-fdiagnostics-show-option
并未说明该警告的来源与其他编译器警告一样。
答案 0 :(得分:4)
实际上,您无法禁用GCC链接器警告,因为它会存储在您要链接的二进制库的特定部分中。 (该部分名为.gnu.warning。 symbol )
你可以将它静音,就像这样(这是从libc-symbols.h中提取的):
没有它:
#include <sys/stat.h>
int main()
{
lchmod("/path/to/whatever", 0666);
return 0;
}
给出:
$ gcc a.c
/tmp/cc0TGjC8.o: in function « main »:
a.c:(.text+0xf): WARNING: lchmod is not implemented and will always fail
禁用:
#include <sys/stat.h>
/* We want the .gnu.warning.SYMBOL section to be unallocated. */
#define __make_section_unallocated(section_string) \
__asm__ (".section " section_string "\n\t.previous");
/* When a reference to SYMBOL is encountered, the linker will emit a
warning message MSG. */
#define silent_warning(symbol) \
__make_section_unallocated (".gnu.warning." #symbol)
silent_warning(lchmod)
int main()
{
lchmod("/path/to/whatever", 0666);
return 0;
}
给出:
$ gcc a.c
/tmp/cc195eKj.o: in function « main »:
a.c:(.text+0xf): WARNING:
隐藏:
#include <sys/stat.h>
#define __hide_section_warning(section_string) \
__asm__ (".section " section_string "\n.string \"\rHello world! \"\n\t.previous");
/* If you want to hide the linker's output */
#define hide_warning(symbol) \
__hide_section_warning (".gnu.warning." #symbol)
hide_warning(lchmod)
int main()
{
lchmod("/path/to/whatever", 0666);
return 0;
}
给出:
$ gcc a.c
/tmp/cc195eKj.o: in function « main »:
Hello world!
显然,在这种情况下,将Hello world!
替换为多个空格或一些广告,用于您精彩的项目。
答案 1 :(得分:0)
不幸的是,ld似乎没有任何抑制特定选项的内在方法。我发现有用的一件事是通过将-Wl,--warn-once
传递给g ++来限制重复警告的数量(或者你可以将--warn-once
直接传递给ld)。