C ++整数类型是给定类型宽度的两倍

时间:2016-08-09 13:50:40

标签: c++ c++11 std

在此示例中,coord_squared_t是整数类型的别名,其大小至少是整数类型coord_t的两倍:

typedef int_least32_t coord_t;

coord_squared_t CalculateSquaredHypothenuse(coord_t x, coord_t y){
    coord_squared_t _x=x;
    coord_squared_t _y=y;
    return _x*_x+_y*_y;
}

根据coord_squared_t可以用来表达coord_t的内容?标准库中是否有任何内容允许我执行double_width<coord_t>::type之类的操作以获得正确的宽度,而不是明确选择类型?

C ++ 11或C ++ 14很好。

2 个答案:

答案 0 :(得分:25)

您可以使用boost::int_t

using coord_squared_t = boost::int_t<sizeof(coord_t)*CHAR_BIT*2>::least;

答案 1 :(得分:10)

如果您不想使用Boost,您可以通过一些特殊化手动实现此功能:

template <class > struct next_size;
template <class T> using next_size_t = typename next_size<T>::type;
template <class T> struct tag { using type = T; };

template <> struct next_size<int_least8_t>  : tag<int_least16_t> { };
template <> struct next_size<int_least16_t> : tag<int_least32_t> { };
template <> struct next_size<int_least32_t> : tag<int_least64_t> { };
template <> struct next_size<int_least64_t> : tag<???> { };

// + others if you want the other int types

然后:

using coord_squared_t = next_size_t<coord_t>;

或者,您可以根据位数进行专门化:

template <size_t N> struct by_size : by_size<N+1> { };
template <size_t N> using by_size_t = typename by_size<N>::type;
template <class T> struct tag { using type = T; };

template <> struct by_size<8>  : tag<int_least8_t> { };
template <> struct by_size<16> : tag<int_least16_t> { };
template <> struct by_size<32> : tag<int_least32_t> { };
template <> struct by_size<64> : tag<int_least64_t> { };

这样,由于继承,by_size<45>::type之类的内容是int_least64_t。然后这就像Boost的回答一样:

using coord_squared_t = by_size_t<2 * CHAR_BIT * sizeof(coord_t)>;