我正在使用可变参数模板(gcc 4.5)并且遇到了这个问题:
template <typename... Args>
boost::tuple<Args...>
my_make_tuple(Args... args)
{
return boost::tuple<Args...>(args...);
}
int main (void)
{
boost::tuple<int, char> t = my_make_tuple(8, 'c');
}
GCC错误消息:
sorry, unimplemented: cannot expand 'Arg ...' into a fixed-length argument list
In function 'int my_make_tuple(Arg ...)'
如果我将所有boost::tuple
替换为std::tuple
,则编译正常
boost元组实现有问题吗?或者这是一个gcc bug?
我现在必须坚持使用Boost.Tuple。你知道任何解决方法吗?
感谢。
答案 0 :(得分:7)
似乎不喜欢将Args...
扩展为T1, T2, T3, ..., T9
,因为Boost拥有它。
作为解决方法,请使用不需要此扩展的构造:
#include <boost/tuple/tuple.hpp>
template <typename... Args>
auto my_make_tuple(Args... args) -> decltype(boost::make_tuple(args...))
{
return {args...};
}
int main (void)
{
boost::tuple<int, char> t = my_make_tuple(8, 'c');
}
另一种选择可能是手动扩展,看到boost::tuple
最多支持10个参数。
#include <boost/tuple/tuple.hpp>
template <unsigned, class, class...> struct nth_argument;
template <unsigned N, class Default, class T, class... Args>
struct nth_argument<N, Default, T, Args...>
{
typedef typename nth_argument<N - 1, Default, Args...>::type type;
};
template <class Default, class T, class... Args>
struct nth_argument<0, Default, T, Args...>
{
typedef T type;
};
template <unsigned N, class Default>
struct nth_argument<N, Default>
{
typedef Default type;
};
template <typename ...Args>
struct tuple_from_var_template
{
typedef boost::tuple<
typename nth_argument<0, boost::tuples::null_type, Args...>::type,
typename nth_argument<1, boost::tuples::null_type, Args...>::type,
typename nth_argument<2, boost::tuples::null_type, Args...>::type,
typename nth_argument<3, boost::tuples::null_type, Args...>::type,
typename nth_argument<4, boost::tuples::null_type, Args...>::type,
typename nth_argument<5, boost::tuples::null_type, Args...>::type,
typename nth_argument<6, boost::tuples::null_type, Args...>::type,
typename nth_argument<7, boost::tuples::null_type, Args...>::type,
typename nth_argument<8, boost::tuples::null_type, Args...>::type,
typename nth_argument<9, boost::tuples::null_type, Args...>::type
> type;
};
template <typename... Args>
typename tuple_from_var_template<Args...>::type my_make_tuple(Args... args)
{
return typename tuple_from_var_template<Args...>::type(args...);
}
int main (void)
{
boost::tuple<int, char> t = my_make_tuple(8, 'c');
}