在C语言中,static
关键字有着特殊的作用
static
关键字声明一个变量时,该变量的作用域仅限于该函数。这意味着在其他函数中无法访问这个变量。#include<stdio.h>
void function1() {
static int count = 0;
count++;
printf("Function 1 called %d times\n", count);
}
void function2() {
// 无法访问function1中的count变量
}
int main() {
function1();
function1();
return 0;
}
static
关键字用于局部变量时,它的值在函数调用之间保持不变。这是因为static
局部变量存储在静态存储区,而不是栈上。#include<stdio.h>
void function() {
static int count = 0;
count++;
printf("Count: %d\n", count);
}
int main() {
function(); // 输出 "Count: 1"
function(); // 输出 "Count: 2"
return 0;
}
static
关键字用于函数声明时,该函数只能在声明它的源文件中被访问。这意味着在其他源文件中无法访问这个函数。// file1.c
#include<stdio.h>
static void function() {
printf("This is a static function.\n");
}
void public_function() {
function();
}
// file2.c
#include<stdio.h>
extern void public_function();
int main() {
public_function(); // 正确调用,因为public_function()在file1.c中可见
function(); // 错误:'function' was not declared in this scope,因为function()在file1.c中是静态的,无法在file2.c中访问
return 0;
}
注意:在C++中,static
关键字的用法与C语言类似,但在类成员函数和类成员变量中有一些额外的用途。在C++中,static
成员函数和static
成员变量属于类本身,而不是类的实例。这意味着它们可以在没有创建类实例的情况下访问。