源码路径查看与设置
- 查看源码搜索路径 show directories (show dir)
(gdb) show directories
Source directories searched: $cdir:$cwd
其中cwd是系统变量,cwd表示当前路径 (current working directory)
使用info source可以查看当前源码信息,其中也包含编译信息
(gdb) info source
Current source file is ../../net/tools/quic/quic_simple_client_bin.cc
Compilation directory is .
Source language is c++.
Producer is unknown.
Compiled with DWARF 2 debugging format.
Does not include preprocessor macro info.
使用pwd可以看到当前目录
(gdb) pwd
Working directory /root/chromium/src.
- 设置源码路径
问题:我的可执行文件在out/Debug文件夹内,如果进入到out/Debug目录,使用gdb./client来调试是没有问题的,能看到源代码。
但是如果在根目录下,使用gdb ./out/Debug/client来运行,设置断点到main函数,结果报错找不到源文件
使用 list查看源文件,告知我 源文件在../../net/tools/quic/quic_simple_client_bin.cc
按照当前的搜索路径,gdb会尝试从cdir路径开始找../../net/tools/quic/quic_simple_client_bin.cc,而cdir的值在上面的信息中可以看到为当前目录(Compilation directory is .)。
设置搜索路径到二进制文件路径(当前路径为root/chromium/src,源码在此路径上,二进制程序在/root/chromium/src/out/Debug上):
(gdb) dir ./out/Debug/
Source directories searched: /root/chromium/src/./out/Debug:$cdir:$cwd
此时优先搜索的路径成为了./out/Debug,以此为基础寻找../../net/tools/quic/quic_simple_client_bin.cc是可以成功的!
使用list命令查看当前源码
(gdb) show dirQuit
(gdb) list
} // namespace
int main(int argc, char* argv[]) {
QuicSystemEventLoop event_loop("quic_client");
const char* usage = "Usage: quic_client [options] <url>";
// All non-flag arguments should be interpreted as URLs to fetch.
std::vector<std::string> urls =
quic::QuicParseCommandLineFlags(usage, argc, argv);
(gdb)
成功找到!
如果仍然找不到,可能的原因是dir命令只有在编译时使用相对路径时才成生效。
dir 设置源码路径无效,show directories 看到设置成功,但是还是找不到文件。
应该是绝对路径的问题。
因为igcc 根据你编译的时候指定的是绝对路径还是 ../../XXX.cpp之类的相对路径,在生成debug_info的时候,也把这个路径保存为debug_info 里面的文件名字,就是最后 gdb list 里面找到的文件名字。
这个可以list 查看是不是绝对路径,然后可以用命令
readelf -p .debug_str exe_or_so_file
看到里面保存是是完整的绝对路径。
gdb 的dir 命令添加的源码搜索路径只对相对路径的情况有效。
一个解决办法就是在gcc的时候,使用相对路径那么gdb里面你就可以使用 dir来设置了。像些CMake之类的,它喜欢使用绝对路径,有人可以写个脚本让它使用相对路径,参考 http://stackoverflow.com/questions/9607155/make-gcc-put-relative-filenames-in-debug-information
如果gcc里面-g 生成的debug_info 使用的绝对路径了,最简单的办法就是你把源码也放到相应的位置上去了。
但如果你不想使用这个绝对路径,那也还是有办法的。
GDB还提供另外一个选择,可以让你修改源码搜索路径,把源码绝对路径里面的一个path映射到另一个path上去,这样即使你debug info了里面的是绝对路径,源码也可以放到另外的目录。
这就是命令
set substitute-path from_path to_path
比如 list显示的源码是 /home/aaa/1.cpp
那么设置了 set substitute-path /home/aaa/ /home/bbb/
之后,即使你的源文件1.cpp 放在 /home/bbb下面也是可以找到的了。因为gdb帮你做了字符串替换。
网友评论