Question
Formatted question description: https://leetcode.ca/all/286.html
286 Walls and Gates
You are given a m x n 2D grid initialized with these three possible values.
-1 - A wall or an obstacle.
0 - A gate.
INF - Infinity means an empty room.
We use the value 2^31 - 1 = 2147483647 to represent INF as you may assume that
the distance to a gate is less than 2147483647.
Fill each empty room with the distance to its nearest gate.
If it is impossible to reach a gate, it should be filled with INF.
For example, given the 2D grid:
INF -1 0 INF
INF INF INF -1
INF -1 INF -1
0 -1 INF INF
After running your function, the 2D grid should be:
3 -1 0 1
2 2 1 -1
1 -1 2 -1
0 -1 3 4
@similar: 317 Shortest Distance from All Buildings
Algorithm
Search for the position of 0, and every time a 0 is found, start DFS traversal with four adjacent points around it as the starting point, and bring in the depth value 1.
If the value encountered is greater than the current depth value, assign the position value to the current depth value, and start DFS traversal for the four adjacent points of the current point. Note that the depth value needs to be increased by 1.
After the traversal is completed, all positions are updated correctly
Code
Java
public class Solution_dfs {
public void wallsAndGates(int[][] rooms) {
if (rooms == null || rooms.length == 0 || rooms[0].length == 0) {
return;
}
int m = rooms.length;
int n = rooms[0].length;
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
if (rooms[i][j] == 0) { // start from every gate
boolean[][] isVisited = new boolean[m][n]; // each new gate, associated with a new isVisited map
fill(rooms, i, j, -1, isVisited); // -1, to match itself in recursion
}
}
}
}
public void fill(int[][] rooms, int i, int j, int distance, boolean[][] isVisited) {
int m = rooms.length;
int n = rooms[0].length;
// rooms[i][j] <= 0 meaning == -1 or == 0, both stop
if (i < 0 || i >= m || j < 0 || j >= n || rooms[i][j] <= 0 || isVisited[i][j]) {
return;
}
rooms[i][j] = Math.min(rooms[i][j], distance + 1);
isVisited[i][j] = true;
fill(rooms, i - 1, j, distance + 1, isVisited);
fill(rooms, i, j + 1, distance + 1, isVisited);
fill(rooms, i + 1, j, distance + 1, isVisited);
fill(rooms, i, j - 1, distance + 1, isVisited);
isVisited[i][j] = false;
}
}
public class Solution_bfs {
public void wallsAndGates(int[][] rooms) {
if (rooms == null || rooms.length == 0) return;
int[][] dir = new int[][]{ {0, 1}, {0, -1}, {1, 0}, {-1, 0} };
Queue<Pair> queue = new LinkedList<>();
for (int i = 0; i < rooms.length; i++) {
for (int j = 0; j < rooms[0].length; j++) {
if (rooms[i][j] == 0) {
queue.offer(new Pair(i, j));
}
}
}
while (!queue.isEmpty()) {
Pair p = queue.poll();
for (int[] d : dir) {
int x = p.x + d[0];
int y = p.y + d[1];
if (x < 0 || x >= rooms.length || y < 0 || y >= rooms[0].length
|| rooms[x][y] <= rooms[p.x][p.y] + 1)
continue;
rooms[x][y] = rooms[p.x][p.y] + 1;
queue.offer(new Pair(x, y));
}
}
}
}