我想写一个由多个维度模板化的类:
namespace detail {
enum class enabler {};
}
template<size_t dim>
class templateClass
{
public:
template<class... DimArgs, typename std::enable_if<sizeof...(DimArgs)==dim, detail::enabler>::type...>
templateClass(DimArgs... dimensions) {
// Use integers passed to the constructor, one for each dimension
}
};
detail::enabler
枚举位于此almost-static-if链接。这里它用作第二个参数包,允许传递0个参数。范围内的枚举没有成员,不能意外通过。
他们还使用using
声明来吞下部分typename
等部分,但我已完整输入以避免在那里阅读。
如何使用我已通过的dimensions
parameter pack?
该课程运作良好,例如:
templateClass<2> temp(5, 2); // works
templateClass<3> temp(5, 2, 4); // works
templateClass<1> temp(5,2); // would give compile-time error
但也许我已经得到了(或者几个)关于我应该使用/做什么的坏主意?
编辑:
我发现的一个解决方案是创建std::initializer_list
。我可以使用int
或size_t
类来创建它,这在这里很好用。但是,如果我不知道传递的参数的类型(例如,因为我的函数可以同时使用int
和double
,为了其他目的),是否存在更好的方式:
std::initializer_list<int> list{dimensions...};
for (int i : list) {
std::cout << "i = " << i << std::endl;
}
完整的工作示例:
Mesh.H:
#ifndef MESH_H
#define MESH_H
#include <type_traits>
#include <initializer_list>
#include <iostream>
namespace detail {
enum class enabler {};
}
template <bool Condition>
using EnableIf =
typename std::enable_if<Condition, detail::enabler>::type;
template<size_t meshDim>
class Mesh
{
public:
template<class... DimArgs, EnableIf<sizeof...(DimArgs)==meshDim>...>
Mesh(DimArgs... dimensions){
std::initializer_list<int> list{dimensions...};
for (int i : list) {
std::cout << "i = " << i << std::endl;
}
}
};
#endif // MESH_H
main.cpp中:
#include <iostream>
#include "Mesh.H"
int main()
{
Mesh<2> mesh(5, 2);
return 0;
}
使用g++ --std=c++11 main.cpp
答案 0 :(得分:1)
可以通过将参数包放入元组中来索引参数包:
using T1 = std::tuple_element<0, std::tuple<DimArgs...>>; // Any index should work, not just 0
但是,这并没有解决可能的数字推广或缩小的问题。我认为等于decltype(tuple_sum(dimensions...))
的东西可以解决问题(前提是你可以假设它们是数字的)。它可能看起来像这样(未经测试):
template<typename T>
constexpr T tuple_sum(T n) {return n;}
template<typename T, typename... Rest>
constexpr auto tuple_sum(T first, Rest... rest) {
return first + tuple_sum(rest...);
}
答案 1 :(得分:0)
要使代码可移植,您不应该使用匿名模板参数。
这里用MinGW g ++ 5.1和Visual C ++ 2015编译的代码:
#include <utility> // std::enable_if
#define IS_UNUSED( a ) (void) a; struct a
template< int dim >
class Tensor
{
public:
template< class... Args
, class Enabled_ = typename std::enable_if< sizeof...(Args) == dim, void >::type
>
Tensor( Args... args )
{
int const dimensions[] = { args... };
IS_UNUSED( dimensions );
}
};
auto main() -> int
{
Tensor<2> tempA(5, 2); // works
Tensor<3> tempB(5, 2, 4); // works
#ifdef FAIL
Tensor<1> temp(5,2); // would give compile-time error
#endif
}