OJ练习第169题——课程表 IV

课程表 IV

力扣链接:1462. 课程表 IV

题目描述

你总共需要上 numCourses 门课,课程编号依次为 0 到 numCourses-1 。你会得到一个数组 prerequisite ,其中 prerequisites[i] = [ai, bi] 表示如果你想选 bi 课程,你 必须 先选 ai 课程。

有的课会有直接的先修课程,比如如果想上课程 1 ,你必须先上课程 0 ,那么会以 [0,1] 数对的形式给出先修课程数对。
先决条件也可以是 间接 的。如果课程 a 是课程 b 的先决条件,课程 b 是课程 c 的先决条件,那么课程 a 就是课程 c 的先决条件。

你也得到一个数组 queries ,其中 queries[j] = [uj, vj]。对于第 j 个查询,您应该回答课程 uj 是否是课程 vj 的先决条件。

返回一个布尔数组 answer ,其中 answer[j] 是第 j 个查询的答案。

示例

OJ练习第169题——课程表 IV_第1张图片
OJ练习第169题——课程表 IV_第2张图片

Java代码

class Solution {
    public List<Boolean> checkIfPrerequisite(int numCourses, int[][] prerequisites, int[][] queries) {
        List<Boolean> ans = new ArrayList<>();
        boolean[][] g = new boolean[numCourses][numCourses];
        for (int[] p : prerequisites) {
            g[p[0]][p[1]] = true;
        }
        for (int k = 0; k < numCourses; k++) {
            for (int i = 0; i < numCourses; i++) {
                for (int j = 0; j < numCourses; j++) {
                    g[i][j] = |g[i][j] | (g[i][k] && g[k][j]);
                }
            }
        }
        for (int[] q : queries) {
            ans.add(g[q[0]][q[1]]);
        }
        return ans;
    }
}

你可能感兴趣的:(OJ练习,leetcode,java)