此代码编译:
pair <pair<int,int>,unique_ptr<int>> t({0,0}, unique_ptr<int>());
以及该:
tuple<pair<int,int>,unique_ptr<int>> t(make_pair(0,0), unique_ptr<int>());
但这不是:
tuple<pair<int,int>,unique_ptr<int>> t({0,0}, unique_ptr<int>());
原因是第三个调用
tuple(const Types&...)
,但这似乎是一个任意限制。C++ 11无法使用可变参数模板来表达这一点吗?
最佳答案
这是可能的,但并非不重要。为了使此工作有效,包含N
参数的元组必须支持2^N
构造函数,每个T&&
的T const&
和T
的所有组合。
我们要做的是混入这些2^N
构造函数,这可以使用继承来完成。由于只能通过using
显式地提供基类的构造函数,因此我们只能添加固定数量的基类的构造函数,因此必须使用递归。
一种方法是从0
到2^N
计数,如果第i个位为1,否则使第i个参数为const-ref,否则为rvalue。总共使用2^N
基类来完成此操作,每个基类都将一个构造函数添加到其直接基中。
namespace detail {
// A bitlist holds N powers of two: 1, 2, 4, 8, 16, ...
template <std::size_t... i> struct bitlist { using type = bitlist; };
template <std::size_t N, typename=bitlist<>>
struct make_bitlist;
template <std::size_t N, std::size_t... i>
struct make_bitlist<N, bitlist<i...>>
: make_bitlist<N-1, bitlist<0,1+i...>> {};
template <std::size_t... i> struct make_bitlist<0, bitlist<i...>>
: bitlist<(1<<i)...> {};
struct forward_tag {}; // internal struct that nobody else should use
// if T is a reference, some constructors may be defined twice, so use a non-accessible type.
template <bool B, typename T>
using const_if_set = typename std::conditional<B,
typename std::conditional<std::is_reference<T>::value, forward_tag, T const&>::type, T&&>::type;
// Our helper class. Each tuple_constructor is derived from N-1 others
// each providing one constructor. N shall equal (1<<sizeof...(T))-1
template <std::size_t N, typename L, typename... T> struct tuple_constructor;
template <std::size_t N, std::size_t... I, typename... T>
struct tuple_constructor<N, bitlist<I...>, T...>
: tuple_constructor<N-1, bitlist<I...>, T...>
{ // inherit base constructors
using tuple_constructor<N-1, bitlist<I...>, T...>::tuple_constructor;
tuple_constructor(const_if_set<(N & I), T>... t)
: tuple_constructor<N-1, bitlist<I...>, T...>
(forward_tag{}, std::forward<const_if_set<(N & I), T>>(t)...) {}
};
// base case: N=0, we finally derive from std::tuple<T...>
template <std::size_t... I, typename... T>
struct tuple_constructor<0, bitlist<I...>, T...> : std::tuple<T...> {
tuple_constructor(T&&... t)
: tuple_constructor(forward_tag{}, std::forward<T&&>(t)...) {}
// All constructor calls are forwarded to this one
template <typename... T2>
tuple_constructor(forward_tag, T2&&... t2)
: std::tuple<T...>(std::forward<T2>(t2)...) {}
};
// Convenience using for N=2^n, bitlist=1,2,4,...,2^n where n = sizeof...(T)
template <typename... T>
using better_tuple_base = tuple_constructor
< (1<<sizeof...(T)) - 1, typename make_bitlist<sizeof...(T)>::type, T... >;
}
template <typename... T> struct better_tuple : detail::better_tuple_base<T...> {
using typename detail::better_tuple_base<T...>::tuple_constructor;
};
Live at LWS
但是请注意,这不适用于大型元组,并且会大大增加编译时间。我认为这是语言上的限制。
关于c++ - 如何将完美的转发与括号括起来的初始化程序结合在一起,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15694061/