Last active
July 15, 2018 16:14
-
-
Save mudge/4bbe32cc7055b785688933e04fff5b10 to your computer and use it in GitHub Desktop.
Implementing Dijkstra's algorithm with Fibonacci Heap
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
require 'fibonacci_heap' | |
# Assuming `graph` is an object with the following interface that stores vertices as `FibonacciHeap::Node` | |
# instances and `source` is a `FibonacciHeap::Node`: | |
# | |
# * `graph.vertices`: return an Enumerable of all vertices in the graph | |
# * `graph.neighbours(u)`: return an Enumerable of all vertices that neighbour a given vertex `u` | |
# * `graph.length(u, v)`: return the numeric weight of the edge between two given vertices `u` and `v` | |
def dijkstra(graph, source) | |
dist = Hash.new(Float::INFINITY) | |
dist[source] = 0 | |
prev = {} | |
q = FibonacciHeap::Heap.new | |
graph.vertices.each do |v| | |
q.insert(v, dist[v]) | |
end | |
until q.empty? | |
u = q.pop | |
graph.neighbours(u).each do |v| | |
alt = dist[u] + graph.length(u, v) | |
next unless alt < dist[v] | |
dist[v] = alt | |
prev[v] = u | |
q.decrease_key(v, alt) | |
end | |
end | |
[dist, prev] | |
end |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment