785. Is Graph Bipartite?

785. Is Graph Bipartite?

思路:我们要求将点分为两部分,并且每一部分之间的点互不相连,首先对于一个点来说与其相邻的都标记为不同颜色,这样广度或者深度遍历下去,如果在标记的过程中发现一个点需要被标记为两个颜色或者与其相邻的点的颜色相同,则说明输入不可以被分成两个点集。

难点:没有想到什么时候可以判断无法分成两个互不相连的点集合,只想着从正面的怎么做可以分为两部分入手了,应该反向思考下;第二个点是对点的颜色做标记,0代表未访问,1代表划分为点集1,2代表划分为点集合2.

解法一:bfs

class Solution {
    public boolean isBipartite(int[][] graph) {
        if(graph.length<=1)
            return true;
        int color[]=new int[graph.length];
        for(int i=0;i queue=new LinkedList();
                queue.offer(i);
                while(queue.size()>0){
                    int t1=queue.poll();
                    for(int j=0;j

解法2:dfs

class Solution {
    public boolean flag=true;
    public boolean isBipartite(int[][] graph) {
        if(graph.length<=1)
            return true;
        int color[]=new int[graph.length];
        for(int i=0;i

 

 

你可能感兴趣的:(bfs,图,DFS,队列)