给你一个由 ‘1’(陆地)和 ‘0’(水)组成的的二维网格,请你计算网格中岛屿的数量。
岛屿总是被水包围,并且每座岛屿只能由水平方向或竖直方向上相邻的陆地连接形成。
此外,你可以假设该网格的四条边均被水包围。
示例 1:
输入:
[
[‘1’,’1’,’1’,’1’,’0’],
[‘1’,’1’,’0’,’1’,’0’],
[‘1’,’1’,’0’,’0’,’0’],
[‘0’,’0’,’0’,’0’,’0’]
]
输出: 1
示例 2:
输入:
[
[‘1’,’1’,’0’,’0’,’0’],
[‘1’,’1’,’0’,’0’,’0’],
[‘0’,’0’,’1’,’0’,’0’],
[‘0’,’0’,’0’,’1’,’1’]
]
输出: 3
解释: 每座岛屿只能由水平和/或竖直方向上相邻的陆地连接而成。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/number-of-islands
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
我的解
class Solution {public int numIslands(char[][] grid) {if(grid == null || grid.length == 0 || grid[0].length == 0) return 0;boolean[][] record = new boolean[grid.length][grid[0].length];int result = 0;for(int i = 0; i < grid.length; i++){for(int j = 0; j < grid[0].length; j++){result += flow(record,grid,i,j);}}return result;}public int flow(boolean[][] record, char[][] grid, int row, int column){if(row < 0 || row == grid.length || column < 0 || column == grid[0].length || grid[row][column] == '0'|| record[row][column]) return 0;record[row][column] = true;flow(record,grid,row,column+1);flow(record,grid,row+1,column);flow(record,grid,row,column-1);flow(record,grid,row-1,column);return 1;}}
官解(大同小异)
class Solution {void dfs(char[][] grid, int r, int c) {int nr = grid.length;int nc = grid[0].length;if (r < 0 || c < 0 || r >= nr || c >= nc || grid[r][c] == '0') {return;}grid[r][c] = '0';dfs(grid, r - 1, c);dfs(grid, r + 1, c);dfs(grid, r, c - 1);dfs(grid, r, c + 1);}public int numIslands(char[][] grid) {if (grid == null || grid.length == 0) {return 0;}int nr = grid.length;int nc = grid[0].length;int num_islands = 0;for (int r = 0; r < nr; ++r) {for (int c = 0; c < nc; ++c) {if (grid[r][c] == '1') {//减少递归++num_islands;dfs(grid, r, c);}}}return num_islands;}}
