我有一个用 C 编写的小程序,echo():
/* Read input line and write it back */
void echo() {
char buf[8]; /* Way too small! */
gets(buf);
puts(buf);
}
对应的汇编代码:
1 echo:
2 pushl %ebp //Save %ebp on stack
3 movl %esp, %ebp
4 pushl %ebx //Save %ebx
5 subl $20, %esp //Allocate 20 bytes on stack
6 leal -12(%ebp), %ebx //Compute buf as %ebp-12
7 movl %ebx, (%esp) //Store buf at top of stack
8 call gets //Call gets
9 movl %ebx, (%esp) //Store buf at top of stack
10 call puts //Call puts
11 addl $20, %esp //Deallocate stack space
12 popl %ebx //Restore %ebx
13 popl %ebp //Restore %ebp
14 ret //Return
我有几个问题。
*c 代码和程序集复制自 Computer Systems - A Programmer's Perspective 2nd ed。
** 使用
gets()
因为缓冲区溢出 最佳答案
分配 20 个字节的原因是为了堆栈对齐。 GCC 4.5+ 生成的代码可确保被调用者的本地堆栈空间与 16 字节边界对齐,以确保编译后的代码可以以明确定义的方式在堆栈上执行对齐的 SSE 加载和存储。出于这个原因,在这种情况下,编译器需要丢弃一些堆栈空间以确保 gets
/puts
获得正确对齐的帧。
本质上,这就是堆栈的外观,其中每一行都是一个 4 字节的字,除了表示 16 字节地址边界的 ---
行:
...
Saved EIP from caller
Saved EBP
---
Saved EBX # This is where echo's frame starts
buf
buf
Unused
---
Unused
Parameter to gets/puts
Saved EIP
Saved EBP
---
... # This is where gets'/puts' frame starts
正如您希望从我出色的 ASCII 图形中看到的那样,如果不是“未使用”部分,
gets
/puts
将获得未对齐的帧。但是也要注意,不是 12 个字节是未使用的;其中 4 个是为参数保留的。当然。编译器可以随意组织堆栈,但感觉如何。为了可预测地进行缓冲区溢出,您必须查看程序的特定编译二进制文件。
至于 EBP 的目的是什么(从而回答您的问题 2、3 和 5),请参阅有关如何组织调用堆栈的任何介绍性文本,例如 the Wikipedia article 。
关于c - 插入和改变 %esp 帧指针,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30161249/