本帖最后由 超凡天赐 于 2017-12-12 18:23 编辑
当你写的程序包括很多变量定义的要被连接在一起的多文件时,使用extern只是说明关联性而已。例如,被定义的变量在源文件file1.c需要在其他源文件(例如file2.c)被引用。理解这个问题需要知道声明变量和定义变量的区别
- 声明变量只不过通知编译器这个变量存在
- 定义变量而是真正的给变量分配内存
你可能会声明一个变量很多次(尽管一次足够),在给定的定义域内你可能只会定义一次。
定义和声明全局变量的最好方法
尽管这里有很多方法去做这件事,但比较清楚,可靠的方法的是使用一个file3.h文件去包括含有一个extern关键字声明的变量。这个头文件要被很多使用引用这个变量的文件和一个定义这个变量的文件包括。对于每个程序的全局变量,差不多是一个文件声明一个文件定义。
file3.c:
extern int global_variable; /* Declaration of the variable */
file1.c:
#include "file3.h" /* Declaration made available here */
#include "prog1.h" /* Function declarations */
/* Variable defined here */
int global_variable = 37; /* Definition checked against declaration */
int increment(void) { return global_variable++; }
file2.c:
#include "file3.h"
#include "prog1.h"
#include <stdio.h>
void use_it(void)
{
printf("Global variable: %d\n", global_variable++);
}
这是使用全局变量的最好方法。
下面来完成这个程序
prog1.h:
extern void use_it(void);
extern int increment(void);
prog1.c:
#include "file3.h"
#include "prog1.h"
#include <stdio.h>
int main(void)
{
use_it();
global_variable += 19;
use_it();
printf("Increment: %d\n", increment());
return 0;
}
|