我想要使用BGL存储的图形的磁盘I / O.我正在使用boost :: serialization。
首先,编写一些代码:
typedef boost::adjacency_list<
boost::vecS
,boost::vecS
,boost::undirectedS
> graph_t;
int main()
{
graph_t g;
std::ifstream ifs( "file_in" ); // read from file
boost::archive::text_iarchive ia( ifs );
ia >> g;
std::ofstream ofs( "file_out" ); // save to file
boost::archive::text_oarchive oa( ofs );
oa << g;
}
现在,我需要将数据存储到我的顶点。所以我重新定义了我的图表:
struct myVertex
{
int a;
float b;
};
typedef boost::adjacency_list<
boost::vecS,
boost::vecS,
boost::undirectedS,
myVertex
> graph_t;
当然,我需要定义如何序列化myVertex
。由于我不想混淆数据结构,我想使用非侵入式方式,因为它是described in the manual。
因此,正如手册中所述,我添加了所需的功能:
namespace boost {
namespace serialization {
template<class Archive>
void serialize( Archive& ar, const myVertex& mv, const unsigned int version )
{
ar & mv.a;
ar & mv.b;
}
} // namespace serialization
} // namespace boost
不幸的是,这不会编译:编译器抱怨缺少序列化函数:
错误:'struct myVertex'没有名为'serialize'的成员
我对此的理解是内部BGL数据结构提供了一个序列化函数,它本身依赖于一个类成员序列化顶点函数(显然是边缘)。并且它不能使用外部序列化功能。
请注意,如果我使用所谓的&#34;侵入式&#34; 构建正常方式(将序列化函数添加为类成员),但我想知道是否可以按照上面的说明完成。
答案 0 :(得分:2)
你应该声明参数non-const:
template <class Archive> void serialize(Archive &ar, myVertex &mv, unsigned /*version*/) {
<强> Live On Coliru 强>
#include <boost/archive/text_iarchive.hpp>
#include <boost/archive/text_oarchive.hpp>
#include <boost/graph/adj_list_serialize.hpp>
#include <boost/graph/adjacency_list.hpp>
#include <fstream>
struct myVertex {
int a;
float b;
};
namespace boost {
namespace serialization {
template <class Archive> void serialize(Archive &ar, myVertex &mv, unsigned /*version*/) {
ar & mv.a & mv.b;
}
} // namespace serialization
} // namespace boost
typedef boost::adjacency_list<boost::vecS, boost::vecS, boost::undirectedS, myVertex> graph_t;
#include <iostream>
int main(int argc, char**) {
if (argc>1) {
graph_t g;
std::ifstream ifs("file_out"); // read from file
boost::archive::text_iarchive ia(ifs);
ia >> g;
std::cout << "Read " << num_vertices(g) << " vertices\n";
}
{
graph_t g(100);
std::ofstream ofs("file_out"); // save to file
boost::archive::text_oarchive oa(ofs);
oa << g;
}
}
打印:
./a.out
./a.out read_as_well
Read 100 vertices