leet-code/src/main/java/leetcode/editor/cn/PathWithMaximumGold.java

96 lines
2.9 KiB
Java
Raw Normal View History

2022-02-05 21:09:35 +08:00
//你要开发一座金矿,地质勘测学家已经探明了这座金矿中的资源分布,并用大小为 m * n 的网格 grid 进行了标注。每个单元格中的整数就表示这一单元格中的黄
//金数量;如果该单元格是空的,那么就是 0。
//
// 为了使收益最大化,矿工需要按以下规则来开采黄金:
//
//
// 每当矿工进入一个单元,就会收集该单元格中的所有黄金。
// 矿工每次可以从当前位置向上下左右四个方向走。
// 每个单元格只能被开采(进入)一次。
// 不得开采(进入)黄金数目为 0 的单元格。
// 矿工可以从网格中 任意一个 有黄金的单元格出发或者是停止。
//
//
//
//
// 示例 1
//
// 输入grid = [[0,6,0],[5,8,7],[0,9,0]]
//输出24
//解释:
//[[0,6,0],
// [5,8,7],
// [0,9,0]]
//一种收集最多黄金的路线是9 -> 8 -> 7。
//
//
// 示例 2
//
// 输入grid = [[1,0,7],[2,0,6],[3,4,5],[0,3,0],[9,0,20]]
//输出28
//解释:
//[[1,0,7],
// [2,0,6],
// [3,4,5],
// [0,3,0],
// [9,0,20]]
//一种收集最多黄金的路线是1 -> 2 -> 3 -> 4 -> 5 -> 6 -> 7。
//
//
//
//
// 提示:
//
//
// 1 <= grid.length, grid[i].length <= 15
// 0 <= grid[i][j] <= 100
// 最多 25 个单元格中有黄金。
//
// Related Topics 数组 回溯 矩阵 👍 163 👎 0
package leetcode.editor.cn;
//1219:黄金矿工
class PathWithMaximumGold {
public static void main(String[] args) {
//测试代码
Solution solution = new PathWithMaximumGold().new Solution();
}
//力扣代码
//leetcode submit region begin(Prohibit modification and deletion)
class Solution {
int[] xl = new int[]{1, -1, 0, 0};
int[] yl = new int[]{0, 0, 1, -1};
public int getMaximumGold(int[][] grid) {
int counts = 0;
boolean[][] use = new boolean[grid.length][grid[0].length];
for (int i = 0; i < grid.length; i++) {
for (int j = 0; j < grid[0].length; j++) {
use[i][j] = true;
counts = Math.max(counts, dfs(i, j, grid, use));
use[i][j] = false;
}
}
return counts;
}
private int dfs(int x, int y, int[][] grid, boolean[][] use) {
int counts = grid[x][y];
for (int i = 0; i < 4; i++) {
int nx = x + xl[i];
int ny = y + yl[i];
if (nx < 0 || nx >= grid.length || ny < 0 || ny >= grid[0].length || grid[nx][ny] == 0 || use[nx][ny]) {
continue;
}
use[nx][ny] = true;
counts = Math.max(counts, grid[x][y] + dfs(nx, ny, grid, use));
use[nx][ny] = false;
}
return counts;
}
}
//leetcode submit region end(Prohibit modification and deletion)
}