在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
的值。