带有多个参数包的变量模板构造函数

时间:2016-07-29 16:36:46

标签: c++ c++14 variadic-templates

我已阅读thisthisthis以及其他许多内容......但这些帖子都没有回答或适用于我的具体问题。

我有一个带有可变参数模板构造函数的结构X

struct X
{
    template<typename... T>
    X(T... t)   { /*...*/ }
};

我有一个结构Y,其中包含两个X类型的对象。我想为Y定义一个模板构造函数,允许使用不同的参数列表正确初始化类型X的两个成员,即看起来像下面的代码(显然不起作用):< / p>

struct Y
{
    template<typename... U, typename... V>
    Y(U&&... u, V&&... v)                                // this does not work
        : x1(std::forward(u)...), x2(std::forward(v)...) // this is was I need to do
        {}

    X x1, x2;
};

我怎么能这样做,使用包装器,元组或任何合适的元编程机制? C ++ 14解决方案是可以接受的。

2 个答案:

答案 0 :(得分:1)

沼泽标准index_sequence技巧。

struct Y
{
private:
    template<typename... U, typename... V,
             std::size_t... UIs, std::size_t... VIs>
    Y(std::tuple<U...>&& u, std::tuple<V...>&& v,
      std::index_sequence<UIs...>, std::index_sequence<VIs...>)
        : x1(std::get<UIs>(std::move(u))...), 
          x1(std::get<VIs>(std::move(v))...)  
        {}
public:
    template<typename... U, typename... V>
    Y(std::tuple<U...> u, std::tuple<V...> v)
        : Y(std::move(u), std::move(v),
            std::index_sequence_for<U...>{},
            std::index_sequence_for<V...>{})
        {}

    X x1, x2;
};

在C ++ 17中,只需使用make_from_tuple

struct Y
{
public:
    template<typename... U, typename... V>
    Y(std::tuple<U...> u, std::tuple<V...> v)
        : x1(std::make_from_tuple<X>(std::move(u))),
          x2(std::make_from_tuple<X>(std::move(v)))
        {}

    X x1, x2;
};

答案 1 :(得分:0)

使用元组是一个很大的开销,因为它已经要求X可以移动/复制,你可以直接使用该约束,并获得最可读的代码:

struct Y
{
    Y(X && _x1, X && _x2)                        
        : x1(std::move(_x1)), x2(std::move(_x2)) 
        {}

    X x1, x2;
};

在代码中只写:

Y y(X(args_x1...), X(args_x2...));

或者如果X有隐式构造函数:

Y y({args_x1...}, {args_x2...});

SampleCode

更有趣的问题是,如果X不可移动/可复制,但这超出了范围;)