我试图更好地掌握LLDB,目前在调试一些代码时尝试调用本地定义的函数(使用LLDB的expr
)。为了简单起见,让我们考虑一下这个玩具代码:
testing_lldb.c:
unsigned long factorial(unsigned input) {
unsigned long ret_val = 0;
if (input == 0)
ret_val = 1;
else
ret_val = input * (factorial(input-1));
return ret_val;
}
我这样编译它:
$ clang -g -Weverything -c lldb_test.c
然后通过键入以下内容运行 LLDB:
$ lldb testing_lldb.o
在我的LLDB会话中,我希望能够呼叫factorial()
。我的第一次尝试:
(lldb) expr unsigned long i = factorial(i);
error: 'factorial' has unknown return type;
cast the call to its declared return type
错误消息包含明确的提示,因此我重试:
(lldb) expr unsigned long i = (unsigned long)factorial(i);
error: warning: function 'factorial' has internal linkage but is not defined
note: used here
error: Can't run the expression locally: Interpreter doesn't handle one of the expression's opcodes
好的,我尝试按照这个SO问题的答案手动定义factorial()
:
(lldb) expr typedef unsigned long (*$factorial_type)(unsigned)
(lldb) expr $factorial_type $factorial_function = ($factorial_type)0x0000000000000000
(lldb) expr unsigned long i = (unsigned long)factorial(i);
error: warning: function 'factorial' has internal linkage but is not defined
note: used here
error: Can't run the expression locally: Interpreter doesn't handle one of the expression's opcodes
这给了我与上面完全相同的错误。我通过运行仔细检查了factorial()
的起始地址:
(lldb) image lookup -Avi -n factorial
问题
给定 testing_lldb.c,在 LLDB 的表达式中使用factorial()
需要什么?
关于环境的一些细节:
$ uname -r
3.16.0-4-amd64
$ lldb -v
lldb version 3.4.2 ( revision )
$ clang -v
Debian clang version 3.4.2-14 (tags/RELEASE_34/dot2-final) (based on LLVM 3.4.2)
Target: x86_64-pc-linux-gnu
如果要调试实时进程,则只能使用表达式分析器来计算运行函数的表达式。 您不仅没有调试实时进程,而且还在调试一个 .o 文件 - 该文件未完全链接 - 因此它永远不会运行。 LLDB可以检查.o文件,转储符号表和一些类似的东西,但并非所有内容都能正常工作。
你想在你的"testing_lldb.c"中添加一个小的main函数,并构建一个可运行的程序(去掉-c标志)。 然后在 main 上设置断点:
(lldb) break set -n main
运行程序
(lldb) run
然后,当您遇到断点时,尝试调用您的函数。