Boost库,如何获取邻居节点?

时间:2018-04-18 11:19:19

标签: c++ boost

在生成具有n个节点的图形并随机添加边缘之后,我将如何绕过特定节点的所有邻居。是否有类似于NetworkX的G.neighbors(i)

的功能

这是我到目前为止所创建的邻接列表

#include <iostream>
#include <boost/graph/adjacency_list.hpp>
#include <boost/graph/connected_components.hpp>

using namespace boost;
using namespace std;

int main() {

    int N = 10000;

    struct status_t{
        typedef vertex_property_tag kind;
    };

    typedef
    property <status_t, string> status;

    typedef
    adjacency_list<vecS, vecS, undirectedS, status> MyGraph;

    MyGraph g (N);

    // add some random edges
    add_edge(0, 1, g);
    add_edge(100, 153, g);
    add_edge(634, 12, g);
    add_edge(94, 3, g);

    property_map<MyGraph, status_t>::type status_map = get(status_t(), g);

    for (int i = 0; i < 10; i++){
        status_map[i] = "S";
    }

    return 0;
}

1 个答案:

答案 0 :(得分:2)

auto neighbours = boost::adjacent_vertices(94, g);

像打印一样打印它们。

for (auto vd : make_iterator_range(neighbours))
    std::cout << "94 has adjacent vertex " << vd << "\n";

打印

94 has adjacent vertex 93
94 has adjacent vertex 3

如果您只想要传出边缘,则假定directedSbidirectionalS,在这种情况下您也可以这样做:

    for (auto ed : make_iterator_range(boost::out_edges(94, g)))
        std::cout << "outgoing: " << ed << "\n";
    for (auto ed : make_iterator_range(boost::in_edges(94, g)))
        std::cout << "incident: " << ed << "\n";

现场演示

<强> Live On Coliru

#include <boost/graph/adjacency_list.hpp>
#include <boost/graph/connected_components.hpp>
#include <iostream>

using namespace boost;
using namespace std;

int main() {
    int N = 10000;

    struct status_t { typedef vertex_property_tag kind; };
    typedef property<status_t, string> status;
    typedef adjacency_list<vecS, vecS, bidirectionalS, status> MyGraph;

    MyGraph g(N);

    // add some random edges
    add_edge(0, 1, g);
    add_edge(100, 153, g);
    add_edge(634, 12, g);

    add_edge(93, 94, g);
    add_edge(94, 3, g);

    property_map<MyGraph, status_t>::type status_map = get(status_t(), g);

    for (int i = 0; i < 10; i++) {
        status_map[i] = "S";
    }

    {
        auto neighbours = boost::adjacent_vertices(94, g);
        for (auto vd : make_iterator_range(neighbours))
            std::cout << "94 has adjacent vertex " << vd << "\n";

        // prints
        // for undirected:
        //  94 has adjacent vertex 93
        //  94 has adjacent vertex 3
        // for directed/bidirectionalS:
        //  94 has adjacent vertex 3
    }

    {   // for bidirectionalS:
        for (auto ed : make_iterator_range(boost::out_edges(94, g)))
            std::cout << "outgoing: " << ed << "\n";
        for (auto ed : make_iterator_range(boost::in_edges(94, g)))
            std::cout << "incident: " << ed << "\n";
    }

}

打印

94 has adjacent vertex 3
outgoing: (94,3)
incident: (93,94)
相关问题