欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Leetcode207. 课程表

程序员文章站 2022-04-04 10:05:36
...

题目详情

Leetcode207. 课程表
Leetcode207. 课程表

解题思路

Leetcode207. 课程表

代码实现

(C#)

 public class Solution {
     public bool CanFinish(int numCourses, int[][] prerequisites) {
        //这道题邻接表用List<List<int>>表示 eg.{{2,3},{1,3},{1,2}}表示第一个结点通往2和3 第二个结点通往1和3 第三个结点通往1和2 
        //入度表用一维数组表示 位置代表结点位置 每位的值代表的是入度
        //检查图中有无环 若存在环 一定有节点的入度始终不为0

        int[] indegrees = new int[numCourses]; //初始化入度表 
        List<List<int>> adjacency = new List<List<int>>();//初始化邻接结点
        Queue<int> queue = new Queue<int>();//入度为0的点入队(起点)


        for(int i = 0; i < numCourses; i++)
            adjacency.Add(new List<int>());//领接表加numCourses个结点(numscourse门课程,有些课程没有j)
        // Get the indegree and adjacency of every course.
        foreach(int[] cp in prerequisites) {
            indegrees[cp[0]]++; //入度+1
            adjacency[cp[1]].Add(cp[0]); //get获取指定位置(cp[1]=2则去到adjacency的第二位) 然后在该位置的{}上继续加数字cp[0]
        }


        for(int i = 0; i < numCourses; i++)
            if(indegrees[i] == 0) 
                queue.Enqueue(i);

        while(queue.Count!=0)  //
         {
            int pre = queue.Dequeue(); //删除并得到开始检索的结点
            numCourses--; //少一个可以开始检索的结点 
            foreach(int cur in adjacency[pre]) //对于入度表中开始检索位置里面的每一个值
                if(--indegrees[cur] == 0)  queue.Enqueue(cur); //如果搜索完后(入度表对应位置值减一后)入度为0 那么加到队列里
        }
        return numCourses == 0;
    }
}

Leetcode207. 课程表