C++14 draft n4140 reads
T
shall be an enumeration type
for template <class T> struct underlying_type
.
How bad is it to write
std::conditional_t<std::is_enum<T>::value, std::underlying_type_t<T>, foo>
when T
can be an arbitrary type? Will I step onto an UB and will the compiler delete my $HOME (because language lawyers say "anything can happen under an UB") ?
Technically, yes. But practically, it just won't compile for non-enumeration types. When you write:
That template parameter must be evaluated before the
conditional
template can be instantiated. This is equivalent to all function arguments having to be invoked before the body of the function begins. For non-enumerated types,underlying_type<T>
is incomplete (sure it's specified as undefined in the standard but let's be reasonable), so there is nounderlying_type_t
. So the instantiation fails.What you need to do is delay the instantiation in that case:
Now, our
conditional
instead of selecting types is selecting a metafunction!underlying_type<T>::type
will only be instantiated forT
being an enum. We additionally have to wrapfoo
to turn it into a metafunction.This is a common pattern and was a special thing in Boost.MPL called
eval_if
, which would look like:Note that we're both using
conditional_t
and::type
.