如果我想在c ++中初始化一个大小为sizeof(int)的常量整数数组,我该如何去做呢?例如,我可能想要一个数组,使得它具有sizeof(int)* 8 ints且第n位(array [n] = 1<< n)。
答案 0 :(得分:0)
这是初始化4个整数的常量数组的一种方法,其中sizeof(int)== 4:
#define SHIFT(__n) (1 << __n++)
int main()
{
int n = 0;
const int ir4[sizeof(int)] = {SHIFT(n), SHIFT(n), SHIFT(n), SHIFT(n)};
...
}
答案 1 :(得分:0)
您可以使用std :: array和模板
template<typename T, std::size_t N>
std::array<T, sizeof(T)*N> array_init() {
std::array<T, sizeof(T)*N> ints;
for (T n = 0; n < sizeof(T)*N; ++n) {
ints[n] = 1 << n;
}
return ints;
}
然后你称之为
auto ints = array_init<int, 8>();
答案 2 :(得分:0)
我认为你不能初始化一个静态大小的const
对象数组而不指定每个元素,至少,不是在它不是类的成员时。但是,您可以初始化对静态大小的const
对象数组的引用:
template <int N>
struct foo
{
static bool init(int* array) {
unsigned int bit(1);
for (int i(0); i != N; ++i) {
array[i] = bit << i;
}
return true;
}
static void use(bool) {}
static int const (&array())[N] {
static int rc[N];
static bool dummy(init(rc));
use(dummy);
return rc;
}
};
int const (&array)[sizeof(int) * 8] = foo<sizeof(int) * 8>::array();
如果你真的想要初始化一个静态大小的数组,可以使用可变参数模板来完成它,但是数组需要是类类型的静态成员。由于代码不是很明显,所以它是:
template <int...> struct indices {};
template <int N, typename> struct make_list;
template <int... Indices>
struct make_list<0, indices<Indices...>> {
typedef indices<0, Indices...> type;
};
template <int N, int... Indices>
struct make_list<N, indices<Indices...>> {
typedef typename make_list<N-1, indices<N, Indices...>>::type type;
};
template <int N, typename> struct array_aux;
template <int N, int... Indices>
struct array_aux<N, indices<Indices...>>
{
static int const values[N];
};
template <int N, int... Indices>
int const array_aux<N, indices<Indices...>>::values[N] = { 1u << Indices... };
template <int N = sizeof(int) * 8>
struct array
: array_aux<N, typename make_list<N-1, indices<>>::type>
{
};
然后,您可以使用以下内容访问数组:
array<>::values[i]