Given an m x n
binary matrix mat
, return the distance of the nearest 0
for each cell.
The distance between two adjacent cells is 1
.
Note:
- The number of elements of the given matrix will not exceed 10,000.
- There are at least one 0 in the given matrix.
- The cells are adjacent in only four directions: up, down, left and right.
Example 1:
Input: [[0,0,0], [0,1,0], [0,0,0]] Output: [[0,0,0], [0,1,0], [0,0,0]]
Example 2:
Input: [[0,0,0], [0,1,0], [1,1,1]] Output: [[0,0,0], [0,1,0], [1,2,1]]
01矩阵。
给定一个由 0 和 1 组成的矩阵 mat ,请输出一个大小相同的矩阵,其中每一个格子是 mat 中对应位置元素到最近的 0 的距离。
两个相邻元素间的距离为 1 。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/01-matrix
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
这是一道 flood fill 类型的搜索题目,在二维矩阵里面找题目规定的东西。因为是在矩阵里找最短距离,所以思路是 BFS。首先将所有值为 0 的元素都加入 queue,再将所有不为 0 的元素全都标记成 Integer.MAX_VALUE。然后按照 BFS 的正常思路遍历 queue 中的每个点。在从 queue 中弹出每个点的时候,我们先通过 queue 拿到这个点四个方向的邻居坐标。对于每个邻居坐标,我们判断
一、是否越界,越界的话就跳过
二、如果邻居坐标的坐标值是 Integer.MAX_VALUE,说明这个值就需要被更新成弹出点的坐标值 + 1
处理完了这些 case 之后,再被加入 queue 的应该只有可能是一开始被标记成 Integer.MAX_VALUE 的坐标值了。如果这些点在某一次扫描中被发现了,他们就会被标记成 1,或者是他邻居节点的节点值 + 1 然后再次放入 queue。
这个做法巧妙的地方在于先将值为 1 的坐标改成 Integer.MAX_VALUE,这样越靠近 0 的点会被越先改成 1。被改成 1 的坐标旁边如果还有 Integer.MAX_VALUE,会在被找到之后再被赋值为 1 + 1 = 2。参考第二个例子。所以与其是找每个 1 附近最近的 0,可以把题目理解成找每个 0 附近最近的 1。
时间 O(mn)
空间 O(mn) - worse case 可能所有元素都要经过一遍 queue
Java实现
1 class Solution { 2 public int[][] updateMatrix(int[][] mat) { 3 int m = mat.length; 4 int n = mat[0].length; 5 Queue<int[]> queue = new LinkedList<>(); 6 for (int i = 0; i < m; i++) { 7 for (int j = 0; j < n; j++) { 8 if (mat[i][j] == 0) { 9 queue.offer(new int[] { i, j }); 10 } else { 11 mat[i][j] = Integer.MAX_VALUE; 12 } 13 } 14 } 15 16 int[][] DIRS = { { -1, 0 }, { 1, 0 }, { 0, -1 }, { 0, 1 } }; 17 while (!queue.isEmpty()) { 18 int[] point = queue.poll(); 19 for (int[] dir : DIRS) { 20 int r = point[0] + dir[0]; 21 int c = point[1] + dir[1]; 22 // 坐标在矩阵内同时坐标值是非0的 23 if (r >= 0 && r < m && c >= 0 && c < n && mat[r][c] == Integer.MAX_VALUE) { 24 mat[r][c] = mat[point[0]][point[1]] + 1; 25 queue.offer(new int[] { r, c }); 26 } 27 } 28 } 29 return mat; 30 } 31 }
相关题目