我正在尝试使用unsigned int:
类型打开scoped-enum枚举定义为:
const enum struct EnumType : unsigned int { SOME = 1, MORE = 6, HERE = 8 };
我收到一个const unsigned int引用,我试图根据枚举值检查该值。
void func(const unsigned int & num)
{
switch (num)
{
case EnumType::SOME:
....
break;
case EnumType::MORE:
....
break;
....
default:
....
}
}
这会导致语法错误:Error: This constant expression has type "EnumType" instead of the required "unsigned int" type.
现在,在每个开关上使用static_cast
,例如:
case static_cast<unsigned int>(EnumType::SOME):
....
break;
case static_cast<unsigned int>(EnumType::MORE):
....
break;
修复了语法错误,虽然在每个case语句中进行转换似乎不是一个很好的方法。我是否真的需要在每个案例中施放,还是有更好的方法?
答案 0 :(得分:10)
您可以通过将switch变量本身转换为EnumType
来解决此问题:
switch (static_cast<EnumType>(num)) {
(Demo)
作用域枚举的目的是使它们具有强类型。为此,基础类型没有隐式转换。您必须转换开关变量或开关案例。我建议转换开关变量,因为这需要更少的代码,因此可以使维护更容易。
IMO正确的解决方案是将功能更改为接受const EnumType &
(或仅EnumType
)。