判断二分图

判断二分图
力扣传送门
给定一个无向图graph,当这个图为二分图时返回true。

如果我们能将一个图的节点集合分割成两个独立的子集A和B,并使图中的每一条边的两个节点一个来自A集合,一个来自B集合,我们就将这个图称为二分图。

graph将会以邻接表方式给出,graph[i]表示图中与节点i相连的所有节点。每个节点都是一个在0到graph.length-1之间的整数。这图中没有自环和平行边: graph[i] 中不存在i,并且graph[i]中没有重复的值。

示例 1:
输入: [[1,3], [0,2], [1,3], [0,2]]
输出: true
解释:
无向图如下:
0----1|    ||    |3----2
我们可以将节点分成两组: {0, 2} 和 {1, 3}。

示例 2:
输入: [[1,2,3], [0,2], [0,1,3], [0,2]]
输出: false
解释:
无向图如下:

我们不能将节点分割成两个独立的子集。
注意:

graph 的长度范围为 [1, 100]。
graph[i] 中的元素的范围为 [0, graph.length - 1]。
graph[i] 不会包含 i 或者有重复的值。
图是无向的: 如果j 在 graph[i]里边, 那么 i 也会在 graph[j]里边。

package leetcode.graph;

import org.testng.annotations.Test;

/**
 * Created by fangjiejie on 2020/3/31.
 */
public class ErfenGraph {
    public boolean isBipartite(int[][] graph) {
        int n = graph.length;
        int localVisit[] = new int[n];
        for (int i = 0; i < n; i++) {
            if (!judgeErfen(graph, i, localVisit[i]==0?1:localVisit[i], localVisit)) return false;//为了避免重复递归,注意groupId传入的参数
        }
        return true;
    }

    public boolean judgeErfen(int graph[][], int cur, int groupId, int localVisit[]) {
        if (localVisit[cur] != 0) {
            return groupId == localVisit[cur];
        }
        localVisit[cur] = groupId;
        for (int i = 0; i < graph[cur].length; i++) {
            if (!judgeErfen(graph, graph[cur][i], groupId == 1 ? 2 : 1, localVisit)) return false;//递归判断二分图,如果要么第1组,要么第2组
        }
        return true;
    }

    @Test
    public void test() {
        int edges[][] = {{1, 2, 3}, {0, 2}, {0, 1, 3}, {0, 2}};
        int edges2[][] = {{1, 3}, {0, 2}, {1, 3}, {0, 2}};
        System.out.println(isBipartite(edges2));
    }
}
发布了184 篇原创文章 · 获赞 60 · 访问量 16万+

猜你喜欢

转载自blog.csdn.net/StubbornAccepted/article/details/105228273
今日推荐