leetcode1162. 地图分析
题目
你现在手里有一份大小为 N x N 的『地图』(网格) grid,上面的每个『区域』(单元格)都用 0 和 1 标记好了。其中 0 代表海洋,1 代表陆地,你知道距离陆地区域最远的海洋区域是是哪一个吗?请返回该海洋区域到离它最近的陆地区域的距离。
我们这里说的距离是『曼哈顿距离』( Manhattan Distance):(x0, y0) 和 (x1, y1) 这两个区域之间的距离是 |x0 - x1| + |y0 - y1| 。
如果我们的地图上只有陆地或者海洋,请返回 -1。
题意
最终我们找的海洋点,离最近的陆地距离一定是所有海洋点最远的。
思路:多源BFS
我们可以从所有的陆地开始找,首先所有陆地周围的点距离肯定是1。继续推进则2,3,4,5… …
那什么办法可以让我们可以一层一层的推进呢?
显然是BFS,我们平时用的BFS都是单源的BFS,只能从一个点开始出发。这边则需要从多个点出发(陆地)。
所以我们想象有个超级源点Root,以某种方式连接着所有陆地点,则我们可以。通过这样的方式将多源BFS转化为传统的单源BFS。
代码
class Solution {
public int maxDistance(int[][] grid) {
//bfs需要用到队列
Queue<List<Integer>> queue = new LinkedList<>();
int r = grid.length;
int c = grid[0].length;
//假设现在已经有一个超级源点,现在需要将它的临近点(陆地)添加进队列
for(int i = 0; i < r; i++) {
for(int j = 0; j < c; j++) {
if(grid[i][j] == 1) {
List<Integer> temp = new ArrayList<>(2);
temp.add(i);
temp.add(j);
queue.offer(temp);
}
}
}
//用于记录所有点离陆地的距离
int[][] record = new int[r][c];
int[][] directs = new int[][]{{0,1},{1,0},{0,-1},{-1,0}};
while(!queue.isEmpty()) {
List<Integer> temp = queue.remove();
int i = temp.get(0);
int j = temp.get(1);
for(int[] direct : directs) {
int x = i + direct[0];
int y = j + direct[1];
//当前位置合法,并且是海洋
if(x >= 0 && x < r &&
y >= 0 && y < c && grid[x][y] == 0) {
//当前位置还没被访问过
if (record[x][y] == 0) {
record[x][y] = record[i][j] + 1;
List<Integer> list = new ArrayList<>(2);
list.add(x);
list.add(y);
queue.offer(list);
}
}
}
}
int ans = 0;
for(int[] arr : record) {
for(int num : arr) {
ans = Math.max(ans, num);
}
}
return ans != 0 ? ans : -1;
}
}