Использование загрузочной сериализации для десериализации из функции-члена - PullRequest
0 голосов
/ 26 марта 2019

Я хотел бы использовать расширенную сериализацию для сериализации / десериализации данных в экземпляре класса. Идея состоит в том, что класс должен инкапсулировать данные, а также детали сериализации и десериализации. Это прекрасно работает для сериализации с использованием ar << this, но сопоставимая десериализация с использованием ar >> this дает ошибку компиляции

error: cannot bind non-const lvalue reference of type ‘const q*&’ to an rvalue of type ‘const q*’

Ниже приведен полный рабочий код с моей некомпилируемой функцией restoreit. Это явно упрощение моего реального кода, но вопрос тот же. Как я могу инкапсулировать метод десериализации в мой класс?

#include <fstream>
#include <iostream>
#include <map>

#include <boost/archive/text_oarchive.hpp>
#include <boost/archive/text_iarchive.hpp>
#include <boost/serialization/map.hpp>

class q
{
  public:
    q() : f_() { }
    void setup() { f_.insert(std::make_pair(18,10)); }
    int getcount() { return f_.size(); }

    void storeit(const std::string &name)
    {
      std::ofstream ofs(name);
      boost::archive::text_oarchive ar(ofs);
      ar << this;
    }
    void restoreit(const std::string &name) const
    {
      std::ifstream ifs(name);
      boost::archive::text_iarchive ia(ifs);

      // The following line gives the error: cannot bind non-const lvalue reference of type ‘const q*&’ to an rvalue of type ‘const q*’
      // ia >> this;
    }

  private:
    std::map<int,int> f_;
    friend class boost::serialization::access;

    template<class Archive>
    void serialize(Archive & ar, const unsigned int version)
    {
      ar & f_;
    }
};

int main(void)
{
  const std::string name = "/tmp/blah";
  q foo;
  foo.setup();
  foo.storeit(name);

  q foo2;
  // I want to use foo2.restore(name) here
  {
    std::ifstream ifs(name);
    boost::archive::text_iarchive ia(ifs);
    ia >> foo2;
  }
}

1 Ответ

1 голос
/ 26 марта 2019

Вам необходимо удалить const из restoreit определения.При восстановлении карта f_ изменяется - вы можете сделать это только в неконстантной функции-члене.

 void restoreit(const std::string &name)
 {
      std::ifstream ifs(name);
      boost::archive::text_iarchive ia(ifs);
      ia >> *this;
 }
...