↰ Return to documentation for file (include/networkit/graph/BFS.hpp
)
#ifndef NETWORKIT_GRAPH_BFS_HPP_
#define NETWORKIT_GRAPH_BFS_HPP_
#include <array>
#include <queue>
#include <vector>
#include <networkit/graph/Graph.hpp>
namespace NetworKit {
namespace Traversal {
template <class F>
auto callBFSHandle(F &f, node u, count dist) -> decltype(f(u, dist)) {
return f(u, dist);
}
template <class F>
auto callBFSHandle(F &f, node u, count) -> decltype(f(u)) {
return f(u);
}
template <class InputIt, typename L>
void BFSfrom(const Graph &G, InputIt first, InputIt last, L handle) {
std::vector<bool> marked(G.upperNodeIdBound());
std::queue<node> q, qNext;
count dist = 0;
// enqueue start nodes
for (; first != last; ++first) {
q.push(*first);
marked[*first] = true;
}
do {
const auto u = q.front();
q.pop();
// apply function
callBFSHandle(handle, u, dist);
G.forNeighborsOf(u, [&](node v) {
if (!marked[v]) {
qNext.push(v);
marked[v] = true;
}
});
if (q.empty() && !qNext.empty()) {
q.swap(qNext);
++dist;
}
} while (!q.empty());
}
template <typename L>
void BFSfrom(const Graph &G, node source, L handle) {
std::array<node, 1> startNodes{{source}};
BFSfrom(G, startNodes.begin(), startNodes.end(), handle);
}
template <typename L>
void BFSEdgesFrom(const Graph &G, node source, L handle) {
std::vector<bool> marked(G.upperNodeIdBound());
std::queue<node> q;
q.push(source); // enqueue root
marked[source] = true;
do {
const auto u = q.front();
q.pop();
// apply function
G.forNeighborsOf(u, [&](node, node v, edgeweight w, edgeid eid) {
if (!marked[v]) {
handle(u, v, w, eid);
q.push(v);
marked[v] = true;
}
});
} while (!q.empty());
}
} // namespace Traversal
} // namespace NetworKit
#endif // NETWORKIT_GRAPH_BFS_HPP_