열거 형 클래스를 기본 형식으로 변환 할 수 있습니까? 자동이라고 생각했지만 분명히 그렇지 않습니다. enum

enum class필드를 기본 유형 으로 변환하는 방법이 있습니까? 나는 이것이 자동이라고 생각했지만 분명히 그렇지 않습니다.

enum class my_fields : unsigned { field = 1 };

unsigned a = my_fields::field;

해당 할당은 GCC에서 거부됩니다. error: cannot convert 'my_fields' to 'unsigned int' in assignment.



답변

std :: underlying_type 을 사용 하여 기본 유형을 알고 캐스트를 사용할 수 있다고 생각합니다 .

#include <type_traits> //for std::underlying_type

typedef std::underlying_type<my_fields>::type utype;

utype a = static_cast<utype>(my_fields::field);

이를 통해 기본 유형 을 가정 할 필요가 없거나 enum class비슷한 유형의 정의에 언급 할 필요가 없습니다 enum class my_fields : int { .... }.

모든 것을 기본 정수 유형 으로 변환 할 수 있어야 하는 일반 변환 함수를 작성할 수도 있습니다 . enum class

template<typename E>
constexpr auto to_integral(E e) -> typename std::underlying_type<E>::type
{
   return static_cast<typename std::underlying_type<E>::type>(e);
}

그런 다음 사용하십시오.

auto value = to_integral(my_fields::field);

auto redValue = to_integral(Color::Red);//where Color is an enum class!

함수가로 선언 되었기 때문에 constexpr상수 표현식이 필요한 곳에 사용할 수 있습니다.

int a[to_integral(my_fields::field)]; //declaring an array

std::array<int, to_integral(my_fields::field)> b; //better!

답변

암시 적으로 변환 할 수는 없지만 명시 적 캐스트는 가능합니다.

enum class my_fields : unsigned { field = 1 };

// ...

unsigned x = my_fields::field; // ERROR!
unsigned x = static_cast<unsigned>(my_fields::field); // OK

또한 세미콜론은 열거 형 정의에서 닫혀진 중괄호 뒤에 있어야하며 이전이 아니 어야합니다 .


답변

underlying_cast열거 형 값을 올바르게 직렬화해야 할 때 다음 함수가 유용하다는 것을 알았습니다 .

namespace util
{

namespace detail
{
    template <typename E>
    using UnderlyingType = typename std::underlying_type<E>::type;

    template <typename E>
    using EnumTypesOnly = typename std::enable_if<std::is_enum<E>::value, E>::type;

}   // namespace util.detail


template <typename E, typename = detail::EnumTypesOnly<E>>
constexpr detail::UnderlyingType<E> underlying_cast(E e) {
    return static_cast<detail::UnderlyingType<E>>(e);
}

}   // namespace util

enum SomeEnum : uint16_t { A, B };

void write(SomeEnum /*e*/) {
    std::cout << "SomeEnum!\n";
}

void write(uint16_t /*v*/) {
    std::cout << "uint16_t!\n";
}

int main(int argc, char* argv[]) {
    SomeEnum e = B;
    write(util::underlying_cast(e));
    return 0;
}

답변

다른 사람들이 지적했듯이 암시 적 캐스트는 없지만 명시 적 static_cast. 내 코드에서 다음 도우미 함수를 사용하여 열거 형 및 기본 클래스간에 변환합니다.

    template<typename EnumType>
    constexpr inline decltype(auto) getIntegralEnumValue(EnumType enumValue)
    {
        static_assert(std::is_enum<EnumType>::value,"Enum type required");
        using EnumValueType = std::underlying_type_t<EnumType>;
        return static_cast<EnumValueType>(enumValue);
    }

    template<typename EnumType,typename IntegralType>
    constexpr inline EnumType toEnum(IntegralType value)
    {
        static_assert(std::is_enum<EnumType>::value,"Enum type required");
        static_assert(std::is_integral<IntegralType>::value, "Integer required");
        return static_cast<EnumType>(value);
    }

    template<typename EnumType,typename UnaryFunction>
    constexpr inline void setIntegralEnumValue(EnumType& enumValue, UnaryFunction integralWritingFunction)
    {
        // Since using reinterpret_cast on reference to underlying enum type is UB must declare underlying type value and write to it and then cast it to enum type
        // See discussion on /programming/19476818/is-it-safe-to-reinterpret-cast-an-enum-class-variable-to-a-reference-of-the-unde

        static_assert(std::is_enum<EnumType>::value,"Enum type required");

        auto enumIntegralValue = getIntegralEnumValue(enumValue);
        integralWritingFunction(enumIntegralValue);
        enumValue = toEnum<EnumType>(enumIntegralValue);
    }

사용 코드

enum class MyEnum {
   first = 1,
   second
};

MyEnum myEnum = MyEnum::first;
std::cout << getIntegralEnumValue(myEnum); // prints 1

MyEnum convertedEnum = toEnum(1);

setIntegralEnumValue(convertedEnum,[](auto& integralValue) { ++integralValue; });
std::cout << getIntegralEnumValue(convertedEnum); // prints 2

답변