文章目录
一、extern:声明外部变量或外部函数
1.extern的作用
extern的作用:声明外部的全局变量或外部的函数,以实现跨文件使用其他.c/.h文件的全局变量或函数
2.代码举例
①例1
以下两个.c文件:extern.c,main.c。我们使用extern关键字,在main.c中声明并调用extern.c中的全局变量和函数
c
//extern.c
int global = 10;
void bar() {
static cnt = 0;
cnt++;
printf("cnt = %d\n", cnt);
}
c
//main.c
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
//声明外部全局变量
extern global;
//声明外部函数
extern bar();
int main(void) {
//extern关键字
printf("extern global = %d\n", global);
int m = 5;
while (m--) {
bar();
}
return 0;
}
②例2
加入static关键字
c
//extern.c
int global = 10;
void bar() {
static cnt = 0;
cnt++;
printf("cnt = %d\n", cnt);
}
c
//main.c
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
//static关键字
//extern关键字:extern + 全局变量/函数,则可使用其他文件声明的全局变量/函数
void fun() {
static count = 0;
count++;
printf("count = %d\n", count);
}
//声明外部全局变量
extern global;
//声明外部函数
extern bar();
int main(void) {
//static关键字
int n = 3;
while (n--) {
fun();
}
printf("\n");
//extern关键字
printf("extern global = %d\n", global);
int m = 5;
while (m--) {
bar();
}
return 0;
}
输出结果:
③例3
加上.h头文件,.c文件中包含对应的头文件
c
//extern.h
int globalVar = 20;
c
//extern.c
#include "extern.h"
int global = 10;
void bar() {
static cnt = 0;
cnt++;
printf("cnt = %d\n", cnt);
}
c
//main.c
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
//static关键字
//extern关键字:extern + 全局变量/函数,则可使用其他文件声明的全局变量/函数
void fun() {
static count = 0;
count++;
printf("count = %d\n", count);
}
//声明外部全局变量
extern global;
extern globalVar;
//声明外部函数
extern bar();
int main(void) {
//static关键字
int n = 3;
while (n--) {
fun();
}
printf("\n");
//extern关键字
printf("extern global = %d\n", global);
printf("extern globalVar = %d\n", globalVar);
int m = 5;
while (m--) {
bar();
}
return 0;
}
输出结果: