Course Content
C++ Data Types
C++ Data Types
Char
To store text data in C++, the char
data type is used to store a single character, like 'A' or 'w'. In the upcoming chapter, we will explore the process of combining these individual characters into sequences to form words, sentences, and more. However, for now, let's focus on the char
data type for single character storage.
main
#include <iostream> int main() { char letter = 'G'; std::cout << letter << std::endl; }
Note
char
's should be specified in single quotes. Even if the character you hold is a number, you should put it in single quotes,'9'
, not9
.
You can play with the code above to see what happens if you use double quotes or assign numbers without quotes.
The char data type and memory.
To be stored in memory, it is first converted to a number using ASCII table. The binary representation of that number is then stored in memory.
You can take a quick look at the ASCII table below (the first column is not valuable for us).
main
#include <iostream> int main() { // change the number to output different symbol char symbol = 100; std::cout << symbol; }
Note
If you assign a number without single quotes to a
char
(for example,char letter = 76
), the compiler assumes that you specified a character already converted to a number.
As you can see from the table, 76 corresponds to L, so the value ofletter
is'L'
.
Thanks for your feedback!