我想序列化一个自定义类,该类包含boost::multiprecision::mpfr_float作为成员。它在Boost.Serialization文档中指出,如果5个属性中至少有一个为true,则类型T
是可序列化的,而在Multiprecision文档中,number
类具有直通支持,该支持要求底层后端是可串行的。
对于Boost.Multiprecision的mpfr_float
类型,我知道:
- 它不是基元类型
- 它是一个类类型,但没有定义
serialize
函数 - 它不是指向可序列化类型的指针
- 它不是对Serializable类型的引用
- 它不是Serializable类型的本机C++数组
因此,如果我想序列化mpfr_float类型,我必须为该类型提供serialize
函数。
我的问题是:如何通过自己编写serialize
函数来将mpfr_float
类型扩展为可序列化?我想我需要访问mpfr后端,并处理底层数据,我不确定如何进行。有经验的人提供的提示Boost序列化以前未序列化的类将不胜感激。
结论性解决方案
根据sehe的回复,我得出了一个解决方案,往返精确到100和1000都很好:
namespace boost { namespace serialization { // insert this code to the appropriate namespaces
/**
Save a mpfr_float type to a boost archive.
*/
template <typename Archive>
void save(Archive& ar, ::boost::multiprecision::backends::mpfr_float_backend<0> const& r, unsigned /*version*/)
{
std::string tmp = r.str(0, std::ios::fixed);// 0 indicates use full precision
ar & tmp;
}
/**
Load a mpfr_float type from a boost archive.
*/
template <typename Archive>
void load(Archive& ar, ::boost::multiprecision::backends::mpfr_float_backend<0>& r, unsigned /*version*/)
{
std::string tmp;
ar & tmp;
r = tmp.c_str();
}
} } // re: namespaces
该解决方案满足了上面第(2)项的需要,该项表示需要添加serialize
函数。谢谢你的帮助。
传递支持意味着您必须为后端类型添加序列化。
你可以使用与我在这个答案中展示的相同的方法:
- 如何使用boost::multiprecision::mpq_rational使用模板类对映射进行反序列化
其中我展示了如何(反)序列化mpq_rational
如果您使用的是4.0.0
或更高版本,则可以使用mpfr_fpif_export
和mpfr_fpif_import
对其进行序列化/反序列化。
using realtype = number<mpfr_float_backend<100, allocate_stack>>;
#define MPFR_BUFFER_SIZE 1000
namespace boost {
namespace serialization {
template<class Archive>
void save(Archive& ar, const realtype& x, const boost::serialization::version_type&) {
static char buffer[MPFR_BUFFER_SIZE];
FILE* fid = fmemopen(buffer, MPFR_BUFFER_SIZE, "wb+");
mpfr_fpif_export(fid, const_cast<mpfr_ptr>(x.backend().data()));
fseek(fid, 0L, SEEK_END);
long length = ftell(fid);
ar& length;
ar& boost::serialization::make_array(buffer, length);
fclose(fid);
}
template<class Archive>
void load(Archive& ar, realtype& x, const boost::serialization::version_type&) {
static char buffer[MPFR_BUFFER_SIZE];
long length = 0;
ar& length;
ar& boost::serialization::make_array(buffer, length);
FILE* fid = fmemopen(buffer, length, "r");
mpfr_fpif_import(x.backend().data(), fid);
fclose(fid);
}
template<class Archive>
inline void
serialize(Archive& ar, realtype& t, const unsigned int file_version) {
split_free(ar, t, file_version);
}
}
}