在C语言中,变量和函数的特征由存储类描述,例如q变量或函数的可见性和范围。
用C语言有四种类型的存储类:自动变量,外部变量,静态变量和寄存器变量。
自动存储类是所有局部变量的默认存储类。在调用函数时创建。函数执行完成后,变量将自动销毁。
它们也称为局部变量,因为它们是函数的局部变量。默认情况下,它们由编译器分配为垃圾值。
范围-自动变量是功能块的局部变量。
默认值-垃圾值是默认的初始化值。
生存期-自动变量的生存期受定义它的块的约束。
这是C语言中的auto变量示例,
#include <stdio.h> int main() { auto int a = 28; int b = 8; printf("The value of auto variable : %d\n", a); printf("The sun of auto variable & integer variable : %d", (a+b)); return 0; }
输出结果
The value of auto variable : 28 The sun of auto variable & integer variable : 36
外部变量也称为全局变量。这些变量在函数外部定义。这些变量在函数执行过程中全局可用。全局变量的值可以通过函数进行修改。
范围-它们不受任何功能的约束。它们在程序中无处不在,即全局。
默认值-全局变量的默认初始化值为零。
生命周期-直到程序执行结束。
这是C语言中的extern变量的示例,
#include <stdio.h> extern int x = 32; int b = 8; int main() { auto int a = 28; extern int b; printf("The value of auto variable : %d\n", a); printf("The value of extern variables x and b : %d,%d\n",x,b); x = 15; printf("The value of modified extern variable x : %d\n",x); return 0; }
输出结果
The value of auto variable : 28 The value of extern variables x and b : 32,8 The value of modified extern variable x : 15
静态变量仅初始化一次。编译器将变量保留到程序结束。静态变量可以在函数内部或外部定义。
范围-它们在块本地。
默认值-默认初始化值为零。
生命周期-直到程序执行结束。
这是C语言中的静态变量示例,
#include <stdio.h> int main() { auto int a = -28; static int b = 8; printf("The value of auto variable : %d\n", a); printf("The value of static variable b : %d\n",b); if(a!=0) printf("The sum of static variable and auto variable : %d\n",(b+a)); return 0; }
输出结果
The value of auto variable : -28 The value of static variable b : 8 The sum of static variable and auto variable : -20
寄存器变量告诉编译器将变量存储在CPU寄存器中而不是内存中。常用变量保存在寄存器中,并且具有更快的可访问性。我们永远无法获得这些变量的地址。
范围-它们在功能本地。
默认值-默认初始化值为垃圾值。
生命周期-直到在其定义的块的执行结束。
这是C语言中的注册变量示例,
#include <stdio.h> int main() { register char x = 'S'; register int a = 10; auto int b = 8; printf("The value of register variable b : %c\n",x); printf("The sum of auto and register variable : %d",(a+b)); return 0; }
输出结果
The value of register variable b : S The sum of auto and register variable : 18