0%

leetCode-210:Course Schedule II

问题描述

给出一个数字表示课程的数量,再给出一个二维数组表示课程的依赖关系,如 [0, 1] 表示课程 1 必须在课程 0 之前完成。要求找出课程的先后学习顺序,如果给出的课程依赖关系不能存在循环依赖,则返回空数组。题目链接:**点我**

样例输入输出

输入:2, [[1, 0]]

输出:[0,1]

输入:2, [[0, 1], [1, 0]]

输出:[]

问题解法

直接用拓扑排序进行求解,将每次的学习的课程保存在数组中,最后判断是否存在循环依赖关系,如果存在则返回空数组,否则返回结果数组。代码如下

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
37
38
39
40
41
42
43
44
45
46
47
48
49
50
class Solution
{
public int[] findOrder(int numCourses, int[][] prerequisites)
{
int[] nodeIns = new int[numCourses];
for (int i = 0; i < prerequisites.length; i++)
{
nodeIns[prerequisites[i][0]]++;
}

List<Integer> courses = new ArrayList<>();
for (int i = 0; i < numCourses; i++)
{
if (nodeIns[i] == 0)
{
courses.add(i);
}
}

int[] studyCoures = new int[numCourses];
int index = 0;
while (!courses.isEmpty())
{
int course = courses.get(0);
courses.remove(0);
studyCoures[index] = course;
index++;
for (int i = 0; i < prerequisites.length; i++)
{
if (prerequisites[i][1] == course)
{
nodeIns[prerequisites[i][0]]--;
if (nodeIns[prerequisites[i][0]] == 0)
{
courses.add(prerequisites[i][0]);
}
}
}
}

if (index == numCourses)
{
return studyCoures;
}
else
{
return new int[0];
}
}
}