Created
October 2, 2022 21:10
-
-
Save ysinjab/9ee870523c3602dc4be91c9bf7d9326e to your computer and use it in GitHub Desktop.
210. Course Schedule II
This file contains 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
class Solution(object): | |
def findOrder(self, num_courses, prerequisites): | |
""" | |
:type numCourses: int | |
:type prerequisites: List[List[int]] | |
:rtype: List[int] | |
""" | |
# basically this is Kahn algorithm for topological sorting | |
# I like it because it depends on the indegree centrality of the node | |
degrees = collections.defaultdict(int) | |
g = collections.defaultdict(list) | |
for p in prerequisites: | |
g[p[1]].append(p[0]) | |
degrees[p[0]] += 1 | |
q = deque() | |
for i in range(num_courses): | |
if i not in degrees or degrees[i] == 0: | |
q.append(i) | |
result = [] | |
while q: | |
c = q.popleft() | |
for v in g[c]: | |
degrees[v] -= 1 | |
if degrees[v] == 0: | |
q.append(v) | |
result.append(c) | |
if len(result) != num_courses: | |
return [] | |
else: | |
return result | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment