305. Number Of Island II
by Botao Xiao
305. Number Of Island II
Question
Given a 2d grid map of ‘1’s (land) and ‘0’s (water), count the number of islands. 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 1:
11110
11010
11000
00000
Answer: 1
Thinking:
- Method:通过并查集,可以检查连通性,也可以计算rate。
public class NumberOfIsland {
public static int numIslands(int[][] land){
if(land == null || land.length == 0) return 0;
int result = 0;
int height = land.length;
int width = land[0].length;
boolean[][] visited = new boolean[height][width];
LinkedList<Integer> q = new LinkedList<>();
for(int i = 0; i < height; i++){
for(int j = 0; j < width; j++){
if(land[i][j] != 1 || visited[i][j]) continue;
result++;
q.add(i * width + j);
while(!q.isEmpty()){
Integer cur = q.poll();
int row = cur / width, col = cur % width;
visited[row][col] = true;
for(int d = 0; d < 4; d++){
int tempRow = row, tempCol = col;
tempRow += dir[d][0];
tempCol += dir[d][1];
if(tempRow >= 0 && tempRow < height && tempCol >= 0 && tempCol < width && land[tempRow][tempCol] == 1 && !visited[tempRow][tempCol]){
q.add(tempRow * width + tempCol);
}
}
}
}
}
return result;
}
public static void main(String[] args) {
System.out.println(numIslands(land));
}
}
Subscribe via RSS