适用于struct RS : public JV<T,1>
,但不适用于struct RS : public JV<T,2>
。
error: could not convert ‘{(0, j), (0, j)}’ from ‘<brace-enclosed initializer list>’ to ‘WJ<float>’
我是否需要重载operator,()
?
代码:
#include<iostream>
struct B {};
template <std::size_t... Is>
struct indices {};
template <std::size_t N, std::size_t... Is>
struct build_indices
: build_indices<N-1, N-1, Is...> {};
template <std::size_t... Is>
struct build_indices<0, Is...> : indices<Is...> {};
template<class T,int N>
struct JV {
JV(B& j) : JV(j, build_indices<N>{}) {}
template<std::size_t... Is>
JV(B& j, indices<Is...>) : jit(j), F{{(void(Is),j)...}} {}
B& jit;
T F[N];
};
template<class T>
struct RS : public JV<T,2>
{
RS(B& j): JV<T,2>(j) {}
};
template<class T>
struct WJ
{
WJ(B& j) {
std::cout << "WJ::WJ(B&)\n";
}
};
int main() {
B j;
RS<WJ<float> > b2(j);
}
答案 0 :(得分:4)
如果要使用普通数组{}
,则需要删除额外的F{(void(Is),j)...}
。或者像你说的那样将它改为std::array<T, N> F
。
普通数组只使用{}
进行初始化,但std::array
是包含数组的聚合,因此它使用双括号。
有关更好的解释,请参阅Using std::array with initialization lists。
答案 1 :(得分:2)
你的问题是一对额外的{}
大括号。变化
JV(B& j, indices<Is...>) : jit(j), F{{(void(Is),j)...}} {}
到
JV(B& j, indices<Is...>) : jit(j), F{(void(Is),j)...} {}
它工作正常。
与std::array
一起使用的原因是array
是包含实际数组的聚合:
// from 23.3.2.1 [array.overview]
namespace std {
template<typename T, int N>
struct array {
...
T elems[N]; // exposition only
因此,要初始化array
,与初始化实际数组相比,需要额外的一对括号。 gcc允许你省略额外的大括号,但抱怨:
std::array<int, 3>{1, 2, 3};
警告:在'std :: array :: value_type [3] {aka int [3]}'[-Wateing-braces]
的初始化器周围缺少大括号
答案 2 :(得分:1)
更换
T F[N];
带
std::array<T,N> F;
做了伎俩!似乎std::array
可以做的不仅仅是C数组。