Variables are containers for storing data values.
In C++, there are different types of variables (defined with different keywords), for example:
int - stores integers (whole numbers), without decimals, such as 123 or -123
double - stores floating point numbers, with decimals, such as 19.99 or -19.99
char - stores single characters, such as 'a' or 'B'. Char values are surrounded by single quotes
string - stores text, such as "Hello World". String values are surrounded by double quotes
bool - stores values with two states: true or false
To create a variable, specify the type and assign it a value:
type variableName = value;
Where type is one of C++ types (such as int), and variableName is the name of the variable (such as x or myName). The equal sign is used to assign values to the variable.
To create a variable that should store a number, look at the following example:
Create a variable called myNum of type int and assign it the value 15:
int myNum = 15;
cout << myNum;it Yourself »
You can also declare a variable without assigning the value, and assign the value later:
int myNum;
myNum = 15;
cout << myNum;it Yourself »
Note that if you assign a new value to an existing variable, it will overwrite the previous value:
int myNum = 15; // myNum is 15
myNum = 10; // Now myNum is 10
cout << myNum; // Outputs 10it Yours
A demonstration of other data types:
int myNum = 5; // Integer (whole number without decimals)
double myFloatNum = 5.99; // Floating point number (with decimals)
char myLetter = 'D'; // Character
string myText = "Hello"; // String (text)
bool myBoolean = true; // Boolean (true or false)
You will learn more about the individual types in the Data Types chapter.
The cout object is used together with the << operator to display variables.
To combine both text and a variable, separate them with the << operator:
int myAge = 35;
cout << "I am " << myAge << " years old.";
To add a variable to another variable, you can use the + operator:
int x = 5;
int y = 6;
int sum = x + y;
cout << sum;
Watch the 6th part of this video
As explained in the Variables chapter, a variable in C++ must be a specified data type:
int myNum = 5; // Integer (whole number)
float myFloatNum = 5.99; // Floating point number
double myDoubleNum = 9.98; // Floating point number
char myLetter = 'D'; // Character
bool myBoolean = true; // Boolean
string myText = "Hello"; // String
The data type specifies the size and type of information the variable will store:
boolean (1 byte)
Stores true or false values
char (1 byte)
Stores a single character/letter/number, or ASCII values
int (2 or 4 bytes)
Stores whole numbers, without decimals
float (4 bytes)
Stores fractional numbers, containing one or more decimals. Sufficient for storing 7 decimal digits
double (8 bytes)
Stores fractional numbers, containing one or more decimals. Sufficient for storing 15 decimal digits
Watch the 7th part of this video