如何定义方法签名,以便它接受与variadic模板类定义相同数量的参数?例如如何定义Array类:
template<typename T, int... shape>
class Array
{
public:
T& operator () (???);
};
所以你可以这样称呼它:
Array<int, 3, 4, 5> a;
a(1, 2, 3) = 2;
答案 0 :(得分:14)
template<class T, int...Shape>
class Array {
template<int>using index_t=int; // can change this
public:
T& operator()(index_t<Shape>... is);
};
或:
template<class T, int...Shape>
class Array {
public:
T& operator()(decltype(Shape)... is);
};
或:
template<class T, int...Shape>
class Array {
public:
T& operator()(decltype(Shape, int())... is);
};
如果您希望能够将参数类型更改为与Shape
不同。
我发现decltype
比using
更难理解触摸,特别是如果您想要将参数类型更改为不同于int
。
另一种方法:
template<class T, int...Shape>
class Array {
public:
template<class...Args,class=typename std::enable_if<sizeof...(Args)==sizeof...(Shape)>::type>
T& operator()(Args&&... is);
};
使用SFINAE。但是,它并不强制Args
是整数类型。如果我们愿意,我们可以添加另一个子句(所有Args
都可以转换为int
,比如说)。
另一种方法是让operator()
获取一组值,例如std::array<sizeof...(Shape), int>
。来电者必须:
Array<double, 3,2,1> arr;
arr({0,0,0});
使用一组{}
s。
最后的方法是:
template<class T, int...Shape>
class Array {
public:
template<class...Args>
auto operator()(Args&&... is) {
static_assert( sizeof...(Args)==sizeof...(Shapes), "wrong number of array indexes" );
}
};
我们接受任何内容,如果参数数量错误则会生成错误。这会产生非常干净的错误,但不能正确执行SFINAE运算符重载。
我建议使用标签调度,但我没有办法让它比SFINAE解决方案更清晰,使用额外的decltype
以及所有或更好的错误消息而不是{{1}另一方面,版本。
答案 1 :(得分:9)
我假设你希望你的参数都是相同的类型,可能使用整数类型(我只是使用int
)。一种简单的方法是利用您已有的参数包:
template <int>
struct shape_helper { typedef int type; };
template <typename T, int... Shape>
class Array
{
public:
T& operator()(typename shape_helper<Shape>::type...);
};