Introduction to Variables
In C++, variables are used to store and manipulate data. They allow us to assign values to a memory location and perform operations on those values. Variables can hold different types of data, such as numbers, characters, and strings.
To declare a variable in C++, we specify the data type followed by the variable name. For example, to declare an integer variable named age
, we would write:
1int age;
This creates a variable named age
of type int
, which can store whole numbers. We can then assign a value to age
using the assignment operator =
:
1age = 25;
We can also initialize a variable at the time of declaration by providing an initial value:
1int height = 180;
Once a variable is declared and assigned a value, we can use it in expressions. For example:
1int width = 10;
2int area = width * height;
In this example, we multiply the value of width
by the value of height
and store the result in the variable area
.
C++ also provides different data types for other kinds of values, such as floating-point numbers, characters, and boolean values. We can declare variables of these types using the appropriate keywords:
1float pi = 3.14;
2char grade = 'A';
3bool isPassed = true;
Using variables in C++ allows us to write dynamic and reusable code. We can store and manipulate values as needed, making our programs more flexible and adaptable.
In the next lesson, we will explore the different data types in C++ and learn how to use them effectively.