糖逗 发表于 2020-6-1 10:21:21

C++刷leetcode(684. 冗余连接)【并查集】

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

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

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

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

示例 1:

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

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

输入的二维数组大小在 3 到 1000。
二维数组中的整数在1到N之间,其中N是输入数组的大小。
更新(2017-09-26):
我们已经重新检查了问题描述及测试用例,明确图是无向 图。对于有向图详见冗余连接II。对于造成任何不便,我们深感歉意。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/redundant-connection
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

class Solution {
public:
    int find_root(int x, vector<int>&father){
      if(x != father) return find_root(father, father);
      return x;
    }
    bool uniton(int x, int y, vector<int>&father){
      int temp1 = find_root(x, father);
      int temp2 = find_root(y, father);
      if(temp1 != temp2){
            father = temp2;
            return false;
      }
      return true;
    }
    vector<int> findRedundantConnection(vector<vector<int>>& edges) {
      int len = edges.size();
      vector<int> father(len+1, 0);
      for(int i = 0; i <= len; i++){
            father = i;
      }
      for(auto cha : edges){
            if(uniton(cha, cha, father)){
                return cha;
            }
      }
      return {};
    }
};

注意事项
1.返回的是使点成环的最后一条边
页: [1]
查看完整版本: C++刷leetcode(684. 冗余连接)【并查集】