сериализация с использованием отображенного в память файла - PullRequest
2 голосов
/ 20 ноября 2010

Я хочу сериализовать свои объекты класса в файле с отображенной памятью, но оказывается, что расширенная сериализация работает только с файловыми потоками.Вот пример:

class gps_position
{
private:
    friend class boost::serialization::access;
    // When the class Archive corresponds to an output archive, the
    // & operator is defined similar to <<.  Likewise, when the class Archive
    // is a type of input archive the & operator is defined similar to >>.
    template<class Archive>
    void serialize(Archive & ar, const unsigned int version)
    {
        ar & degrees;
        ar & minutes;
        ar & seconds;
    }
    int degrees;
    int minutes;
    float seconds;
public:
    gps_position(){};
    gps_position(int d, int m, float s) :
        degrees(d), minutes(m), seconds(s)
    {}
};

int main() {
    // create and open a character archive for output
    std::ofstream ofs("filename");

    // create class instance
    const gps_position g(35, 59, 24.567f);

    // save data to archive
    {
        boost::archive::text_oarchive oa(ofs);
        // write class instance to archive
        oa << g;
        // archive and stream closed when destructors are called
    }

    // ... some time later restore the class instance to its orginal state
    gps_position newg;
    {
        // create and open an archive for input
        std::ifstream ifs("filename");
        boost::archive::text_iarchive ia(ifs);
        // read class state from archive
        ia >> newg;
        // archive and stream closed when destructors are called
    }
    return 0;
}

Есть ли возможность сделать это через файлы, отображенные в памяти.Я использую Windows API CreateFileMapping и MapViewOfFile для отображения памяти.

edit:

Это то, что я пытался сделать, используя библиотеку boost iostream и файлы отображения памяти.

namespace io = boost::iostreams;
typedef io::stream_buffer < io::mapped_file_source > in_streambuf;
typedef io::stream_buffer < io::mapped_file_sink > out_streambuf;

int main() {
    // create and open a character archive for output
    //  std::ofstream ofs("filename");  /*commented this */

    boost::iostreams::mapped_file_params params;
        params.path  = "filepath";
    params.flags = io::mapped_file::mapmode::readwrite;

    out_streambuf obuf(params);
    std::ostream ofs(&obuf);

    // create class instance
    const gps_position g(35, 59, 24.567f);

    // save data to archive
    {
        boost::archive::text_oarchive oa(ofs);
        // write class instance to archive
        oa << g;
        // archive and stream closed when destructors are called
    }

    // ... some time later restore the class instance to its orginal state
    gps_position newg;
    {
        // create and open an archive for input
    in_streambuf ibuf(params);
    std::istream ifs(&ibuf);

        //std::ifstream ifs("filename");  /* commented this */

        boost::archive::text_iarchive ia(ifs);

        // read class state from archive

        ia >> newg;
        // archive and stream closed when destructors are called
    }
    return 0;
}

Теперь я не слишком знаком с boost, но этот код не работает во время выполнения.Таким образом, любая помощь действительно ценится.Ошибка происходит здесь сама "out_streambuf obuf (params);".Спасибо, ребята!

Ответы [ 3 ]

3 голосов
/ 21 ноября 2010

Возможно, вы захотите взглянуть на boost.interprocess bufferstream :

Предложение классов буферного потока Интерфейс iostream с прямым форматирование в памяти фиксированного размера буфер с защитой от буфера Переполнение.

1 голос
/ 21 ноября 2015

Пять лет спустя,

#include <boost/interprocess/shared_memory_object.hpp>
#include <boost/interprocess/mapped_region.hpp>
#include <boost/interprocess/streams/bufferstream.hpp>
#include <boost/archive/binary_oarchive.hpp>
#include <boost/archive/binary_iarchive.hpp>
using namespace boost::interprocess;
....
_shm = new shared_memory_object(open_or_create,shm_name,read_write);
_shm->truncate(shm_size);
_reg = new mapped_region( _shm,read_write);
...
// write the serializable structure
obufferstream bs(static_cast<char*>(region.get_address()),_reg->get_size());
boost::archive::binary_oarchive arch(dynamic_cast<ostream&>(bs));
arch << my_struct;
...
// read the serializable structure
ibufferstream bs(static_cast<char*>(_reg->get_address()),_reg->get_size());
boost::archive::binary_oarchive arch(dynamic_cast<istream&>(bs));
arch >> my_struct;

Et voilà!

1 голос
/ 20 ноября 2010

Класс архива просто работает с существующим потоком, поэтому вам нужен поток, способный читать / записывать в отображенную область памяти.Я не знаю ни одного готового решения для этого, поэтому вам может понадобиться написать собственный класс streambuf, который это делает.Если у вас есть это, просто прикрепить его к стандартному istream:

std::istream is(your_streambuf);
boost::archive::text_iarchive ia(is);
...
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...