C中的分层链接

时间:2016-07-23 04:14:44

标签: c compiler-errors linker

我想以分层方式链接三个文件。

// a.c
int fun1(){...}
int fun2(){...}

// b.c
extern int parameter;
int fun3(){...//using parameter here}

// main.c
int parameter = 1;
int main(){...// use fun1 fun2 fun3}

因此,我首先将三个文件分别编译为目标文件a.ob.omain.o。然后我想将a.ob.o合并到另一个目标文件tools.o中。最后使用tools.omain.o生成可执行文件。

但是,当我尝试将a.ob.o组合为ld -o tools.o a.o b.o时,链接器会显示undefined reference to 'parameter'。我怎么能将这些目标文件链接到一个中间目标文件?

1 个答案:

答案 0 :(得分:6)

您希望-r选项生成可重定位目标文件(想想'可重用'):

ld -o tools.o -r a.o b.o

工作代码

abmain.h

extern void fun1(void);
extern void fun2(void);
extern void fun3(void);
extern int parameter;

交流转换器

#include <stdio.h>
#include "abmain.h"
void fun1(void){printf("%s\n", __func__);}
void fun2(void){printf("%s\n", __func__);}

b.c

#include <stdio.h>
#include "abmain.h"
void fun3(void){printf("%s (%d)\n", __func__, ++parameter);}

的main.c

#include <stdio.h>
#include "abmain.h"

int parameter = 1;
int main(void){fun1();fun3();fun2();fun3();return 0;}

编译和执行

$ gcc -Wall -Wextra -c a.c
$ gcc -Wall -Wextra -c b.c
$ gcc -Wall -Wextra -c main.c
$ ld -r -o tools.o a.o b.o
$ gcc -o abmain main.o tools.o
$ ./abmain
fun1
fun3 (2)
fun2
fun3 (3)
$

使用GCC 6.1.0(以及XCode 7.3.0加载程序等)在Mac OS X 10.11.6上进行了验证。但是,-r选项已经在主流Unix的ld命令中,因为至少7th Edition Unix(大约1978年),所以它可能适用于大多数基于Unix的编译系统,即使它是更广泛使用的选项之一。