2018-10-19 12:48:28 +00:00
|
|
|
# Finding longest distance in Directed Acyclic Graph using KahnsAlgorithm
|
2022-10-12 22:54:20 +00:00
|
|
|
def longest_distance(graph):
|
2020-05-22 06:10:11 +00:00
|
|
|
indegree = [0] * len(graph)
|
2018-10-19 12:48:28 +00:00
|
|
|
queue = []
|
2022-10-12 22:54:20 +00:00
|
|
|
long_dist = [1] * len(graph)
|
2018-10-19 12:48:28 +00:00
|
|
|
|
2022-10-13 16:03:06 +00:00
|
|
|
for values in graph.values():
|
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)
|
2020-05-22 06:10:11 +00:00
|
|
|
for x in graph[vertex]:
|
2018-10-19 12:48:28 +00:00
|
|
|
indegree[x] -= 1
|
|
|
|
|
2022-10-12 22:54:20 +00:00
|
|
|
if long_dist[vertex] + 1 > long_dist[x]:
|
|
|
|
long_dist[x] = long_dist[vertex] + 1
|
2018-10-19 12:48:28 +00:00
|
|
|
|
|
|
|
if indegree[x] == 0:
|
|
|
|
queue.append(x)
|
|
|
|
|
2022-10-12 22:54:20 +00:00
|
|
|
print(max(long_dist))
|
2018-10-19 12:48:28 +00:00
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
# Adjacency list of Graph
|
2020-05-22 06:10:11 +00:00
|
|
|
graph = {0: [2, 3, 4], 1: [2, 7], 2: [5], 3: [5, 7], 4: [7], 5: [6], 6: [7], 7: []}
|
2022-10-12 22:54:20 +00:00
|
|
|
longest_distance(graph)
|