947. 移除最多的同行或同列石头(并查集)

947. 移除最多的同行或同列石头

n 块石头放置在二维平面中的一些整数坐标点上。每个坐标点上最多只能有一块石头。

如果一块石头的 同行或者同列 上有其他石头存在,那么就可以移除这块石头。

给你一个长度为 n 的数组 stones ,其中 stones[i] = [xi, yi] 表示第 i 块石头的位置,返回 可以移除的石子 的最大数量。

 

示例 1:

输入:stones = [[0,0],[0,1],[1,0],[1,2],[2,1],[2,2]] 输出:5 解释:一种移除 5 块石头的方法如下所示: 1. 移除石头 [2,2] ,因为它和 [2,1] 同行。 2. 移除石头 [2,1] ,因为它和 [0,1] 同列。 3. 移除石头 [1,2] ,因为它和 [1,0] 同行。 4. 移除石头 [1,0] ,因为它和 [0,0] 同列。 5. 移除石头 [0,1] ,因为它和 [0,0] 同行。 石头 [0,0] 不能移除,因为它没有与另一块石头同行/列。

示例 2:

输入:stones = [[0,0],[0,2],[1,1],[2,0],[2,2]] 输出:3 解释:一种移除 3 块石头的方法如下所示: 1. 移除石头 [2,2] ,因为它和 [2,0] 同行。 2. 移除石头 [2,0] ,因为它和 [0,0] 同列。 3. 移除石头 [0,2] ,因为它和 [0,0] 同行。 石头 [0,0] 和 [1,1] 不能移除,因为它们没有与另一块石头同行/列。

示例 3:

输入:stones = [[0,0]] 输出:0 解释:[0,0] 是平面上唯一一块石头,所以不可以移除它。

 

提示:

  • 1 <= stones.length <= 1000
  • 0 <= xi, yi <= 104
  • 不会有两块石头放在同一个坐标点上
 1 class UnionFindSet {  2 public:  3     // 查找节点的根节点  4     int findRoot(int x) {  5         // 如果节点值还未加入到hash表,则将其加入到hash表,并将它指向自己,连通分量增加1个  6         if (parent.count(x) == 0) {  7             parent[x] = x;  8             connectedCnt++;  9         } 10         int root = x; 11         while (root != parent[root]) { 12             root = parent[root]; 13         } 14         // 路径压缩 15         while (x != root) { 16             int next = parent[x]; 17             parent[x] = root; 18             x = next; 19         } 20         return root; 21     } 22     // x和y是否连通 23     bool isConnected(int x, int y) { 24         return (findRoot(x) == findRoot(y)); 25     } 26     // 合并两个节点 27     void unify(int x, int y) { 28         if (isConnected(x, y)) { 29             return; 30         } 31         parent[findRoot(x)] = findRoot(y); 32         connectedCnt--; 33         return; 34     } 35     // 获取连通分量个数 36     int getConnetedCnt() { 37         return connectedCnt; 38     } 39 private: 40     unordered_map<int, int> parent; // key->石头的横坐标或者纵坐标, value->key所属的根节点 41     int connectedCnt; // 连通分量个数 42 }; 43 class Solution : public UnionFindSet { 44 public: 45     int removeStones(vector<vector<int>>& stones) { 46         // 1、合并横坐标与纵坐标 47         for (auto &stone : stones) { 48             unify(stone[0], stone[1] + 10001); 49         } 50         // 2、最多移除的石头数为:石头数 - 连通分量数 51         return (stones.size() - getConnetedCnt()); 52     } 53 };