In programming, we often need a named storage location to store the data or values. Using variables, we can store the data in our program and access it afterward. In this article, we will learn about variables in programming, their types, declarations, initialization, naming conventions, etc.
Variables in ProgrammingWhat is a Variable in Programming?
Variable in Programming is a named storage location that holds a value or data. These values can change during the execution of a program, hence the term "variable." Variables are essential for storing and manipulating data in computer programs. A variable is the basic building block of a program that can be used in expressions as a substitute in place of the value it stores.
Declaration of Variable in Programming:
In programming, the declaration of variables involves specifying the type and name of a variable before it is used in the program. The syntax can vary slightly between programming languages, but the fundamental concept remains consistent.
C++
#include <iostream>
using namespace std;
int main()
{
// Syntax: datatype variable_name;
int age;
double price;
char grade;
return 0;
}
Java
/*package whatever //do not write package name here */
import java.io.*;
class GFG {
public static void main(String[] args)
{
// Syntax: datatype variable_name;
int age;
double price;
char grade;
}
}
Python
# No explicit declaration is required in Python; variables are dynamically typed.
age = 25
price = 10.99
grade = 'A'
C#
using System;
class Program
{
static void Main()
{
// Suppress warnings for unused variables
#pragma warning disable CS0168
int age;
double price;
char grade;
#pragma warning restore CS0168
// These variables are declared but not used in this code block
}
}
JavaScript
// Syntax: var/let/const variable_name;
var age;
let price;
const grade = 'A'; // Note: Constants need to be initialized during declaration.
Initialization of Variable in Programming:
Initialization of variables In Programming involves assigning an initial value to a declared variable. The syntax for variable initialization varies across programming languages.
C++
#include <iostream>
using namespace std;
int main()
{
// Declaration and Initialization
int age = 25;
double price = 10.99;
char grade = 'A';
return 0;
}
Java
/*package whatever //do not write package name here */
import java.io.*;
class GFG {
public static void main(String[] args)
{
// Declaration and Initialization
int age = 25;
double price = 10.99;
char grade = 'A';
}
}
Python
# Initialization (no explicit declaration required)
age = 25
price = 10.99
grade = 'A'
C#
using System;
class Program
{
static void Main()
{
// Declaration and Initialization
int age = 25;
double price = 10.99;
char grade = 'A';
// Displaying the values (optional)
Console.WriteLine($"Age: {age}");
Console.WriteLine($"Price: {price}");
Console.WriteLine($"Grade: {grade}");
// The equivalent of 'return 0;' is just ending the Main method
}
}
JavaScript
// Initialization using var (older syntax)
var age = 25;
// Initialization using let (block-scoped)
let price = 10.99;
// Initialization using const (block-scoped constant)
const grade = 'A';
Types of Variable In Programming:
Global variables in programming are declared outside any function or block in a program and accessible throughout the entire codebase. In simpler words, Global variables can be accessed in any part of the program, including functions, blocks, or modules.
C++
#include <iostream>
using namespace std;
int globalVariable = 5;
void gfgFnc() { cout << globalVariable << endl; }
int main()
{
cout << globalVariable << endl;
gfgFnc();
return 0;
}
Java
/*package whatever //do not write package name here */
import java.io.*;
class GFG {
static int globalVariable = 5;
static void gfgFnc()
{
System.out.println(globalVariable);
}
public static void main(String[] args)
{
System.out.println(globalVariable);
gfgFnc();
}
}
Python
global_variable = 5
def gfg_fnc():
print(global_variable)
def main():
print(global_variable)
gfg_fnc()
if __name__ == "__main__":
main()
C#
using System;
class Program
{
// Declaring a static global variable accessible to all methods in the class
static int globalVariable = 5;
// Defining a method to print the value of the global variable
static void gfgFnc()
{
// Output the value of the global variable
Console.WriteLine(globalVariable);
}
static void Main(string[] args)
{
// Output the value of the global variable in the Main method
Console.WriteLine(globalVariable);
// Call the gfgFnc method to print the global variable's value
gfgFnc();
}
}
JavaScript
// Define a class named GFG
class GFG {
// Define a static variable
static globalVariable = 5;
// Define a static method
static gfgFnc() {
console.log(GFG.globalVariable);
}
// Define the main method
static main() {
console.log(GFG.globalVariable);
// Call the static method gfgFnc
GFG.gfgFnc();
}
}
// Call the main method of the GFG class
GFG.main();
Local variables in programming are declared within a specific function, block, or scope and are only accessible within that limited context. In simpler words, Local variables are confined to the block or function where they are declared and cannot be directly accessed outside that scope.
C++
#include <iostream>
using namespace std;
void gfgFnc()
{
int localVariable2 = 10;
cout << localVariable2 << endl;
}
int main()
{
int localVariable1 = 5;
cout << localVariable1 << endl;
gfgFnc();
if (true) {
int localVariable3 = 15;
cout << localVariable3 << endl;
}
return 0;
}
Java
/*package whatever //do not write package name here */
import java.io.*;
class GFG {
static void gfgFnc()
{
int localVariable2 = 10;
System.out.println(localVariable2);
}
public static void main(String[] args)
{
int localVariable1 = 5;
System.out.println(localVariable1);
gfgFnc();
if (true) {
int localVariable3 = 15;
System.out.println(localVariable3);
}
}
}
Python
def gfg_fnc():
local_variable_2 = 10
print(local_variable_2)
def main():
local_variable_1 = 5
print(local_variable_1)
gfg_fnc()
if True:
local_variable_3 = 15
print(local_variable_3)
if __name__ == "__main__":
main()
C#
using System;
class Program
{
// Define a function named gfgFnc
static void gfgFnc()
{
// Declare and initialize a local variable named localVariable2
int localVariable2 = 10;
// Print the value of localVariable2
Console.WriteLine(localVariable2);
}
static void Main(string[] args)
{
// Declare and initialize a local variable named localVariable1
int localVariable1 = 5;
// Print the value of localVariable1
Console.WriteLine(localVariable1);
// Call the function gfgFnc
gfgFnc();
// Using if block to create a local scope
if (true)
{
// Declare and initialize a local variable named localVariable3
int localVariable3 = 15;
// Print the value of localVariable3
Console.WriteLine(localVariable3);
}
// Return 0 to indicate successful completion
}
}
JavaScript
function gfgFnc() {
var localVariable2 = 10;
console.log(localVariable2);
}
function main() {
var localVariable1 = 5;
console.log(localVariable1);
gfgFnc();
if (true) {
var localVariable3 = 15;
console.log(localVariable3);
}
}
// Call the main function
main();
Difference between Variable and Constant:
Characteristic | Variable | Constant |
---|
Definition | A variable is a symbol that represents a value that can change during program execution. | A constant is a symbol that represents a fixed, unchanging value. |
---|
Mutability | Can be changed or reassigned during the execution of the program. | Cannot be changed once assigned a value. |
---|
Declaration and Initialization | Must be declared before use, and its value can be initialized at declaration or later in the code. | Must be assigned a value at the time of declaration, and its value cannot be changed afterward. |
---|
Examples | int count = 5; | const double PI = 3.14159; |
---|
Use Cases | Used for storing values that may vary or change during program execution. | Used for storing fixed values or parameters that should not be modified. |
---|
Memory Allocation | Allocates memory space to store the value. | Allocates memory space to store the value, similar to variables. |
---|
Syntax | dataType variableName = value; | const dataType constantName = value; |
---|
Difference between Local variables and Global Variables:
Characteristic | Global Variables | Local Variables |
---|
Scope1 | Accessible throughout the entire codebase | Confined to the block, function, or scope of declaration. |
---|
Visibility | Accessible by any part of the program, including functions, blocks, or modules | Accessible only within the limited context of declaration. |
---|
Lifetime | Exist for the entire duration of the program | It exists only during the execution of the block or function. |
---|
Initialization | May have a default value, can be initialized outside functions or blocks | May not have a default value, and must be explicitly initialized within the scope. |
---|
Access from Functions | Accessible directly from any function or block | Directly accessible only within the declaring function |
---|
Naming Conventions:
Naming conventions for variables In Programming help maintain code readability and consistency across programming projects. While specific conventions can vary between programming languages, some common practices are widely followed. Here are general guidelines for naming variables:
- Descriptive and Meaningful: Choose names that indicate the purpose or content of the variable. A descriptive name improves code readability and understanding.
- Camel Case or Underscore Separation: Use camel case (myVariableName) or underscores (my_variable_name) to separate words in a variable name. Choose one style and stick to it consistently.
- Avoid Single Letter Names: Except for loop counters or well-known conventions (e.g., i for an index), avoid single-letter variable names. Use names that convey the variable's purpose.
- Follow Language Conventions: Adhere to the naming conventions recommended by the programming language you are using. For example, Java typically uses camel case (myVariableName), while Python often uses underscores (my_variable_name).
- Avoid Reserved Words: Avoid using reserved words or keywords of the programming language as variable names.
- Avoid Abbreviations: Use full words instead of abbreviations, except when widely accepted or for standard terms (e.g., max, min).
The scope of a variable in programming refers to the region of the program where the variable can be accessed or modified. It defines the visibility and lifetime of a variable within a program. There are typically two types of variable scope:
Local Scope:
- A variable declared inside a function, block, or loop has a local scope.
- It can only be accessed within the specific function, block, or loop where it is declared.
- Its lifetime is limited to the duration of the function, block, or loop.
C++
#include <iostream>
using namespace std;
void myFunction() {
// Variable with local scope
int localVar = 10;
cout << "Inside myFunction: " << localVar << endl;
}
int main() {
myFunction(); // Calling the function
return 0;
}
Java
public class Main {
public static void myFunction() {
// Variable with local scope
int localVar = 10;
// Accessing the local variable
System.out.println("Inside myFunction: " + localVar);
}
public static void main(String[] args) {
myFunction(); // Calling the function
}
}
Python
def my_function():
# Variable with local scope
local_var = 10
# Accessing the local variable
print("Inside my_function:", local_var)
my_function() # Calling the function
C#
using System;
class Program
{
static void MyFunction()
{
// Variable with local scope
int localVar = 10;
// Accessing the local variable
Console.WriteLine("Inside MyFunction: " + localVar);
}
static void Main()
{
// Attempting to access the local variable from Main (not allowed)
// Uncommenting the line below will result in a compilation error
// Console.WriteLine("Inside Main: " + localVar);
MyFunction(); // Calling the function
}
}
JavaScript
function myFunction() {
// Variable with local scope
let localVar = 10;
console.log("Inside myFunction:", localVar);
}
// Calling the function
myFunction();
OutputInside myFunction: 10
Global Scope:
- A variable declared outside of any function or block has a global scope.
- It can be accessed from anywhere in the program, including inside functions.
- Its lifetime extends throughout the entire program.
C++
#include <iostream>
using namespace std;
// Variable with global scope
int globalVar = 20;
void myFunction() {
// Accessing the global variable
cout << "Inside myFunction: " << globalVar << endl;
}
int main() {
// Accessing the global variable from main
cout << "Inside main: " << globalVar << endl;
myFunction(); // Calling the function
return 0;
}
Java
public class Main {
// Variable with class (global) scope
static int globalVar = 20;
public static void myFunction() {
// Accessing the global variable
System.out.println("Inside myFunction: " + globalVar);
}
public static void main(String[] args) {
// Accessing the global variable from the main method
System.out.println("Inside main: " + globalVar);
myFunction(); // Calling the function
}
}
Python
# Variable with global scope
global_var = 20
def my_function():
# Accessing the global variable
print("Inside my_function:", global_var)
# Accessing the global variable from the global scope
print("Inside global scope:", global_var)
my_function() # Calling the function
C#
using System;
class Program
{
// Variable with global scope
static int globalVar = 20;
static void MyFunction()
{
// Accessing the global variable
Console.WriteLine("Inside MyFunction: " + globalVar);
}
static void Main()
{
// Accessing the global variable from Main
Console.WriteLine("Inside Main: " + globalVar);
MyFunction(); // Calling the function
}
}
JavaScript
// Variable with global scope
let globalVar = 20;
function myFunction() {
// Accessing the global variable
console.log("Inside myFunction: " + globalVar);
}
function main() {
// Accessing the global variable from main
console.log("Inside main: " + globalVar);
myFunction(); // Calling the function
}
main(); // Call the main function
OutputInside main: 20
Inside myFunction: 20
Understanding and managing variable scope is crucial for writing maintainable and bug-free code, as it helps avoid naming conflicts and unintended side effects.
In conclusion, variables In programming are fundamental elements in programming, serving as named storage locations to hold and manipulate data. They are crucial in writing dynamic, adaptable, and functional code. The proper use of variables, adherence to clear naming conventions, and understanding of scope contribute to code readability, maintainability, and scalability.
Similar Reads
Basics & Prerequisites
Data Structures
Array Data StructureIn this article, we introduce array, implementation in different popular languages, its basic operations and commonly seen problems / interview questions. An array stores items (in case of C/C++ and Java Primitive Arrays) or their references (in case of Python, JS, Java Non-Primitive) at contiguous
3 min read
String in Data StructureA string is a sequence of characters. The following facts make string an interesting data structure.Small set of elements. Unlike normal array, strings typically have smaller set of items. For example, lowercase English alphabet has only 26 characters. ASCII has only 256 characters.Strings are immut
2 min read
Hashing in Data StructureHashing is a technique used in data structures that efficiently stores and retrieves data in a way that allows for quick access. Hashing involves mapping data to a specific index in a hash table (an array of items) using a hash function. It enables fast retrieval of information based on its key. The
2 min read
Linked List Data StructureA linked list is a fundamental data structure in computer science. It mainly allows efficient insertion and deletion operations compared to arrays. Like arrays, it is also used to implement other data structures like stack, queue and deque. Hereâs the comparison of Linked List vs Arrays Linked List:
2 min read
Stack Data StructureA Stack is a linear data structure that follows a particular order in which the operations are performed. The order may be LIFO(Last In First Out) or FILO(First In Last Out). LIFO implies that the element that is inserted last, comes out first and FILO implies that the element that is inserted first
2 min read
Queue Data StructureA Queue Data Structure is a fundamental concept in computer science used for storing and managing data in a specific order. It follows the principle of "First in, First out" (FIFO), where the first element added to the queue is the first one to be removed. It is used as a buffer in computer systems
2 min read
Tree Data StructureTree Data Structure is a non-linear data structure in which a collection of elements known as nodes are connected to each other via edges such that there exists exactly one path between any two nodes. Types of TreeBinary Tree : Every node has at most two childrenTernary Tree : Every node has at most
4 min read
Graph Data StructureGraph Data Structure is a collection of nodes connected by edges. It's used to represent relationships between different entities. If you are looking for topic-wise list of problems on different topics like DFS, BFS, Topological Sort, Shortest Path, etc., please refer to Graph Algorithms. Basics of
3 min read
Trie Data StructureThe Trie data structure is a tree-like structure used for storing a dynamic set of strings. It allows for efficient retrieval and storage of keys, making it highly effective in handling large datasets. Trie supports operations such as insertion, search, deletion of keys, and prefix searches. In this
15+ min read
Algorithms
Searching AlgorithmsSearching algorithms are essential tools in computer science used to locate specific items within a collection of data. In this tutorial, we are mainly going to focus upon searching in an array. When we search an item in an array, there are two most common algorithms used based on the type of input
2 min read
Sorting AlgorithmsA Sorting Algorithm is used to rearrange a given array or list of elements in an order. For example, a given array [10, 20, 5, 2] becomes [2, 5, 10, 20] after sorting in increasing order and becomes [20, 10, 5, 2] after sorting in decreasing order. There exist different sorting algorithms for differ
3 min read
Introduction to RecursionThe process in which a function calls itself directly or indirectly is called recursion and the corresponding function is called a recursive function. A recursive algorithm takes one step toward solution and then recursively call itself to further move. The algorithm stops once we reach the solution
14 min read
Greedy AlgorithmsGreedy algorithms are a class of algorithms that make locally optimal choices at each step with the hope of finding a global optimum solution. At every step of the algorithm, we make a choice that looks the best at the moment. To make the choice, we sometimes sort the array so that we can always get
3 min read
Graph AlgorithmsGraph is a non-linear data structure like tree data structure. The limitation of tree is, it can only represent hierarchical data. For situations where nodes or vertices are randomly connected with each other other, we use Graph. Example situations where we use graph data structure are, a social net
3 min read
Dynamic Programming or DPDynamic Programming is an algorithmic technique with the following properties.It is mainly an optimization over plain recursion. Wherever we see a recursive solution that has repeated calls for the same inputs, we can optimize it using Dynamic Programming. The idea is to simply store the results of
3 min read
Bitwise AlgorithmsBitwise algorithms in Data Structures and Algorithms (DSA) involve manipulating individual bits of binary representations of numbers to perform operations efficiently. These algorithms utilize bitwise operators like AND, OR, XOR, NOT, Left Shift, and Right Shift.BasicsIntroduction to Bitwise Algorit
4 min read
Advanced
Segment TreeSegment Tree is a data structure that allows efficient querying and updating of intervals or segments of an array. It is particularly useful for problems involving range queries, such as finding the sum, minimum, maximum, or any other operation over a specific range of elements in an array. The tree
3 min read
Pattern SearchingPattern searching algorithms are essential tools in computer science and data processing. These algorithms are designed to efficiently find a particular pattern within a larger set of data. Patten SearchingImportant Pattern Searching Algorithms:Naive String Matching : A Simple Algorithm that works i
2 min read
GeometryGeometry is a branch of mathematics that studies the properties, measurements, and relationships of points, lines, angles, surfaces, and solids. From basic lines and angles to complex structures, it helps us understand the world around us.Geometry for Students and BeginnersThis section covers key br
2 min read
Interview Preparation
Practice Problem