-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnumber_of_islands.cpp
51 lines (50 loc) · 1.48 KB
/
number_of_islands.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
// Question Link - https://leetcode.com/problems/number-of-islands/description?envType=study-plan-v2&envId=graph-theory
// Solution
class Solution {
public:
vector<int> dx = {1,0,-1,0};
vector<int> dy = {0,1,0,-1};
bool checker(int x, int y, int n, int m)
{
if(x>=0 && y>=0 && x<n && y<m) return true;
return false;
}
void bfs(int x, int y, vector<vector<char>>& grid, vector<vector<bool>>& vis)
{
if(vis[x][y]) return;
queue<pair<int,int>> q;
q.push(make_pair(x,y));
while(!q.empty())
{
pair<int,int> p = q.front();
q.pop();
for(int i=0;i<4;i++)
{
int xx = p.first+dx[i];
int yy = p.second+dy[i];
if(checker(xx,yy,grid.size(), grid[0].size()) && !vis[xx][yy] && grid[xx][yy]=='1')
{
q.push(make_pair(xx,yy));
vis[xx][yy]=true;
}
}
}
return;
}
int numIslands(vector<vector<char>>& grid) {
vector<vector<bool>> vis(grid.size()+1, vector<bool> (grid[0].size()+1,false));
int counter=0;
for(int i=0; i<grid.size();i++)
{
for(int j=0;j<grid[0].size(); j++)
{
if(grid[i][j] == '1' && !vis[i][j])
{
counter++;
bfs(i,j,grid,vis);
}
}
}
return counter;
}
};