-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathCourseSchedule.java
36 lines (31 loc) · 1.1 KB
/
CourseSchedule.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
package com.dbc;
import java.util.*;
public class CourseSchedule {
public boolean canFinish(int numCourses, int[][] prerequisites) {
Map<Integer, List<Integer>> graph = new HashMap<>();
int[] count = new int[numCourses];
Arrays.fill(count, 0);
for (int[] prerequisite : prerequisites) {
count[prerequisite[0]]++;
if (!graph.containsKey(prerequisite[1])) graph.put(prerequisite[1], new ArrayList<>());
graph.get(prerequisite[1]).add(prerequisite[0]);
}
Queue<Integer> queue = new LinkedList<>();
for (int i = 0; i < numCourses; i++) {
if (count[i] == 0) queue.add(i);
}
while (!queue.isEmpty()) {
int item = queue.poll();
if (graph.containsKey(item)) {
for (int node : graph.get(item)) {
count[node]--;
if (count[node] == 0) queue.add(node);
}
}
}
for (int i = 0; i < numCourses; i++) {
if (count[i] != 0) return false;
}
return true;
}
}