I saw this question on Stack Overflow some times ago, it amounted to emulating a switch() statement in template code. Then recently I saw a nice example of doing this.
First, the oldskool style, using Boost and C++98:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | template < int N> struct shortest_fitting_int { BOOST_STATIC_ASSERT(N > 0); BOOST_STATIC_ASSERT(N <= sizeof (int64_t)); typedef typename boost::conditional< (N <= sizeof (int8_t)), int8_t, typename boost::conditional< (N <= sizeof (int16_t)), int16_t, typename boost::conditional< (N <= sizeof (int32_t)), int32_t, int64_t >::type >::type >::type type; }; |
Now have a look at the "modern" C++11 style:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | template < int N> struct shortest_fitting_int { static_assert(N > 0, "negative N" ); static_assert(N <= sizeof (int64_t), "N > 8" ); typedef std::conditional_t< (N <= sizeof (int8_t)), int8_t, std::conditional_t< (N <= sizeof (int16_t)), int16_t, std::conditional_t< (N <= sizeof (int32_t)), int32_t, int64_t > > > type; }; |
Source: Andrzej's C++ blog: Handling short codes — part I.