scope of variable

Variable Scope

The scope of a variable refers to the part of the program where the variable can be accessed. C++ has three types of variable scope:

  • Local Scope: Variables declared inside a function or block are local to that function or block and cannot be accessed outside of it.
  • Global Scope: Variables declared outside of all functions are global and can be accessed from any part of the program.
  • Static Scope: Variables declared with the static keyword retain their value even after the function in which they are declared exits.

Example of Local and Global Scope:

#include <iostream>
using namespace std;

int globalVar = 10; // Global variable

void printGlobalVar() {
    cout << "Global variable: " << globalVar << endl;
}

int main() {
    int localVar = 20; // Local variable

    cout << "Local variable: " << localVar << endl;
    printGlobalVar();

    return 0;
}

Conclusion

Variables are fundamental to programming in C++. They allow you to store and manipulate data, making your programs dynamic and interactive. Understanding how to declare, initialize, and use variables is crucial for writing effective C++ programs.

Stay tuned for more tutorials on C++ programming, and happy coding!

Comments