我有一个ctor这样声明:
template<typename... Coords>
MyClass<T>(vector<T> values, Coords... coords) { /* code */ }
我希望它看起来像这样:
template<typename... Coords>
MyClass<T>(Coords... coords, vector<T> values) { /* code */ }
但标准要求可变参数是最后一个。如果我写的话
template<typename... Args>
MyClass<T>(Args... coordsThenValues) { /* code */ }
如何将coordsThenValues
拆分为最后一个参数包Coords... coords
和最后一个参数vector<T> values
?
答案 0 :(得分:3)
你喜欢像元组一样前进吗?
struct foo {
template<class...Ts>
foo(Ts&&...ts):
foo(
magic<0>{}, // sent it to the right ctor
std::index_sequence< sizeof...(ts)-1 >{}, // the last shall be first
std::make_index_sequence<sizeof...(ts)-1>{}, // the first shall be last
std::forward_as_tuple(std::forward<Ts>(ts)...) // bundled args
)
{}
private:
template<size_t>
struct magic {};
template<size_t...I0s, size_t...I1s, class...Ts>
foo(
magic<0>, // tag
std::index_sequence<I0s...>, // first args
std::index_sequence<I1s...>, // last args
std::tuple<Ts&&...> args // all args
):
foo(
magic<1>{}, // dispatch to another tagged ctor
std::get<I0s>(std::move(args))..., // get first args
std::get<I1s>(std::move(args))... // and last args
)
{}
// this ctor gets the args in an easier to understand order:
template<class...Coords>
foo(magic<1>, std::vector<T> values, Coords...coords) {
}
};
这里公共ctor将参数打包成一个引用元组(可能是l,可能是r)。它还有两组索引。
然后将它发送到magic<0>
ctor,它会对参数进行混洗,以便最后一个参数(假设索引是正确的)。
magic<1>
ctor首先获取向量,然后获取coords。
基本上我改变了争论,所以最后一个成为第一个。
magic
只是为了让我不必过多考虑重载决策,并使我转发的ctor明确。如果没有它,它可能会工作,但我喜欢在我使用ctor转发做一些疯狂的事情时进行标记。