c++ 使用Dijkstra查找boost图中的最短路径

u1ehiz5o  于 2023-06-25  发布在  其他
关注(0)|答案(2)|浏览(233)

我是boost图形库的新手,我试图使用boost图形库在Graph中找到从一个顶点到另一个顶点的最短路径。我找到了一些关于如何使用前任Map的说明,但它对我不起作用。当我尝试调用p[some_vertex]时,我得到一个错误,说[]运算符没有定义。有人能告诉我为什么,我做错了什么吗?

  1. typedef property<edge_weight_t, double, property<edge_index_t, tElementIDVector>> tEdgeProperty;
  2. typedef property<vertex_index_t, tElementID> VertexIDPorperty;
  3. typedef adjacency_list<vecS, setS, directedS, VertexIDPorperty, tEdgeProperty> tGraph;
  4. typedef tGraph::vertex_descriptor tVertex;
  5. typedef tGraph::edge_descriptor tEdge;
  6. vector<tVertex> p(num_vertices(graph));
  7. vector<double> d(num_vertices(graph));
  8. // call dijkstra algorithm from boost to find shortest path
  9. dijkstra_shortest_paths(graph, s,
  10. predecessor_map(&p[0]).
  11. distance_map(boost::make_iterator_property_map(d.begin(), get(boost::vertex_index, graph))));
  12. //find path from start to end vertex
  13. list<tVertex> pathVertices;
  14. tVertex current = goal;
  15. while (current != start)
  16. {
  17. pathVertices.push_front(current);
  18. current = p[current]; //this is where the error occures
  19. }
ppcbkaq5

ppcbkaq51#

cppreference
std::vector::operator[]

  1. reference operator[]( size_type pos );
  2. const_reference operator[]( size_type pos ) const;

接受**size_t**指定向量元素的位置。
但是在代码中,current的类型是tVertex
如果你想使用operator[]tVertex参数,你应该覆盖它。

weylhg0b

weylhg0b2#

我不能让你的想法工作,现在不得不做一些其他的改变,这就是为什么我改变了我的前任Map现在:

  1. typedef boost::property_map < tGraph, boost::vertex_index_t >::type IndexMap;
  2. typedef boost::iterator_property_map < tVertex*, IndexMap, tVertex, tVertex& > PredecessorMap;
  3. tVertex s = start;
  4. IndexMap indexMap = get(vertex_index, graph);
  5. vector<tVertex> p(num_vertices(graph));
  6. PredecessorMap predecessorMap(&p[0], indexMap);
  7. vector<double> d(num_vertices(graph));
  8. // call dijkstra algorithm from boost to find shortest path
  9. dijkstra_shortest_paths(graph, s, predecessor_map(predecessorMap).distance_map(boost::make_iterator_property_map(d.begin(), get(boost::vertex_index, graph))));
  10. //find path from start to end vertex
  11. list<tVertex> pathVertices;
  12. tVertex current = goal;
  13. while (current != start)
  14. {
  15. pathVertices.push_front(current);
  16. current = predecessorMap[current];
  17. }

而且现在还能用:)

展开查看全部

相关问题