Last active
July 21, 2019 15:29
-
-
Save yangpeng-chn/240e6066f2caaa9dae768825452dfee6 to your computer and use it in GitHub Desktop.
Topological Sort
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
// BFS | |
bool canFinish(int numCourses, vector<vector<int>>& prerequisites) { | |
vector<vector<int>> graph(numCourses, vector<int>()); | |
vector<int> in(numCourses); | |
for (auto a : prerequisites) { | |
graph[a[0]].push_back(a[1]); | |
++in[a[1]]; | |
} | |
queue<int> q; | |
for (int i = 0; i < numCourses; ++i) { | |
if (in[i] == 0) q.push(i); | |
} | |
while (!q.empty()) { | |
int t = q.front(); q.pop(); | |
for (auto a : graph[t]) { | |
--in[a]; | |
if (in[a] == 0) q.push(a); | |
} | |
} | |
for (int i = 0; i < numCourses; ++i) { | |
if (in[i] != 0) return false; | |
} | |
return true; | |
} | |
// DFS | |
bool canFinish(int numCourses, vector<vector<int>>& prerequisites) { | |
vector<vector<int>> graph(numCourses, vector<int>()); | |
vector<int> visit(numCourses); | |
for (auto a : prerequisites) { | |
graph[a[0]].push_back(a[1]); | |
} | |
for (int i = 0; i < numCourses; ++i) { | |
if (!canFinishDFS(graph, visit, i)) return false; | |
} | |
return true; | |
} | |
bool canFinishDFS(vector<vector<int>>& graph, vector<int>& visit, int i) { | |
if (visit[i] == -1) return false; | |
if (visit[i] == 1) return true; | |
visit[i] = -1; | |
for (auto a : graph[i]) { | |
if (!canFinishDFS(graph, visit, a)) return false; | |
} | |
visit[i] = 1; | |
return true; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment