我有一个函数foo()
,它接受类型为T...
的列表,并为传入的向量的每个元素内部调用另一个称为do_stuff()
的(模板化)函数。 ,我们遍历向量(长度为sizeof...(T)
),并想为do_stuff<Ti>()
调用vector[i]
,其中Ti
是第i
个类型T...
该信息在编译时可用,所以我想这是可能的,但是我们如何做得很好?
#include <iostream>
#include <string>
#include <vector>
#include <cassert>
template <typename T>
T do_stuff(int param);
template <>
int do_stuff(int param)
{
return int(100);
}
template <>
std::string do_stuff(int param)
{
return std::string("foo");
}
template <typename... T>
void foo(const std::vector<int>& p)
{
assert(p.size() == sizeof...(T));
for (int i = 0; i < p.size(); ++i)
{
// Won't compile as T is not specified:
//do_stuff(p[i]);
// How do we choose the right T, in this case Ti from T...?
}
}
int main()
{
std::vector<int> params = { 0,1,0,5 };
foo<int, std::string, std::string, int>(params);
}
答案 0 :(得分:6)
您可以使用C ++ 17折叠表达式:
template <typename... T>
void foo(const std::vector<int>& p)
{
assert(p.size() == sizeof...(T));
std::size_t i{};
(do_stuff<T>(p[i++]), ...);
}
或者,您可以使用i
避免使用可变的std::index_sequence
变量:
template <typename... T>
void foo(const std::vector<int>& p)
{
assert(p.size() == sizeof...(T));
[&p]<auto... Is>(std::index_sequence<Is...>)
{
(do_stuff<T>(p[Is]), ...);
}(std::index_sequence_for<T...>{});
}
答案 1 :(得分:4)
接下来呢?
template <typename ... T>
void foo (std::vector<int> const & p)
{
assert(p.size() == sizeof...(T));
using unused = int[];
std::size_t i{ 0u };
(void)unused { 0, ((void)do_stuff<T>(p[i++]), 0)... };
}
如果可以使用C ++ 17,请参阅Vittorio Romeo的答案,以获取更优雅,更简洁的解决方案。