其他分享
首页 > 其他分享> > LeetCode 每日一题684. 冗余连接

LeetCode 每日一题684. 冗余连接

作者:互联网

684. 冗余连接

在本问题中, 树指的是一个连通且无环的无向图。

输入一个图,该图由一个有着N个节点 (节点值不重复1, 2, …, N) 的树及一条附加的边构成。附加的边的两个顶点包含在1到N中间,这条附加的边不属于树中已存在的边。

结果图是一个以边组成的二维数组。每一个边的元素是一对[u, v] ,满足 u < v,表示连接顶点u 和v的无向图的边。

返回一条可以删去的边,使得结果图是一个有着N个节点的树。如果有多个答案,则返回二维数组中最后出现的边。答案边 [u, v] 应满足相同的格式 u < v。

示例 1:

输入: [[1,2], [1,3], [2,3]]
输出: [2,3]
解释: 给定的无向图为:
  1
 / \
2 - 3

示例 2:

输入: [[1,2], [2,3], [3,4], [1,4], [1,5]]
输出: [1,4]
解释: 给定的无向图为:
5 - 1 - 2
    |   |
    4 - 3

注意:

方法一:并查集

首先,感谢 leecote!

这个月人称「图论月」,从最开始的复制粘贴,到现在已经的 5 分钟写完基础「并查集」~

解题思路

就用示例 1 举例:

输入:[[1,2], [1,3], [2,3]]

step 1:[1,2]加入并查集,2 的父亲是 1
  1
 / 
2  
step 2:[1,3]加入并查集,3 的父亲是 1
  1
 / \
2   3
step 3:[2,3] 加入并查集前,发现 2 和 3 已经有共同的父亲 1,说明这条线是多余的。

参考代码

public int[] findRedundantConnection(int[][] edges) {
    int n = edges.length;
    UnionFind unionFind = new UnionFind(n + 1);
    for (int[] e : edges) {
        // 合并前就有共同的父亲,说明这条是多余的连接
        if (unionFind.find(e[0]) == unionFind.find(e[1])) {
            return e;
        }
        unionFind.union(e[0], e[1]);
    }
    return new int[2];
}

// 并查集
class UnionFind {
    public int[] parent;
    // 初始化,自己就是自己的父亲
    public UnionFind(int n) {
        parent = new int[n];
        for (int i = 0; i < n; i++) {
            parent[i] =i;
        }
    }
    // 合并数字对
    public void union(int x, int y) {
        int rootX = find(x);
        int rootY = find(y);
        if (rootX == rootY) {
            return;
        }
        parent[rootX] = rootY;
    }
    // 找数字 x 的父亲
    public int find(int x) {
        if (parent[x] != x) {
            parent[x] = find(parent[x]);
        }
        return parent[x];
    }
}

执行结果
在这里插入图片描述

标签:parent,int,连接,查集,find,public,684,LeetCode,冗余
来源: https://blog.csdn.net/qq_27007509/article/details/112555992