2

我尝试在MFaceBOOST 的帮助下序列化一个类,

// class of the face
class MFace
{
     public:
         //constructor
         MFace();
     private:

    //! Vector of the face nodes
        mymath::Vector<DG::MNode*> Nodes;

        friend class boost::serialization::access;
        template<class Archive>
            void serialize(Archive & ar, const unsigned int version){
                //! Vector of the face nodes
                ar & Nodes;
            }
 };

但该类包含另一个类

mymath::Vector<MNode*> Nodes;

所以,当我尝试写入Nodes存档时

//create a face
MFace Face;

//archive output file
std::ofstream ofs("output.txt");
boost::archive::text_oarchive ar(ofs);
// Write data to archive
ar & Face;
    ...

编译器给了我一个错误

error: ‘class mymath::Vector<DG::MNode*>’ has no member named ‘serialize’

我应该向 MFace 使用的每个类(特别是 mymath::Vector 和 MNodes)添加另一个“序列化”并描述它应该做什么,还是有可能在 MFace 中解决它而不接触其他类?

包括的是

#include <boost/archive/text_oarchive.hpp>
#include <boost/archive/text_iarchive.hpp>
//contains mymath::Vector<>
#include "mymath/vector.h"

//containes MNodes
#include "MNode.h"
#include <fstream>
4

1 回答 1

1

这是如果我正确地记住了我的 boost 序列化...

您可以添加到 MFace 内部的序列化方法,如下所示:

void serialize(Archive & ar, const unsigned int version){
//of the face nodes
    for( <loop to travel through each node in the Nodes vector> )
    {
        ar & currentNode.var1;
        ar & currentNode.var2;
        ar & currentNode.var3;
    }
}

这是假设 Node 对象内部的每个成员都是 boost 库可以序列化的类型。

然而,这样做的问题是您将 MFace 类与 MNode 类型完全耦合——也就是说,如果您向 MNode 添加一个成员,那么您必须记住将其添加到 MFace 类的序列化中。

此外,如果您将任何类型的复杂对象添加到 boost 不知道如何序列化的 MFace 类,那么您必须逐个成员序列化该成员。

序列化最好让每个对象都知道如何序列化自己——如何序列化的定义应该包含在每个类的 serialize() 方法中。

如果将 serialize 方法添加到 DG::MNode 类,这个问题应该会消失。

于 2013-03-11T15:22:39.067 回答