C++ Enumeration (enum)
Excerpt
W3Schools offers free online tutorials, references and exercises in all the major languages of the web. Covering popular subjects like HTML, CSS, JavaScript, Python, SQL, Java, and many, many more.
C++ Enumeration (enum)
C++ Enums
An enum is a special type that represents a group of constants (unchangeable values).
To create an enum, use the enum
keyword, followed by the name of the enum, and separate the enum items with a comma:
enum Level {
LOW,
MEDIUM,
HIGH
};
Note that the last item does not need a comma.
It is not required to use uppercase, but often considered as good practice.
Enum is short for “enumerations”, which means “specifically listed”.
To access the enum, you must create a variable of it.
Inside the main()
method, specify the enum
keyword, followed by the name of the enum (Level
) and then the name of the enum variable (myVar
in this example):
Now that you have created an enum variable (myVar
), you can assign a value to it.
The assigned value must be one of the items inside the enum (LOW
, MEDIUM
or HIGH
):
enum Level myVar = MEDIUM;
By default, the first item (LOW
) has the value 0
, the second (MEDIUM
) has the value 1
, etc.
If you now try to print myVar, it will output 1
, which represents MEDIUM
:
Change Values
As you know, the first item of an enum has the value 0. The second has the value 1, and so on.
To make more sense of the values, you can easily change them:
enum Level {
LOW = 25,
MEDIUM = 50,
HIGH = 75
};
int main() {
enum Level myVar = MEDIUM;
cout << myVar; return 0;
}
Note that if you assign a value to one specific item, the next items will update their numbers accordingly:
Enum in a Switch Statement
Enums are often used in switch statements to check for corresponding values:
enum Level {
LOW = 1,
MEDIUM,
HIGH
};
int main() {
enum Level myVar = MEDIUM;
switch (myVar) {
case 1:
printf(“Low Level”);
break;
case 2:
printf(“Medium level”);
break;
case 3:
printf(“High level”);
break;
}
return 0;
}
Why And When To Use Enums?
Enums are used to give names to constants, which makes the code easier to read and maintain.
Use enums when you have values that you know aren’t going to change, like month days, days, colors, deck of cards, etc.
W3schools Pathfinder
Track your progress - it’s free!