其他分享
首页 > 其他分享> > 【力扣】[热题HOT100] 200. 岛屿数量

【力扣】[热题HOT100] 200. 岛屿数量

作者:互联网

1、题目

给你一个由 ‘1’(陆地)和 ‘0’(水)组成的的二维网格,请你计算网格中岛屿的数量。

岛屿总是被水包围,并且每座岛屿只能由水平方向和/或竖直方向上相邻的陆地连接形成。
此外,你可以假设该网格的四条边均被水包围。

链接:https://leetcode-cn.com/problems/number-of-islands/

2、思路分析

深度优先搜索

3、代码展示

class Solution {
private:
    void dfs(std::vector<std::vector<char>>& grid, int row, int col)
    {
        int nr = grid.size();
        int nc = grid[0].size();
        grid[row][col] = '0';
        if(row - 1 >= 0 && grid[row-1][col] == '1') dfs(grid, row-1, col);
        if(row + 1 < nr && grid[row+1][col] == '1') dfs(grid, row+1, col);
        if(col - 1 >= 0 && grid[row][col-1] == '1') dfs(grid, row, col-1);
        if(col + 1 < nc && grid[row][col+1] == '1') dfs(grid, row, col+1);
    }

public:
    int numIslands(vector<vector<char>>& grid) {
        int row = grid.size();
        if(row <= 0)
            return 0;

        int ans = 0;
        int col = grid[0].size();
        for(int i = 0; i < row; ++i)
        {
            for(int j = 0; j < col; ++j)
            {
                if(grid[i][j] == '1')
                {
                    ans++;
                    dfs(grid, i, j);
                }
            }
        }
        return ans;
    }
};

标签:200,int,dfs,力扣,HOT100,&&,grid,col,row
来源: https://blog.csdn.net/weixin_43967449/article/details/116761291