Leetcode: Number of Islands II && Summary of Union Find
A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand operation which turns the water at position (row, col) into a land. Given a list of positions to operate, count the number of islands after each addLand operation. An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. You may assume all four edges of the grid are all surrounded by water. Example: Given m = 3, n = 3, positions = [[0,0], [0,1], [1,2], [2,1]].
Initially, the 2d grid grid is filled with water. (Assume 0 represents water and 1 represents land). 0 0 0
0 0 0
0 0 0
Operation #1: addLand(0, 0) turns the water at grid[0][0] into a land. 1 0 0
0 0 0 Number of islands = 1
0 0 0
Operation #2: addLand(0, 1) turns the water at grid[0][1] into a land. 1 1 0
0 0 0 Number of islands = 1
0 0 0
Operation #3: addLand(1, 2) turns the water at grid[1][2] into a land. 1 1 0
0 0 1 Number of islands = 2
0 0 0
Operation #4: addLand(2, 1) turns the water at grid[2][1] into a land. 1 1 0
0 0 1 Number of islands = 3
0 1 0
We return the result as an array: [1, 1, 2, 3] Challenge: Can you do it in time complexity O(k log mn), where k is the length of the positions?
Union Find
Princeton's lecture note on Union Find in Algorithms and Data Structures It is a well organized note with clear illustration describing from the naive QuickFind to the one with Weighting and Path compression. With Weighting and Path compression, The algorithm runs in
O((M+N) log* N) where M is the number of operations ( unite and find ), N is the number of objects, log* is iterated logarithm while the naive runs in O(MN).
方法一: Union Find based on Quick Find
我觉得:Union复杂度: O(M*N), where M is the number of calls of Union, and N is the size of id array, in our case N=m*n
Find复杂度: O(1)
实际运行时间199ms
public class Solution {
public List<Integer> numIslands2(int m, int n, int[][] positions) {
int[][] dirs = new int[][]{{-1,0},{1,0},{0,1},{0,-1}};
unionFind uf = new unionFind(m*n);
List<Integer> res = new ArrayList<Integer>();
for (int[] pos : positions) {
int cur = pos[0]*n + pos[1];
uf.ids[cur] = cur;
uf.count++;
for (int[] dir : dirs) {
int x = dir[0] + pos[0];
int y = dir[1] + pos[1];
int nb = x*n+y;
if (x<0 || x>=m || y<0 || y>=n || uf.ids[nb]==-1) continue;
if (uf.find(nb) != uf.find(cur)) {
uf.union(nb, cur);
}
}
res.add(uf.count);
}
return res;
}
public class unionFind {
int[] ids;
int count;
public unionFind(int num) {
this.ids = new int[num];
Arrays.fill(ids, -1);
this.count = 0;
}
public int find(int num) {
return ids[num];
}
public boolean union(int n1, int n2) {
int id1=ids[n1], id2=ids[n2];
if (id1 != id2) {
for (int i=0; i<ids.length; i++) {
if (ids[i] == id2) {
ids[i] = id1;
}
}
count--;
return true;
}
return false;
}
}
}
Faster Union Find方法2:Union Find Based on Quick Union 参考:https://leetcode.com/discuss/69572/easiest-java-solution-with-explanations
Quick Union is Faster than Quick Find
The idea is simple. To represent a list of islands, we use trees. i.e., a list of roots. This helps us find the identifier of an island faster. If roots[c] = p means the parent of node c is p, we can climb up the parent chain to find out the identifier of an island, i.e., which island this point belongs to:
Do root[root[roots[c]]]... until root[c] == c;
To transform the two dimension problem into the classic UF, perform a linear mapping:
int id = n * x + y;
Initially assume every cell are in non-island set {-1}. When point A is added, we create a new root, i.e., a new island. Then, check if any of its 4 neighbors belong to the same island. If not,union the neighbor by setting the root to be the same. Remember to skip non-island cells.
我觉得:Union复杂度: O(M*logN), where M is the number of calls of Union, and N is the size of id array, in our case N=m*n
Find复杂度: O(logN)
实际运行28ms
public class Solution {
public List<Integer> numIslands2(int m, int n, int[][] positions) {
int[][] dirs = new int[][]{{-1,0},{1,0},{0,1},{0,-1}};
unionFind uf = new unionFind(m*n);
List<Integer> res = new ArrayList<Integer>();
for (int[] pos : positions) {
int cur = pos[0]*n + pos[1];
uf.ids[cur] = cur;
uf.count++;
for (int[] dir : dirs) {
int x = dir[0] + pos[0];
int y = dir[1] + pos[1];
int nb = x*n+y;
if (x<0 || x>=m || y<0 || y>=n || uf.ids[nb]==-1) continue;
int rootNb = uf.root(nb);
int rootCur = uf.root(cur);
if (rootCur != rootNb) { //not connect
uf.union(rootCur, rootNb);
uf.count--;
}
}
res.add(uf.count);
}
return res;
}
public class unionFind { //ids[]记录上一跳pos,root记录最上面的pos,union(i, j)修改i的root的上一跳为j的root
int[] ids;
int count;
public unionFind(int num) {
this.ids = new int[num];
Arrays.fill(ids, -1);
this.count = 0;
}
public int root(int i) { //FIND operation is proportional to the depth of the tree.the average running time is O(logN)
while (ids[i] != i) i = ids[i];
return i;
}
public boolean isConnected(int i, int j) {
return root(i) == root(j);
}
public void union(int i, int j) {
int iRoot = root(i);
int jRoot = root(j);
ids[iRoot] = jRoot;
}
}
}
Summary of Union Find:
Princeton's lecture note on Union Find
Quick Find

Quick Union
Here is a very easy understanding video by Stanford(看3:00开始的例子,非常简单, 一看就懂)

Compare of Fast Find & Fast Union, though worst case time complexity is almost the same, fast union is faster than fast find

Leetcode: Number of Islands II && Summary of Union Find的更多相关文章
- [LeetCode] Number of Islands II 岛屿的数量之二
A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...
- LeetCode – Number of Islands II
A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...
- [LeetCode] Number of Islands II
Problem Description: A 2d grid map of m rows and n columns is initially filled with water. We may pe ...
- [LeetCode] Number of Islands 岛屿的数量
Given a 2d grid map of '1's (land) and '0's (water), count the number of islands. An island is surro ...
- [LeetCode] 305. Number of Islands II 岛屿的数量之二
A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...
- LeetCode 305. Number of Islands II
原题链接在这里:https://leetcode.com/problems/number-of-islands-ii/ 题目: A 2d grid map of m rows and n column ...
- [LeetCode] 305. Number of Islands II 岛屿的数量 II
A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...
- 305. Number of Islands II
题目: A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand ...
- [Swift]LeetCode305. 岛屿的个数 II $ Number of Islands II
A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...
随机推荐
- PHP5.4安装xhprof扩展[不要去pecl下载]
HP5.3或之前版本可以去pecl(http://pecl.php.net)下载xhprof扩展安装. 但pecl上的版本不支持PHP5.4 可以到github上的xhprof库中下载:https:/ ...
- love yy-kiss 医生出差二期
医生出差二期,做了一半撤出去做互联网医院了 http://confluence.haodf.net/pages/viewpage.action?pageId=15801359 医生出差二期 没设置数 ...
- <from>;<input>;readonly:只读;disabled:不可用;checked:用来做选中;selected:用在下拉列表中,设置那一项被选中
表单元素: ①②③④⑤⑥⑦★ 一.<from> 1. 代表表单 2 . action:提交为哪个页面 method:① get :显示提交,由长度限制 ② post: 隐藏提交 二.文 ...
- addChildViewController相关api深入剖析
注:本文根据个人的实践和理解写成,若有不当之处欢迎斧正和探讨! addChildViewController是一个从iOS5开始支持的api接口,相关的一系列的接口是用来处理viewcontrolle ...
- java中关于集合的知识点梳理
一:概述 1.集合的特点 只存储对象,集合长度是可变的,集合可以存储不同类型的对象. 2.集合框架 Collection List | | Set ArrayList Linked ...
- Spring中Quartz的最精简的配置
<bean id="parserJob4Pos" class="org.springframework.scheduling.quartz.JobDetailBea ...
- Android开发笔记:SQLite导入导出数据
SQLite是Android中最方便使用的数据库了,现在看下如何快速的在SQLite中导入导出数据. 首先由于是.NET项目转Android,原有数据库使用的是SQLSERVER,由于项目相同部分结构 ...
- Swift-04-Designated&&Convenience
class ClassA { let numA:Int init(num: Int){ numA = num } } class ClassB: ClassA { let numB:Int overr ...
- Selenium2学习-035-WebUI自动化实战实例-033-页面快照截图应用之三 -- 区域截图(专业版)
之前有写过两篇博文讲述了 WebUI 自动化测试脚本中常用的截图方法,敬请参阅如下所示链接: 浏览器显示区域截图 浏览器指定区域截图 那么当需要截取的区域不在浏览器显示窗口范围之内时,之前的方法显然无 ...
- 关于action script与js相互调用的Security Error问题
大家都知道,as和js相互调用可以通过ExternalInterface.call和ExternalInterface.addCallback来进行. 比较好的做法是使用之前通过ExternalInt ...