1

我正在尝试使用 Cereal 1.1.2 序列化和反序列化多态类(具有虚拟继承)。我收到“访问冲突 - 没有 RTTI 数据!” 当我在反序列化后尝试将其向下转换为派生类时出现异常。当我使用普通继承而不是虚拟继承时,它工作正常。我已经在 Visual Studio 2013 社区版的项目设置中启用了 RTTI (/GR)。这是我的代码:

class Boogie
{
    friend class cereal::access;
    virtual void virtualFunction() {}
    int boogieInt = 3;
    template<class Archive>
    void serialize(Archive & archive)
    {
        archive(boogieInt);
    }
};

class Booga : virtual public Boogie
{
    friend class cereal::access;
public:
    void virtualFunction() {}
    int boogaInt = 2;
    template<class Archive>
    void serialize(Archive & archive)
    {
        archive(cereal::virtual_base_class<Boogie>(this), boogaInt);
    }
};

CEREAL_REGISTER_TYPE(Booga);

int _tmain(int argc, _TCHAR* argv[])
{
    try
    {
        {
            std::shared_ptr<Boogie> boogie = std::make_shared<Booga>();
            std::ofstream ofs("Booga.txt");
            cereal::BinaryOutputArchive archive(ofs);
            archive(boogie);
            ofs.close();
        }

        std::shared_ptr<Boogie> deBoogie;
        std::ifstream ifs("Booga.txt");
        cereal::BinaryInputArchive iarchive(ifs);
        iarchive(deBoogie);

        std::shared_ptr<Booga> outBooga = std::dynamic_pointer_cast<Booga>(deBoogie);

        std::cout << outBooga->boogaInt << std::endl;

        std::cin.get();
    }
    catch (std::exception e)
    {
        std::cout << "EXCEPTION" << std::endl;
        std::cout << e.what() << std::endl;
    }
    return 0;
}
4

1 回答 1

0

您的问题是您正在保存和加载不同的类型 - 您的加载代码应该反映您的保存代码。

另请注意,您不需要在此处使用虚拟继承,因为您仅从单个父类派生 -有关详细信息,请参见此处)。此外,请参阅我对您的帖子的评论,了解如何以 RAII 方式正确使用档案。

您的输出可以指定为:

std::shared_ptr<Boogie> data = std::make_shared<Booga>();
archive( data ); // data is actually a Booga but we hold it in a Boogie ptr

请注意,Boogie即使我分配了一个Booga指针,我也分配给了一个对象——这基本上是多态性的全部意义,除非你需要这样做,否则不要使用多态性。

现在,当我们进行加载时,我们加载到我们序列化的相同类型中:

std::shared_ptr<Boogie> data;
archive( data ); // data is actually a Booga object because of polymorphism

只需确保您实际传递给存档的变量的类型是相同的,而不管它们由于多态性而实际上是什么。

于 2015-09-25T04:50:52.853 回答