Python/graphs/kahns_algorithm_long.py

32 lines
806 B
Python
Raw Normal View History

2018-10-19 12:48:28 +00:00
# Finding longest distance in Directed Acyclic Graph using KahnsAlgorithm
def longestDistance(graph):
indegree = [0] * len(graph)
2018-10-19 12:48:28 +00:00
queue = []
longDist = [1] * len(graph)
2018-10-19 12:48:28 +00:00
for key, values in graph.items():
2018-10-19 12:48:28 +00:00
for i in values:
indegree[i] += 1
for i in range(len(indegree)):
if indegree[i] == 0:
queue.append(i)
2019-10-05 05:14:13 +00:00
while queue:
2018-10-19 12:48:28 +00:00
vertex = queue.pop(0)
for x in graph[vertex]:
2018-10-19 12:48:28 +00:00
indegree[x] -= 1
if longDist[vertex] + 1 > longDist[x]:
2019-10-05 05:14:13 +00:00
longDist[x] = longDist[vertex] + 1
2018-10-19 12:48:28 +00:00
if indegree[x] == 0:
queue.append(x)
print(max(longDist))
2019-10-05 05:14:13 +00:00
2018-10-19 12:48:28 +00:00
# Adjacency list of Graph
graph = {0: [2, 3, 4], 1: [2, 7], 2: [5], 3: [5, 7], 4: [7], 5: [6], 6: [7], 7: []}
longestDistance(graph)