在C语言中,static
关键字有两个主要的用途:
static
修饰局部变量时,该变量在程序运行期间只会被初始化一次,而不是每次函数被调用时都重新初始化。静态局部变量的作用域仅限于定义它的函数内部,但它的生命周期会延长到整个程序的运行期间。下面是一个示例:
#include <stdio.h>
void test() {
static int count = 0;
count++;
printf("count: %d\n", count);
}
int main() {
test(); // 输出:count: 1
test(); // 输出:count: 2
test(); // 输出:count: 3
return 0;
}
在上面的示例中,每次调用test
函数时,count
的值都会自增,并且保留了上一次调用的结果。这是因为count
被声明为static
,所以它在函数执行完后并不会销毁。
static
修饰全局变量或函数时,它们的作用域被限制在当前文件中,不能被其他文件访问。以下是一个示例:
// file1.c
#include <stdio.h>
static int count = 0;
void increment() {
count++;
}
void display() {
printf("count: %d\n", count);
}
// file2.c
#include <stdio.h>
extern void increment();
extern void display();
int main() {
increment();
increment();
display(); // 输出:count: 2
return 0;
}
在上面的示例中,count
被声明为static
,所以它只能在file1.c
中被访问。在file2.c
中,可以通过使用extern
关键字来声明increment
和display
函数,然后在main
函数中调用这些函数来操作和显示count
的值。