在數據庫庫(SOCI),有一段代碼在std::tuple<>
的一個到十個參數下工作。
靜態類方法from_base()
和to_base()
被實現爲1元組到10元組的參數。
Guts基本上將每個n元組元素流入和流出傳入的流。一切都是硬編碼的。
如何將此代碼翻譯爲使用C++ 11的可變參數模板(不限參數)? 實際上使用variadic模板或不是次要的。我們真正想要做的是用n元論的一般情況來替代硬編碼。
問題的一部分是,在技術上只有一個參數,但該參數是一個n元組,因此我不能完全使用描述的here in 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
}
RUNNABLE ANSWER(基於以下灰熊的帖子)
#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);
}
另請參閱[this](http://stackoverflow.com/a/7858971/726300)和[this](http://stackoverflow.com/q/687490/500104)。 – Xeo