例如使用一个hello.c
文件编译的过程如下图所示:
.i
文件。.i
文件进行一些列的语法分析,并优化后生成对应的汇编代码。会生成 .s
文件。.s
汇编程序汇编为机器语言或指令,也就是可以机器可以执行的二进制程序。会生成 .o
文件。.i
、 .s
、 .o
、可执行文件等).s
我们以 hello.c
程序为例:
#include
#define HELLOWORLD ("hello world\n")
int main(void)
{
printf(HELLOWORLD);
return 0;
}
使用gcc -E hello.c -o hello.i
命令,将 hello.c
文件预处理并且生成 hello.i
目标文件。
之前说道,预处理会将头文件包含进来并且会将宏定义进行替换,因此替换后的 hello.i
文件如下:
# 1 "hello.c"
# 1 ""
# 1 ""
# 1 "/usr/include/stdc-predef.h" 1 3 4
# 1 "" 2
# 1 "hello.c"
# 1 "/usr/include/stdio.h" 1 3 4
# 27 "/usr/include/stdio.h" 3 4
.........
.........
typedef unsigned char __u_char;
typedef unsigned short int __u_short;
typedef unsigned int __u_int;
typedef unsigned long int __u_long;
typedef signed char __int8_t;
typedef unsigned char __uint8_t;
.........
.........
extern struct _IO_FILE *stdin;
extern struct _IO_FILE *stdout;
extern struct _IO_FILE *stderr;
extern FILE *fopen (const char *__restrict __filename,
const char *__restrict __modes) ;
.........
.........
int main(void)
{
printf(("hello world\n"));
return 0;
}
可以看到将 stdio.h
文件包含进来,并且原封不动的将 HELLOWORLD
宏进行了替换。
使用gcc -S hello.i -o hello.s
,将生成的hello.i
文件编译为汇编程序hello.s
。
.file "hello.c"
.section .rodata
.LC0:
.string "hello world"
.text
.globl main
.type main, @function
main:
.LFB0:
.cfi_startproc
pushq %rbp
.cfi_def_cfa_offset 16
.cfi_offset 6, -16
movq %rsp, %rbp
.cfi_def_cfa_register 6
movl $.LC0, %edi
call puts
movl $0, %eax
popq %rbp
.cfi_def_cfa 7, 8
ret
.cfi_endproc
.LFE0:
.size main, .-main
.ident "GCC: (Ubuntu 5.4.0-6ubuntu1~16.04.4) 5.4.0 20160609"
.section .note.GNU-stack,"",@progbits
可以看到hello.s
文件中全部都是汇编指令,说明已经生成成功了。
汇编就是要将hello.s
文件中的汇编指令全部转换为二进制的机器指令。
执行gcc -c hello.s -o hello.o
命令。而生成的hello.o
文件是二进制文件,我们用od -b hello.o
命令看一下该二进制文件的八进制表示。
➜ test od -b -w8 hello.o
0000000 177 105 114 106 002 001 001 000
0000010 000 000 000 000 000 000 000 000
0000020 001 000 076 000 001 000 000 000
0000030 000 000 000 000 000 000 000 000
..........
0002710 000 000 000 000 000 000 000 000
0002720 001 000 000 000 000 000 000 000
0002730 000 000 000 000 000 000 000 000
0002740
// -b:八进制形式,1字节为1部分。
// -w8:每行显式8字节。
链接hello.o
程序运行的所需要的目标文件,以及依赖的库文件,最后生成可执行文件。
执行gcc hello.o -o hello
不需要选项,生成hello
二进制的可执行文件。同样可以使用od
命令来查看。执行hello
文件:
➜ test ./hello
hello world
以上编译过程的分步骤进行,还可以直接执行gcc hello.c -o hello
直接生成可执行文件。
至此,使用gcc
编译程序的过程就介绍完毕。
#include "hello.h"
int main(void)
{
print("hello world");
return 0;
}
#include "hello.h"
void print(const char *str)
{
printf("%s\n", str);
}
#ifndef _HELLO_H
#define _HELLO_H
#include
void print(const char *str);
#endif
执行gcc -Wall hello.c main.c -o main
命令,直接生成可执行文件main
➜ test gcc -Wall hello.c main.c -o main
➜ test ./main
hello world
先分别将main.c
和hello.c
编译生成main.o
和hello.o
文件。然后将两个.o
文件链接生成可执行文件newmain
。
➜ test gcc -Wall -c main.c -o main.o
➜ test gcc -Wall -c hello.c -o hello.o
➜ test gcc -Wall hello.o main.o -o newmain
➜ test ./newmain
hello world
独立编译的好处就是,如果我们的代码发生更改,只需要独立编译更改的文件,最后在一起链接生成可执行文件。