链接期间对全局变量的未定义引用

时间:2015-01-22 13:44:33

标签: c gcc compilation linker

我正在尝试编译一个程序,该程序分为3个模块,对应3个源文件:a.cb.cz.cz.c包含main()函数,该函数调用a.cb.c中的函数。此外,a.c中的函数调用b.c中的函数,反之亦然。最后,有一个全局变量count,由三个模块使用,并在单独的头文件global.h中定义。

源文件的代码如下:

a.c

#include "global.h"
#include "b.h"
#include "a.h"

int functAb() {
    functB();
    functA();
    return 0;
}

int functA() {
    count++;
    printf("A:%d\n", count);
    return 0;
}

b.c

#include "global.h"
#include "a.h"
#include "b.h"

int functBa() {
    functA();
    functB();
    return 0;
}

int functB() {
    count++;
    printf("B:%d\n", count);
    return 0;
}

z.c

#include "a.h"
#include "b.h"
#include "global.h"

int main() {
    count = 0;
    functAb();
    functBa();
    return 0;
}

标题文件:

a.h

#ifndef A_H
#define A_H

#include <stdio.h>

int functA();
int functAb();

#endif

b.h

#ifndef B_H
#define B_H

#include <stdio.h>

int functB();
int functBa();

#endif

global.h

#ifndef GLOBAL_H
#define GLOBAL_H

extern int count;

#endif

最后,再现我的错误的makefile

CC = gcc
CFLAGS = -O3 -march=native -Wall -Wno-unused-result

z:  a.o b.o z.o global.h
    $(CC) -o z a.o b.o z.o $(CFLAGS)
a.o:    a.c b.h global.h
    $(CC) -c a.c $(CFLAGS)
b.o:    b.c a.h global.h
    $(CC) -c b.c $(CFLAGS)
z.o:    z.c a.h global.h
    $(CC) -c z.c $(CFLAGS)

有了这个,我可以很好地编译对象a.ob.oz.o,但是当与make z链接时,我得到了undefined reference to 'count'所有这些:

z.o: In function `main':
z.c:(.text.startup+0x8): undefined reference to `count'
a.o: In function `functAb':
a.c:(.text+0xd): undefined reference to `count'
a.c:(.text+0x22): undefined reference to `count'
a.o: In function `functA':
a.c:(.text+0x46): undefined reference to `count'
a.c:(.text+0x5b): undefined reference to `count'
b.o:b.c:(.text+0xd): more undefined references to `count' follow
collect2: ld returned 1 exit status

我设法在这个最小的例子中重现了我实际代码中的错误,所以我猜模块之间的依赖关系存在问题,但我无法发现它。有人能指出我正确的方向吗?

3 个答案:

答案 0 :(得分:15)

z.c更改为

#include "a.h"
#include "b.h"
#include "global.h"

int count; /* Definition here */
int main() {
    count = 0;
    functAb();
    functBa();
    return 0;
}

global.h开始,您的所有文件都会继承变量count声明,但所有文件中都缺少定义

您必须将定义添加到其中一个文件int count = some_value;

答案 1 :(得分:7)

您已宣布计数,而非已定义

extern是声明的一部分,而不是定义。

为明确起见,extern是存储类说明符,在声明时使用。

您需要在源文件中的某处定义 int count

答案 2 :(得分:1)

您必须将int count;添加到z.c文件中。 这是因为在头文件中将变量声明为extern告诉编译器该变量将在另一个文件中声明,但该变量尚未声明,并将在链接器中解析。

然后你需要在某处声明变量。