问题
帖子底部的代码打印出来:
Vertices in g = [ 0 1 2 3 4 ]
Vertices in g' = [ 0 1 ]
我预计输出为:
Vertices in g = [ 0 1 2 3 4 ]
Vertices in g' = [ 3 4 ]
这是boost :: subgraph中的错误还是我对库的理解?
有问题的代码
#include <sstream>
#include <iostream>
#include <boost/graph/subgraph.hpp>
#include <boost/graph/adjacency_list.hpp>
using namespace std;
using namespace boost;
// Underlying graph representation and implementation
typedef adjacency_list_traits<vecS, vecS, directedS> Traits;
// Graph representation
typedef subgraph< adjacency_list<vecS, vecS, directedS,
property<vertex_color_t, int>, property<edge_index_t, int> > > Graph;
// Iterating over vertices and edges
typedef graph_traits<Graph>::vertex_iterator vertex_iter;
typedef graph_traits<Graph>::edge_iterator edge_iter;
int main(void)
{
Graph g;
add_edge(0,1, g);
add_edge(1,2, g);
add_edge(3,4, g);
Graph sub = g.create_subgraph();
add_vertex(3, sub);
add_vertex(4, sub);
pair<vertex_iter, vertex_iter> vip;
cout << "Vertices in g = [ ";
vip = vertices(g);
for(vertex_iter vi = vip.first; vi != vip.second; ++vi) {
cout << *vi << " ";
}
cout << "]" << endl;
cout << "Vertices in g' = [ ";
vip = vertices(sub);
for(vertex_iter vi = vip.first; vi != vip.second; ++vi) {
cout << *vi << " ";
}
cout << "]" << endl;
return 0;
}
答案 0 :(得分:4)
我懒得阅读文档。 boost :: subgraph区分&#34; local&#34;和&#34;全球&#34;描述符。
add_vertex函数在将顶点添加到子图时使用全局描述符。 vertices()函数返回本地描述符。
我需要做的是在子图上使用方法local_to_global()来解决&#34;将本地描述符放入我期待的全局描述符中。
输出:
Vertices in g = [ 0 1 2 3 4 ]
Vertices (local) in g' = [ 0 1 ]
Vertices (global) in g' = [ 3 4 ]
来自代码:
#include <sstream>
#include <iostream>
#include <boost/graph/subgraph.hpp>
#include <boost/graph/adjacency_list.hpp>
using namespace std;
using namespace boost;
// Underlying graph representation and implementation
typedef adjacency_list_traits<vecS, vecS, directedS> Traits;
// Graph representation
typedef subgraph< adjacency_list<vecS, vecS, directedS,
property<vertex_color_t, int>, property<edge_index_t, int> > > Graph;
// Iterating over vertices and edges
typedef graph_traits<Graph>::vertex_iterator vertex_iter;
typedef graph_traits<Graph>::edge_iterator edge_iter;
int main(void)
{
Graph g;
add_edge(0,1, g);
add_edge(1,2, g);
add_edge(3,4, g);
Graph sub = g.create_subgraph();
add_vertex(3, sub);
add_vertex(4, sub);
pair<vertex_iter, vertex_iter> vip;
cout << "Vertices in g = [ ";
vip = vertices(g);
for(vertex_iter vi = vip.first; vi != vip.second; ++vi) {
cout << *vi << " ";
}
cout << "]" << endl;
cout << "Vertices (local) in g' = [ ";
vip = vertices(sub);
for(vertex_iter vi = vip.first; vi != vip.second; ++vi) {
cout << *vi << " ";
}
cout << "]" << endl;
cout << "Vertices (global) in g' = [ ";
vip = vertices(sub);
for(vertex_iter vi = vip.first; vi != vip.second; ++vi) {
cout << sub.local_to_global(*vi) << " ";
}
cout << "]" << endl;
return 0;
}