C语言中的局部静态变量是什么?
局部静态变量是一种变量,它的生命周期不会随着声明它的函数调用而结束。它会持续到整个程序的生命周期结束。所有函数调用都共享局部静态变量的同一份副本。
这些变量用于统计函数被调用的次数。静态变量的默认值为0。而普通的局部变量的范围限定在定义它的代码块内,在代码块外不可见。
位于代码块之外的全局变量在程序结束前一直可见。
示例
以下是局部变量的C程序:
#include<stdio.h> main ( ){ int a=40 ,b=30,sum; //local variables life is within the block printf ("sum=%d" ,a+b); }
输出
执行上述程序时,会产生以下输出:
sum=70
示例
以下是全局变量的C程序:
int c= 30; /* global area */ main ( ){ int a = 10; //local area printf ("a=%d, c=%d", a,c); fun ( ); } fun ( ){ printf ("c=%d",c); }
输出
执行上述程序时,会产生以下输出:
a =10, c = 30
示例
以下是局部静态变量的C程序:
#include <stdio.h> void fun(){ static int x; //default value of static variable is 0 printf("%d ", a); a = a + 1; } int main(){ fun(); //local static variable whose lifetime doesn’t stop with a function call, where it is declared. fun(); return 0; }
输出
执行上述程序时,会产生以下输出:
0 1
广告