持续创作,加速成长!这是我参与「掘金日新计划 · 6 月更文挑战」的第15天,点击查看活动详情
题目描述
你被请来给一个要举办高尔夫比赛的树林砍树。树林由一个 m x n
的矩阵表示, 在这个矩阵中:
0
表示障碍,无法触碰1
表示地面,可以行走比 1 大的数
表示有树的单元格,可以行走,数值表示树的高度 每一步,你都可以向上、下、左、右四个方向之一移动一个单位,如果你站的地方有一棵树,那么你可以决定是否要砍倒它。
你需要按照树的高度从低向高砍掉所有的树,每砍过一颗树,该单元格的值变为 1
(即变为地面)。
你将从 (0, 0)
点开始工作,返回你砍完所有树需要走的最小步数。 如果你无法砍完所有的树,返回 -1
。
可以保证的是,没有两棵树的高度是相同的,并且你至少需要砍倒一棵树。
示例
输入: forest = [[1,2,3],[0,0,4],[7,6,5]]
输出: 6
解释: 沿着上面的路径,你可以用 6 步,按从最矮到最高的顺序砍掉这些树。
输入: forest = [[1,2,3],[0,0,0],[7,6,5]]
输出: -1
解释: 由于中间一行被障碍阻塞,无法访问最下面一行中的树。
输入:forest = [[2,3,4],[0,0,5],[8,7,6]]
输出:6
解释:可以按与示例 1 相同的路径来砍掉所有的树。
(0,0) 位置的树,可以直接砍去,不用算步数。
提示
m == forest.length
n == forest[i].length
1 <= m, n <= 50
0 <= forest[i][j] <= 10
BFS
class Solution {
int[][] dirs = {{-1, 0}, {1, 0}, {0, -1}, {0, 1}};
public int cutOffTree(List<List<Integer>> forest) {
List<int[]> trees = new ArrayList<int[]>();
int row = forest.size();
int col = forest.get(0).size();
for (int i = 0; i < row; ++i) {
for (int j = 0; j < col; ++j) {
if (forest.get(i).get(j) > 1) {
trees.add(new int[]{i, j});
}
}
}
// 先进行一个整体的排序
Collections.sort(trees, (a, b) -> forest.get(a[0]).get(a[1]) - forest.get(b[0]).get(b[1]));
int cx = 0;
int cy = 0;
int ans = 0;
for (int i = 0; i < trees.size(); ++i) {
// 进行广度优先搜索,计算出步数
int steps = bfs(forest, cx, cy, trees.get(i)[0], trees.get(i)[1]);
if (steps == -1) {
return -1;
}
// 更新结果
ans += steps;
cx = trees.get(i)[0];
cy = trees.get(i)[1];
}
return ans;
}
public int bfs(List<List<Integer>> forest, int sx, int sy, int tx, int ty) {
if (sx == tx && sy == ty) {
return 0;
}
int row = forest.size();
int col = forest.get(0).size();
int[][] costed = new int[row][col];
for (int i = 0; i < row; ++i) {
Arrays.fill(costed[i], Integer.MAX_VALUE);
}
PriorityQueue<int[]> pq = new PriorityQueue<int[]>((a, b) -> a[0] - b[0]);
costed[sx][sy] = Math.abs(sx - tx) + Math.abs(sy - ty);
pq.offer(new int[]{costed[sx][sy], 0, sx * col + sy});
while (!pq.isEmpty()) {
int[] arr = pq.poll();
int cost = arr[0], dist = arr[1], loc = arr[2];
int cx = loc / col;
int cy = loc % col;
if (cx == tx && cy == ty) {
return dist;
}
for (int i = 0; i < 4; ++i) {
int nx = cx + dirs[i][0];
int ny = cy + dirs[i][1];
if (nx >= 0 && nx < row && ny >= 0 && ny < col && forest.get(nx).get(ny) > 0) {
int ncost = dist + 1 + Math.abs(nx - tx) + Math.abs(ny - ty);
if (ncost < costed[nx][ny]) {
pq.offer(new int[]{ncost, dist + 1, nx * col + ny});
costed[nx][ny] = ncost;
}
}
}
}
return -1;
}
}