我正在尝试对包含boost::shared_ptr
的对象执行std::shared_ptr
的序列化和反序列化。
为此,我使用boost::archive::binary_oarchive
和boost::archive::binary_iarchive
。一切都很好,但是当binary_iarchive
实例超出范围时,我得到了SIGABRT。这是我的代码:
#include <boost/archive/binary_oarchive.hpp>
#include <boost/archive/binary_iarchive.hpp>
#include <boost/serialization/serialization.hpp>
#include <boost/serialization/shared_ptr.hpp>
#include <sstream>
#include <boost/shared_ptr.hpp>
class SomeClass
{
private:
friend class boost::serialization::access;
template<class Archive>
void serialize(Archive &ar, const unsigned int file_version) {
}
};
class ClassWithStdSharedPointer
{
public:
std::shared_ptr<SomeClass> ptr_to_someclass;
friend class boost::serialization::access;
template<class Archive>
void serialize(Archive &ar, const unsigned int file_version)
{
ar & ptr_to_someclass;
}
};
int main()
{
boost::shared_ptr<const ClassWithStdSharedPointer> ptr_to_save;
ptr_to_save = boost::make_shared<ClassWithStdSharedPointer>();
std::ostringstream ostream;
boost::archive::binary_oarchive oa(ostream);
oa << ptr_to_save;
std::string serialized_buffer = ostream.str();
std::istringstream istream(serialized_buffer);
{
boost::archive::binary_iarchive ia(istream);
boost::shared_ptr<ClassWithStdSharedPointer> ptr_to_load;
ia >> ptr_to_load;
}
} // the problem appears when you get to this line
我正在使用boost 1.62,它可以序列化std::shared_ptr
。
经过研究,我发现SIGABRT是在调用shared_ptr_helper
类析构函数时发生的(相关代码可以在boost库的文件serialization/shared_ptr_helper.hpp
中找到)。该类具有一个std::map
实例,该实例用于存储反序列化的指针。
std::shared_ptr
的序列化代码与boost::shared_ptr
(文件serialization/shared_ptr.hpp
)的序列化代码几乎相同。实际上,它们都使用shared_ptr_helper
的单个实例。因此,上述std::map
包含shared_ptr
的两种类型,但是应该只包含一种类型,这在调用析构函数时会导致SIGABRT。
序列化代码通过上面serialization/shared_ptr.hpp
中定义的ID获得帮助。如果我们对不同类型的shared_ptr
使用不同的ID,问题将消失。我确实知道这样做是为了处理序列化指向同一对象的多个指针时的情况,但是在那种情况下,似乎不太可能有人同时使用std::shared_ptr
和boost::shared_ptr
。
那么,这是怎么回事?同时使用两种类型的shared_ptr
是不好的做法,我应该选择其中一种,否则在boost中会有错误?
答案 0 :(得分:0)
我找到了question,其中讨论了shared_ptr_helper
的另一个问题。看起来该类实际上有一些设计缺陷,因此对于我来说,我应该只在代码中保留一种shared_ptr
类型。