Sunday, July 12, 2015

Number of Islands -- Leetcode

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
Example 2:
11000
11000
00100
00011
Answer: 3
Answer:
class Solution {
public:
    int numIslands(vector<vector<char>>& grid) {
        int num = 0;
        int m = grid.size();
        if(m==0){
            return 0;
        }
        int n = grid[0].size();
        
        vector<vector<bool>> flag = vector<vector<bool>>(m, vector<bool>(n,false));
        
        for(int i=0;i<m;++i){
            for(int j=0;j<n;++j){
                if(grid[i][j] == '1' && !flag[i][j]){
                    num++;
                    DFS(grid,i,j,flag);
                }
            }
        }
        return num;
    }
    
    void DFS(vector<vector<char>>& grid, int i, int j, vector<vector<bool>>& flag){
        int m = grid.size();
        int n = grid[0].size();
        if(i<0 || i>=m || j<0 || j>=n){
            return;
        }
        //avoid tranverse already visited point.
        if(flag[i][j]){
            return;
        }
        
        if(grid[i][j] == '1'){
            flag[i][j] = true;
            DFS(grid, i+1,j,flag);
            DFS(grid, i-1,j,flag);
            DFS(grid, i,j-1,flag);
            DFS(grid, i,j+1,flag);
        }
        return;
    }
};

No comments:

Post a Comment