可能重复:
漂亮打印 std::tuple
在数据库库 (soci) 中,下面有一大段代码可以处理std::tuple<>
1 到 10 个参数。
静态类方法from_base()
,并to_base()
为 1-tuple 到 10-tuple 的参数实现。
胆量基本上将每个 n 元组元素流进和从传入的流中流出。一切都是硬编码的。
如何将此代码转换为使用 C++11 的可变参数模板(对参数没有限制)? 实际上是否使用可变参数模板是次要的。我们真正想做的是用 n 元组参数的一般情况替换硬编码。
部分问题是,从技术上讲,只有一个参数,但该参数是一个 n 元组,所以我不能完全使用Wikipedia 中描述的内容。最好的方法是什么?
#include "values.h"
#include "type-conversion-traits.h"
#include <tuple>
namespace soci
{
template <typename T0>
struct type_conversion<std::tuple<T0> >
{
typedef values base_type;
static void from_base(base_type const & in, indicator ind,
std::tuple<T0> & out)
{
in
>> std::get<0>(out);
}
static void to_base(std::tuple<T0> & in,
base_type & out, indicator & ind)
{
out
<< std::get<0>(in);
}
};
template <typename T0, typename T1>
struct type_conversion<std::tuple<T0, T1> >
{
typedef values base_type;
static void from_base(base_type const & in, indicator ind,
std::tuple<T0, T1> & out)
{
in
>> std::get<0>(out)
>> std::get<1>(out);
}
static void to_base(std::tuple<T0, T1> & in,
base_type & out, indicator & ind)
{
out
<< std::get<0>(in)
<< std::get<1>(in);
}
};
// ... all the way up to 10 template parameters
}
可运行的答案(基于下面灰熊的帖子)
#include <iostream>
#include <tuple>
using namespace std;
// -----------------------------------------------------------------------------
template<unsigned N, unsigned End>
struct to_base_impl
{
template<typename Tuple>
static void execute(Tuple& in, ostream& out)
{
out << std::get<N>(in) << endl;
to_base_impl<N+1, End>::execute(in, out);
}
};
template<unsigned End>
struct to_base_impl<End, End>
{
template<typename Tuple>
static void execute(Tuple& in, ostream& out)
{
out << "<GAME OVER>" << endl;
}
};
// -----------------------------------------------------------------------------
template <typename Tuple>
struct type_conversion
{
static void to_base(Tuple& in, ostream& out )
{
to_base_impl<0, std::tuple_size<Tuple>::value>::execute(in, out);
}
};
template <typename... Args>
struct type_conversion<std::tuple<Args...>>
{
static void to_base(std::tuple<Args...>& in, ostream& out )
{
to_base_impl<0, sizeof...(Args)>::execute(in, out);
}
};
// -----------------------------------------------------------------------------
main()
{
typedef tuple<double,int,string> my_tuple_type;
my_tuple_type t { 2.5, 5, "foo" };
type_conversion<my_tuple_type>::to_base( t, cerr );
}