4

据我所知,c 程序的分段是:

        High address
|---------------------------|
|env/cmd line args vars     |
|---------------------------|
|      stack segment        |--> uninitialized auto vars
|---------------------------|
|---------------------------|
|---------------------------|
|      heap segment         |--> dynamic allocated memory
|---------------------------|
|      BSS segment          |--> uninitialized static/global vars
|---------------------------|
|      data segment         |--> initialized static/global vars
|---------------------------|
|      text segment         |--> initialized auto vars/exec instructions
|---------------------------|
        Low address

在我的 RHEL 5.4 64 位机器上,用于以下 c 程序

#include <stdio.h>
int main()
{
}

当我做:

# size a.out
   text    data     bss     dec     hex filename
   1259     540      16    1815     717 a.out

我无法理解为什么

bss=16

因为我没有声明/初始化任何全局/静态变量?

4

1 回答 1

2

在使用 gcc 的 Windows 上情况更糟:

主.c:

#include <stdio.h>

int main( int argc, char* argv[] )
{
    return 0;
}

编译:

C:\>gcc main.c

尺寸:

C:\>size a.exe
   text    data     bss     dec     hex filename
   6936    1580    1004    9520    2530 a.exe

bss 包括整个链接的可执行文件,在这种情况下,链接了各种库,其中使用静态 c 初始化。

在 Windows 上使用-nostartfiles可以获得更好的结果。您也可以尝试使用 -nostdlib 和 -nodefaultlibs

编译:

C:\>gcc -nostartfiles main.c

尺寸:

C:\>size a.exe
   text    data     bss     dec     hex filename
    488     156      32     676     2a4 a.exe

删除所有库(包括 c 库),您将获得一个“可执行文件”,其中包含您已编译的内容且 bss 大小为 0:

主.c:

#include <stdio.h>

int _main( int argc, char* argv[] )
{
    return 0;
}

编译:

C:\>gcc -nostartfiles -nostdlib -nodefaultlibs main.c

尺寸:

C:\>size a.exe
   text    data     bss     dec     hex filename
     28      20       0      48      30 a.exe

但是可执行文件不会运行!

于 2015-03-10T11:22:46.177 回答