怎么看存储在堆栈与GDB的变量(How to see variables stored on the

2019-09-16 14:06发布

我试图找出什么是存储在堆栈上GDB某一个地方。 我有一个说法:

cmpl $0x176,-0x10(%ebp)

在这个函数中,我比较0x176到-0x10(%EBP),我想知道是否有一种方法可以看到什么是存储在-0x10(%EBP)。

Answer 1:

我想知道如果有一种方法可以看到什么是存储在-0x10(%EBP)。

假设你已经与调试信息编译, info locals会告诉你所有在当前帧中的局部变量。 在此之后, print (char*)&a_local - (char*)$ebp会告诉你从开始时的偏移a_local%ebp ,并且通常可以找出哪些地方是接近0x176

此外,如果您当地人有初始化,你可以做info line NN找出哪些汇编指令范围对应于特定地方的初始化,然后disas ADDR0,ADDR1看到拆卸,再了解哪些地方是位于哪一个偏移。

另一种方法是readelf -w a.out ,并查找这样的条目:

int foo(int x) { int a = x; int b = x + 1; return b - a; }

<1><25>: Abbrev Number: 2 (DW_TAG_subprogram)
 <26>   DW_AT_external    : 1        
 <27>   DW_AT_name        : foo      
 <2b>   DW_AT_decl_file   : 1        
 <2c>   DW_AT_decl_line   : 1        
 <2d>   DW_AT_prototyped  : 1        
 <2e>   DW_AT_type        : <0x67>   
 <32>   DW_AT_low_pc      : 0x0      
 <36>   DW_AT_high_pc     : 0x23     
 <3a>   DW_AT_frame_base  : 0x0      (location list)
 <3e>   DW_AT_sibling     : <0x67>   
<2><42>: Abbrev Number: 3 (DW_TAG_formal_parameter)
 <43>   DW_AT_name        : x        
 <45>   DW_AT_decl_file   : 1        
 <46>   DW_AT_decl_line   : 1        
 <47>   DW_AT_type        : <0x67>   
 <4b>   DW_AT_location    : 2 byte block: 91 0       (DW_OP_fbreg: 0)
<2><4e>: Abbrev Number: 4 (DW_TAG_variable)
 <4f>   DW_AT_name        : a        
 <51>   DW_AT_decl_file   : 1        
 <52>   DW_AT_decl_line   : 1        
 <53>   DW_AT_type        : <0x67>   
 <57>   DW_AT_location    : 2 byte block: 91 74      (DW_OP_fbreg: -12)
<2><5a>: Abbrev Number: 4 (DW_TAG_variable)
 <5b>   DW_AT_name        : b        
 <5d>   DW_AT_decl_file   : 1        
 <5e>   DW_AT_decl_line   : 1        
 <5f>   DW_AT_type        : <0x67>   
 <63>   DW_AT_location    : 2 byte block: 91 70      (DW_OP_fbreg: -16)

这告诉你, x被存储在fbreg+0afbreg-12 ,和bfbreg-16 。 现在你只需要检查的位置列表,以弄清楚如何获得fbreg%ebp 。 对于上面的代码清单如下:

Contents of the .debug_loc section:

Offset   Begin    End      Expression
00000000 00000000 00000001 (DW_OP_breg4: 4)
00000000 00000001 00000003 (DW_OP_breg4: 8)
00000000 00000003 00000023 (DW_OP_breg5: 8)
00000000 <End of list>

因此,对于大多数身体, fbreg%ebp+8 ,这意味着a%ebp-4 拆卸确认:

00000000 <foo>:
   0:   55                      push   %ebp
   1:   89 e5                   mov    %esp,%ebp
   3:   83 ec 10                sub    $0x10,%esp
   6:   8b 45 08                mov    0x8(%ebp),%eax  # 'x' => %eax
   9:   89 45 fc                mov    %eax,-0x4(%ebp) # '%eax' => 'a'

...



文章来源: How to see variables stored on the stack with GDB