将两个 GCC 编译的 .o 目标文件合并到第三个 .o 文件中

问题描述 投票:0回答:2

如何将两个 GCC 编译的 .o 目标文件合并到第三个 .o 文件中?

$ gcc -c  a.c -o a.o
$ gcc -c  b.c -o b.o
$ ??? a.o b.o -o c.o
$ gcc c.o other.o -o executable

如果您有权访问源文件,

-combine
GCC 标志将在编译前合并源文件:

$ gcc -c -combine a.c b.c -o c.o

但是,这只适用于源文件,GCC 不接受

.o
文件作为此命令的输入。

通常,链接

.o
文件无法正常工作,因为您无法使用链接器的输出作为其输入。结果是一个共享库,并且没有静态链接到生成的可执行文件中。

$ gcc -shared a.o b.o -o c.o
$ gcc c.o other.o -o executable
$ ./executable
./executable: error while loading shared libraries: c.o: cannot open shared object file: No such file or directory
$ file c.o
c.o: ELF 32-bit LSB shared object, Intel 80386, version 1 (SYSV), dynamically linked, not stripped
$ file a.o
a.o: ELF 32-bit LSB relocatable, Intel 80386, version 1 (SYSV), not stripped
gcc linker ld object-files
2个回答
117
投票

-relocatable
-r
传递给
ld
将创建一个适合作为
ld
输入的对象。

$ ld -relocatable a.o b.o -o c.o
$ gcc c.o other.o -o executable
$ ./executable

生成的文件与原始

.o
文件类型相同。

$ file a.o
a.o: ELF 32-bit LSB relocatable, Intel 80386, version 1 (SYSV), not stripped
$ file c.o
c.o: ELF 32-bit LSB relocatable, Intel 80386, version 1 (SYSV), not stripped

有关深入的解释,请参阅 MaskRay 的 可重定位链接 文章。


10
投票

如果您想创建两个或多个 .o 文件的存档(即静态库),请使用

ar
命令:

ar rvs mylib.a file1.o file2.o
© www.soinside.com 2019 - 2024. All rights reserved.