mirror of
https://github.com/TheAlgorithms/Ruby
synced 2024-11-16 19:50:00 +01:00
Splitting consumers for seen and visited nodes in graph BFS
This commit is contained in:
parent
b561094aa5
commit
85a1175c76
2 changed files with 21 additions and 7 deletions
|
@ -25,33 +25,36 @@ end
|
|||
##
|
||||
# Performs a breadth-first search for the provided graph, starting at the given node.
|
||||
# Returns the search result (see GraphBfsResult).
|
||||
# Nodes are consumed upon discovery using the provided node consumer (nothing, by default).
|
||||
# Nodes are consumed using the provided consumers upon being first seen, or being completely visited
|
||||
# (nothing, by default).
|
||||
#
|
||||
# The algorithm has a time complexity of O(|V| + |E|), where:
|
||||
# - |V| is the number of nodes in the graph;
|
||||
# - |E| is the number of edges in the graph.
|
||||
|
||||
def bfs(graph, start_node, node_consumer=method(:do_nothing_on_node))
|
||||
def bfs(graph, start_node, seen_node_consumer: method(:do_nothing_on_node), visited_node_consumer: method(:do_nothing_on_node))
|
||||
seen = Set[]
|
||||
visited = Set[]
|
||||
parents = { start_node => nil }
|
||||
distances = { start_node => 0 }
|
||||
|
||||
seen.add(start_node)
|
||||
seen_node_consumer.call(start_node)
|
||||
q = Queue.new
|
||||
q.push(start_node)
|
||||
until q.empty?
|
||||
node = q.pop
|
||||
node_consumer.call(node)
|
||||
for neighbor in graph.neighbors(node)
|
||||
unless seen.include?(neighbor)
|
||||
seen.add(neighbor)
|
||||
distances[neighbor] = distances[node] + 1
|
||||
parents[neighbor] = node
|
||||
seen_node_consumer.call(neighbor)
|
||||
q.push(neighbor)
|
||||
end
|
||||
end
|
||||
visited.add(node)
|
||||
visited_node_consumer.call(node)
|
||||
end
|
||||
|
||||
GraphBfsResult.new(visited, parents, distances)
|
||||
|
|
|
@ -65,14 +65,25 @@ class TestBfs < Minitest::Test
|
|||
}
|
||||
end
|
||||
|
||||
def test_bfs_visits_with_node_consumer
|
||||
def test_bfs_visits_with_seen_node_consumer
|
||||
graph = UnweightedGraph.new(nodes: [:u, :v, :w], directed: false)
|
||||
graph.add_edge(:u, :v)
|
||||
graph.add_edge(:u, :w)
|
||||
|
||||
visit_order = []
|
||||
bfs(graph, :w, ->(node) { visit_order.append(node) })
|
||||
seen_order = []
|
||||
bfs(graph, :w, seen_node_consumer: ->(node) { seen_order.append(node) })
|
||||
|
||||
assert visit_order == [:w, :u, :v]
|
||||
assert seen_order == [:w, :u, :v]
|
||||
end
|
||||
|
||||
def test_bfs_visits_with_visited_node_consumer
|
||||
graph = UnweightedGraph.new(nodes: [:u, :v, :w], directed: false)
|
||||
graph.add_edge(:u, :v)
|
||||
graph.add_edge(:u, :w)
|
||||
|
||||
visited_order = []
|
||||
bfs(graph, :w, visited_node_consumer: ->(node) { visited_order.append(node) })
|
||||
|
||||
assert visited_order == [:w, :u, :v]
|
||||
end
|
||||
end
|
||||
|
|
Loading…
Reference in a new issue