Created
January 26, 2016 02:29
-
-
Save yinyanghu/37dd7fab42a30e2e04e1 to your computer and use it in GitHub Desktop.
Prim Algorithm with Minimum 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
import heapq | |
# min-heap | |
class PriorityQueue: | |
def __init__(self): | |
self._queue = [] | |
self._index = 0 | |
def push(self, item, priority): | |
heapq.heappush(self._queue, (priority, self._index, item)) # -priority if max-heap | |
self._index += 1 | |
def pop(self): | |
return heapq.heappop(self._queue)[-1] | |
def empty(self): | |
return self._queue == [] | |
#q = PriorityQueue() | |
#q.push("AAA", 2) | |
#q.push("BBB", 3) | |
#q.push("CCC", 1) | |
#print q.pop() | |
#print q.pop() | |
#print q.empty() | |
#print q.pop() | |
#print q.empty() | |
inf = 1000000000 | |
# input an adjacency matrix | |
def PrimeAlgorithm(G): | |
N = len(G) | |
root = 0 | |
Q = PriorityQueue() | |
dist = [inf] * N | |
dist[root] = 0 | |
Q.push(root, 0) | |
visited = [False] * N | |
min_cost = 0 | |
while not Q.empty(): | |
u = Q.pop() | |
if visited[u]: | |
continue | |
visited[u] = True | |
min_cost += dist[u] | |
for v in range(N): | |
if G[u][v] != -1 and visited[v] == False and G[u][v] < dist[v]: | |
dist[v] = G[u][v] | |
Q.push(v, G[u][v]) | |
return min_cost |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment