Consider, I have got the following enum class:
enum class TestEnum
{
None = 0,
Foo,
Bar
};
I'd like to specify ostream operator ( << ) for this enum class, so I could write:
std::cout << "This is " << TestEnum::Foo;
and get following output This is Foo.
My question is:
Is there any place where enum "name specifiers" are stored? (i.e. for enum class TestEnum it is None, Foo and Bar) So I could write a function (or at best function template) that specifies ostream operator for this TestEnum like:
std::ostream& operator<< ( std::ostream& os, TestEnum aEnum ) {
return std::string( aEnum.name() );
}
So far, I did it this way:
std::ostream& operator<< ( std::ostream& os, TestEnum aEnum ) {
switch( aEnum )
{
case TestEnum::Foo:
os << "Foo";
break;
case TestEnum::Bar:
os << "Bar"
break;
}
return os;
}
I have seen some solutions using boost library, but I would prefer not using it this time.