Cplusplus 简明教程

Variable Scope in C++

作用域是程序的一个区域,广义上讲,有三个地方可以声明变量 −

  1. 在函数或称为局部变量的块内,

  2. 在函数参数的定义中,该参数称为形式参数。

  3. 所有函数的外部,这称为全局变量。

C++ 变量作用域主要分为两部分 −

  1. Local Variables

  2. Global Variables

我们将在后续章节中学习什么是函数及其参数。在这里,让我们解释一下什么是局部变量和全局变量。

cpp variable scope

Local Variables

在函数或块中声明的 Variables 是局部变量。它们只能由该函数内部或代码块内部的语句使用。局部变量不会被其自身外部的函数所知晓。

Example

以下是在使用局部变量的示例 −

#include <iostream>
using namespace std;

int main () {
   // Local variable declaration
   int a, b;
   int c;

   // actual initialization
   a = 10;
   b = 20;
   c = a + b;

   cout << c;

   return 0;
}

Global Variables

全局变量在所有函数的外部定义,通常在程序的顶部。全局变量将在您程序的整个生命周期中保留其值。

任何函数都可以访问全局变量。也就是说,全局变量在声明后可以在整个程序中使用。

Example

以下是在使用全局变量和局部变量的示例 −

#include <iostream>
using namespace std;

// Global variable declaration
int g;

int main () {
   // Local variable declaration
   int a, b;

   // actual initialization
   a = 10;
   b = 20;
   g = a + b;

   cout << g;

   return 0;
}

Local and Global Variables with Same Names

一个程序可以为局部变量和全局变量使用相同的名称,但函数内的局部变量的值将优先。

Example

#include <iostream>
using namespace std;

// Global variable declaration
int g = 20;

int main () {
   // Local variable declaration
   int g = 10;

   cout << g;

   return 0;
}

编译并执行上述代码后,将产生以下结果 −

10

Accessing Global Variable

通过在该变量的名称前使用 SRO (作用域解析运算符) :: ,当存在具有相同名称的局部变量时可以访问全局变量。

Example

在下例中,我们有同名的全局变量和局部变量,并且访问并打印全局变量的值 −

#include <iostream>
using namespace std;

// Global variable declaration:
int g = 20;

int main() {
   // Local variable declaration:
   int g = 10;

   cout << "Value of g (Local variable): " << g;
   cout << endl;

   cout << "Value of g (Global variable): " << ::g;

   return 0;
}

编译并执行上述代码后,将产生以下结果 −

Value of g (Local variable): 10
Value of g (Global variable): 20

Initializing Local and Global Variables

当定义局部变量时,它不会由系统初始化,您必须自己初始化它。当您按照以下方式定义全局变量时,它们会自动由系统初始化 −

Data Type

Initializer

int

0

char

'\0'

float

0

double

0

pointer

NULL

适当初始化变量是一种良好的编程实践,否则,有时程序可能会产生意外的结果。