Summary
- This solution calculates the number of unguarded cells in a grid given the positions of guards and walls.
Approach
- The approach used is to first create a map of the grid where each cell is initially unguarded (0)
- Then, we mark the positions of the walls and guards on the map
- After that, we perform a depth-first search (DFS) from each guard position to mark the cells that can be seen by the guard
- Finally, we count the number of unguarded cells by iterating over the map.
Complexity
- O(m*n + m*n*4) = O(m*n) because the DFS operations are bounded by the number of cells in the grid.
Explanation
- The provided C++ code initializes a 2D map of size m x n with all cells unguarded
- It then marks the positions of the walls and guards on the map
- After that, it performs a depth-first search (DFS) from each guard position to mark the cells that can be seen by the guard
- The DFS function recursively explores the neighboring cells in four directions (north, east, south, and west) and marks them as guarded if they are not already marked as walls or other guards
- Finally, it counts the number of unguarded cells by iterating over the map and returns the result.
Solution Code:
int dy[] = {1, -1, 0, 0};
int dx[] = {0, 0, 1, -1};
class Solution {
public:
vector< vector> map;
void fill(int m, int n, int r, int c, int dir, int v){
if(r < 0 || r >= m || c < 0 || c >= n || map[r][c] == 2 || map[r][c] == v){
return;
}
map[r][c] = v;
fill(m, n, r + dy[dir], c + dx[dir], dir, v);
}
int countUnguarded(int m, int n, vector>& guards, vector>& walls) {
for(int i = 0 ; i < m; i++){
map.push_back(vector());
for(int j = 0; j < n; j++){
map[i].push_back(0);
}
}
for(int i = 0; i < walls.size(); i++){
int r = walls[i][0];
int c = walls[i][1];
map[r][c] = 2;
}
for(int i = 0 ; i < guards.size(); i++){
int r = guards[i][0];
int c = guards[i][1];
for(int j = 0 ; j < 4; j++){
fill(m, n, r + dy[j], c + dx[j], j, j < 2 ? 4 : 5);
}
map[r][c] = 1;
}
int ans = 0;
for(int i = 0 ; i < m; i++){
for(int j = 0 ; j < n; j++){
if(map[i][j] == 0){
ans++;
}
}
}
return ans;
}
};