我试图在 C++ 程序的回溯中找到调用的确切行。现在我正在使用这些行(来自 backtrace 的手册页)来获取跟踪:
void *bt_buffer[1000];
char **bt_strings;
int bt_nptrs = backtrace(bt_buffer, 1000);
bt_strings = backtrace_symbols(bt_buffer, bt_nptrs);
在 bt_strings 我找到表格的行
./prog() [0x402e42]
现在我获取地址(十六进制字符串)并将其提供给 addr2line。这有时会导致明显错误的行号。互联网搜索使我找到了这篇文章,其中表明
readelf -wl ./prog
指示该行的实际位置,或者更确切地说,该符号已移动到当前行的行数。
编辑:当我编译时会发生这种情况-g -O0
,即明确地没有优化。编译器是gcc 4.6.3
我想念的另一个编译器标志吗?
我的问题如下:我需要自动化这个。我需要我的程序来创建回溯(完成),提取文件(完成)和行号(失败)。
我当然可以调用readelf
并解析输出,但这并不适合,因为输出因符号而异,具体取决于具体发生的情况。有时符号的地址在一行中,而有关行偏移的信息在下一行...
总结一下:
是否有一种优雅的方法可以在运行时从程序内部获取回溯中函数调用的确切行号?
编辑:示例代码:
#define UNW_LOCAL_ONLY
#include <libunwind.h>
#include <execinfo.h>
#include <iostream>
#include <stdlib.h>
void show_backtrace()
{
// get current address
void* p = __builtin_return_address(0);
std::cout << std::hex << p << std::endl;
// get callee addresses
p = __builtin_return_address(1);
std::cout << std::hex << p << std::endl;
p = __builtin_return_address(2);
std::cout << std::hex << p << std::endl;
}
void show_backtrace2()
{
void *array[10];
size_t size;
char **strings;
int i;
size = backtrace (array, 10);
strings = backtrace_symbols ((void *const *)array, size);
for (i = 0; i < size; i++)
{
std::cout << strings[i] << std::endl;
}
free (strings);
}
void show_backtrace3 (void)
{
char name[256];
unw_cursor_t cursor; unw_context_t uc;
unw_word_t ip, sp, offp;
unw_getcontext (&uc);
unw_init_local (&cursor, &uc);
while (unw_step(&cursor) > 0)
{
char file[256];
int line = 0;
name[0] = '\0';
unw_get_proc_name (&cursor, name, 256, &offp);
unw_get_reg (&cursor, UNW_REG_IP, &ip);
unw_get_reg (&cursor, UNW_REG_SP, &sp);
std::cout << std:: hex << name << " ip = " << (long) ip
<< " , sp = " << (long) sp << std::endl;
}
}
void dummy_function2()
{
show_backtrace();
show_backtrace2();
show_backtrace3();
}
void dummy_function1()
{
dummy_function2 ();
} // line 73
int main(int argc, char **argv)
{
dummy_function1 ();
return 0;
}
编译并运行:
g++ test_unwind.cc -g -O0 -lunwind && ./a.out
输出:
0x400edb
0x400ef0
0x400f06
./a.out() [0x400cfb]
./a.out() [0x400ee0]
./a.out() [0x400ef0]
./a.out() [0x400f06]
/lib/x86_64-linux-gnu/libc.so.6(__libc_start_main+0xed) [0x7f2f044ae76d]
./a.out() [0x400b79]
_Z15dummy_function2v ip = 400ee5 , sp = 7fffdb564580
_Z15dummy_function1v ip = 400ef0 , sp = 7fffdb564590
main ip = 400f06 , sp = 7fffdb5645a0
__libc_start_main ip = 7f2f044ae76d , sp = 7fffdb5645c0
_start ip = 400b79 , sp = 7fffdb564680
测试例如 0x400ef0 与 addr2line 产量
/path/to/code/test_unwind.cc:73
这是正确的文件,但错误的行号。在实际应用中,行号可以前后相差很多行。
编辑:编译-S
显示相关部分是:
.LCFI34:
.cfi_def_cfa_register 6
.loc 2 72 0
call _Z15dummy_function2v
.loc 2 73 0
popq %rbp
等显示的addr2line
是返回地址,如后面的行所示call
。我想获得“入口”行,即之前显示的内容!