如何将constexpr作为模板参数传递?

时间:2015-12-06 17:16:40

标签: c++ templates c++11 constexpr

我有一个模板化的类MyClass,我想为各种参数运行它,以便测量一些值。我知道编译之前的确切参数因此我认为必须有一种方法来实现目标。

到目前为止我的代码:

template <int T>
class MyClass { /*...*/ };


constexpr int PARAMS[] = {1,2,3 /*, ...*/};
for (constexpr auto& t: PARAMS) {
    MyClass<t> myClass;
    // ... do sth
}

但编译器(gcc v4.9.2,C ++ 11)不接受。我也尝试使用const而不是constexpr,但效果不佳。

这样的事情有可能吗?我真的根本不想使用宏。

1 个答案:

答案 0 :(得分:6)

#include <utility>
#include <cstddef>

constexpr int PARAMS[] = { 1, 2, 3, /*...*/ };

template <int N>
void bar()
{
    MyClass<N> myClass;
    // do sth
}

template <std::size_t... Is>
void foo(std::index_sequence<Is...>)
{
    using dummy = int[];    
    static_cast<void>(dummy{ 0, (bar<PARAMS[Is]>(), 0)... });

    // (bar<PARAMS[Is]>(), ...); since C++1z
}

int main()
{
    foo(std::make_index_sequence<sizeof(PARAMS)/sizeof(*PARAMS)>{});
    //                          <std::size(PARAMS)> since C++1z
    //                          <PARAMS.size()> for std::array<int,N> PARAMS{};
}

DEMO