我的目标是将数据发送到多个流。可以使用boost :: tee。但我想编写一个包含可变参数模板的包装器来使用多个流。
问题是我需要从后代struct到祖先struct的隐式转换。或类似的东西。
#include <boost/iostreams/tee.hpp>
#include <boost/iostreams/stream.hpp>
#include <fstream>
#include <iostream>
using namespace std;
namespace bio = boost::iostreams;
using bio::tee_device;
using bio::stream;
template<typename ... Ts>
struct pu;
template<typename T1,typename T2>
struct pu<T1,T2>:public stream<tee_device<T1,T2>>
{
typedef stream<tee_device<T1,T2>> base_type;
operator base_type() { return static_cast<base_type&>(*this); }
base_type& base = static_cast<base_type&>(*this);
pu(T1& t1, T2& t2): base_type(tee_device<T1,T2>(t1,t2)) {}
};
template<typename T1,typename T2,typename T3,typename ... Ts>
struct pu<T1,T2,T3,Ts...> : public stream<tee_device<T1,pu<T2, T3, Ts ...>>>
{
typedef stream<tee_device<T1,pu<T2, T3, Ts ...>>> base_type;
operator base_type() { return static_cast<base_type&>(*this); }
pu(T1& t1, T2& t2, T3& t3, Ts& ... ts) : base_type(t2,t3,ts...){}
};
int main()
{
pu<ostream,ostream> hT(cout,cout); hT<<"2";
pu<ostream,ostream,ostream> hR(cout,cout,cout); hR<<"3";
return 0;
}
错误是
..\boost_1_56_0\boost\iostreams\detail\forward.hpp|73|error: no matching function for call to
'boost::iostreams::tee_device<std::basic_ostream<char>, pu<std::basic_ostream<char, std::char_traits<char> >, std::basic_ostream<char, std::char_traits<char> > > >::tee_device(std::basic_ostream<char>&, const std::basic_ostream<char>&)'|
预期产量为“22333”。 (我有“22”,但没有“333”。即没有主线的第二行,它的效果很好)
换句话说,我需要从
转换template<typename T1,typename T2,typename T3,typename ... Ts>
到
stream<tee_device<T1,pu<T2, T3, Ts ...>>>
在模板内。
谢谢!
P.S。 (这是我的第一篇文章)&amp;&amp; (我不是母语人士)
答案 0 :(得分:1)
您已经有了要求的转换,因为类类型已经可以隐式转换为它们的公共基类型,但这不是解决错误所需的。
base_type
的可变参数特化中tu
构造函数的参数是错误的:
pu(T1& t1, T2& t2, T3& t3, Ts&... ts) : base_type(t2, t3, ts...) {}
您可以尝试这样做:
pu(T1& t1, T2& t2, T3& t3, Ts&... ts) : base_type(t1, pu<T2, T3, Ts...>(t2, t3, ts...)) {}
但这不会起作用,因为根据documentation,如果tee_device
构造函数的参数是流,那么它们必须绑定到非const的引用,所以它们必须是左值。第一个参数t1
符合该标准,但第二个参数(临时pu
)不符合。
以下解决方案使用多重继承来合成左值pu
:
template <typename T>
struct hold
{
T held;
template <typename... Ts> hold(Ts&&... vs) : held(std::forward<Ts>(vs)...) {}
};
template<typename...>
struct pu;
template<typename T1, typename T2>
struct pu<T1, T2> : public stream<tee_device<T1, T2>>
{
typedef stream<tee_device<T1, T2>> base_type;
pu(T1& t1, T2& t2): base_type(tee_device<T1, T2>(t1, t2)) {}
};
template<typename T1, typename T2, typename T3, typename... Ts>
struct pu<T1, T2, T3, Ts...> : private hold<pu<T2, T3, Ts...>>
, public stream<tee_device<T1, pu<T2, T3, Ts...>>>
{
typedef stream<tee_device<T1, pu<T2, T3, Ts...>>> base_type;
pu(T1& t1, T2& t2, T3& t3, Ts&... ts) : hold<pu<T2, T3, Ts...>>(t2, t3, ts...)
, base_type(t1, this->held) {}
};