1.修饰全局变量
static修饰的全局变量可以将全局变量的属性变为私有,即(static修饰的全局变量只能在自己的.c文件中使用,无法在其他的.c文件中使用)
tase1.c
static int add = 2024;
tase2.c
#include<stdio.h>
extern int add;
int main()
{
printf("%d\n", add);
return 0;
}
该代码会出现错误:
将tase.c文件中的static删除即可解决该错误。
2.修饰局部变量
static修饰局部变量时可将上次使用后的局部变量数值储存,当再次使用时直接调用储存的值。
#include<stdio.h>
void ass()
{
static int a = 0;
a++;
printf("%d\n", a);
}
int main()
{
int i = 0;
while (i<11)
{
ass();
i++;
}
return 0;
}
此代码的结果为:
若将ass函数中局部变量前面的static去掉则结果为:
3.修饰函数
static修饰的函数与static修的全局变量意思相同,即(static修饰的函数只能在自己的.c文件中使用无法在其他的.c文件中使用,即使有extern修饰也不行)
tase3.c
#include<stdio.h>
static int acc()
{
printf("哈哈哈哈\n");
return 0;
}
tase4.c
#include<stdio.h>
extern int acc();
int main()
{
acc();
return 0;
}
此代码会出现错误:
将tase3.c文件里的static删除即可正常运行: