C++ – Variables and Datatypes
Variables let you store values dynamically.
Declare a variable
First you have to declare the variable type, the most used are:
Character types
– char Exactly one byte in size. At least 8 bits.
– char16_t Not smaller than char. At least 16 bits.
– char32_t Not smaller than char16_t. At least 32 bits.
– wchar_t Can represent the largest supported character set.
Integer types (signed)
– signed char Same size as char. At least 8 bits.
– signed short int Not smaller than char. At least 16 bits.
– signed int Not smaller than short. At least 16 bits.
– signed long int Not smaller than int. At least 32 bits.
– signed long long int Not smaller than long. At least 64 bits.
Integer types (unsigned) Same size as their signed counterparts
– unsigned char
– unsigned short int
– unsigned int
– unsigned long int
– unsigned long long int
Floating-point types
– float
– double Precision not less than float
– long double Precision not less than double
Boolean type
– bool
Void type
– void no storage
Null pointer
– decltype(nullptr)
Declaration of variables sample:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 | #include <iostream>
using namespace std;
int main ()
{
int a, b;
int result;
a = 5;
b = 2;
a = a + 1;
result = a - b;
cout << result;
return 0;
}
|
Initialization
Initialization of variables, the initial value of a variable:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 | #include <iostream>
using namespace std;
int main ()
{
int a=5;
int b(3);
int c{2};
int result;
a = a + b;
result = a - c;
cout << result;
return 0;
}
|
Type deduction: auto and decltype
1 2 3 4 5 6 7 | int foo = 0;
auto bar = foo;
int foo = 0;
decltype (foo) bar;
|