forked from cirosantilli/cpp-cheat
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathenum.cpp
More file actions
52 lines (41 loc) · 1.24 KB
/
enum.cpp
File metadata and controls
52 lines (41 loc) · 1.24 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
/*
Simple rule: always use C++11 enum class, never the old C-style enums.
- http://stackoverflow.com/questions/18335861/why-is-enum-class-preferred-over-plain-enum
- http://stackoverflow.com/questions/4506750/how-do-i-use-the-enum-value-from-a-class-in-another-part-of-code
- http://stackoverflow.com/questions/10869790/best-practices-for-enum-in-c
*/
#include "common.hpp"
int main() {
// Unlike C, already does typedef, no need to write enum all the time.
{
enum E {A, B, C};
E e = A;
}
#if __cplusplus >= 201103L
// Set storage size.
{
enum E : char {A, B, C};
assert(sizeof(E) == sizeof(char));
}
// # enum class
//
// Much better than the older enum, just always use it.
{
enum class ClassEnum {
A,
B
};
// Error. YES, namespaces!
//ClassEnum classEnum = A;
ClassEnum classEnum = ClassEnum::A;
// No conversion insanity.
//int i = ClassEnum::A;
}
/*
# enum to string
C++14 nope:
- http://stackoverflow.com/questions/201593/is-there-a-simple-way-to-convert-c-enum-to-string
- http://stackoverflow.com/questions/28828957/enum-to-string-in-modern-c-and-future-c17-c20
*/
#endif
}