力扣207、课程表 【图】

简介: 力扣207、课程表 【图】

题目

课程与课程之间的先决条件组成有向图,课程是图中的顶点,课程之间的先决条件是图中的有向边。对于数组 prerequisites 中的元素 [a,b],表示在学习课程 a 前必须先完成课程 b,对应从 b 指向 a 的有向边,b 是 a 的前驱课程,a 是 b 的后继课程。

如果课程之间的先决条件不存在环,则可以完成所有课程;如果课程之间的先决条件存在环,则不能完成所有课程。因此判断是否可能完成所有课程等价于判断有向图是否为无环图。

解法

判断有向图是否为无环图可以使用拓扑排序,拓扑排序可以使用广度优先搜索或深度优先搜索实现。

class Solution {
    public boolean canFinish(int numCourses, int[][] prerequisites) {
        List<Integer>[] adjacentArr = new List[numCourses];
        int[] indegrees = new int[numCourses];
        for (int i = 0; i < numCourses; i++) {
            adjacentArr[i] = new ArrayList<Integer>();
        }
        for (int[] prerequisite : prerequisites) {
            adjacentArr[prerequisite[1]].add(prerequisite[0]);
            indegrees[prerequisite[0]]++;
        }
        int finishCount = 0;
        Queue<Integer> queue = new ArrayDeque<Integer>();
        for (int i = 0; i < numCourses; i++) {
            if (indegrees[i] == 0) {
                queue.offer(i);
            }
        }
        while (!queue.isEmpty()) {
            int curr = queue.poll();
            finishCount++;
            List<Integer> adjacent = adjacentArr[curr];
            for (int next : adjacent) {
                indegrees[next]--;
                if (indegrees[next] == 0) {
                    queue.offer(next);
                }
            }
        }
        return finishCount == numCourses;
    }
}
相关文章
|
6月前
|
Go
golang力扣leetcode 207.课程表
golang力扣leetcode 207.课程表
72 0
|
6月前
|
人工智能 算法 BI
力扣1462.课程表
力扣1462.课程表
|
6月前
|
算法
力扣630.课程表
力扣630.课程表
|
6月前
|
人工智能 BI
leetcode-207:课程表
leetcode-207:课程表
46 0
|
6月前
leetcode-630:课程表 III
leetcode-630:课程表 III
44 0
|
6月前
|
存储 人工智能 BI
【力扣热题100】207. 课程表 python 拓扑排序
【力扣热题100】207. 课程表 python 拓扑排序
65 0
|
6月前
|
存储 人工智能 算法
☆打卡算法☆LeetCode 210. 课程表 II 算法解析
☆打卡算法☆LeetCode 210. 课程表 II 算法解析
|
6月前
|
存储 人工智能 算法
☆打卡算法☆LeetCode 207. 课程表 算法解析
☆打卡算法☆LeetCode 207. 课程表 算法解析
LeetCode-630 课程表Ⅲ
这里有 n 门不同的在线课程,按从 1 到 n 编号。给你一个数组 courses ,其中 courses[i] = [durationi, lastDayi] 表示第 i 门课将会 持续 上 durationi 天课,并且必须在不晚于 lastDayi 的时候完成。 你的学期从第 1 天开始。且不能同时修读两门及两门以上的课程。 返回你最多可以修读的课程数目。
|
人工智能 Java BI
力扣207:课程表(Java拓扑排序:bfs+dfs)
力扣207:课程表(Java拓扑排序:bfs+dfs)
132 0