LeetCode: Dungeon Game

LeetCode: Dungeon Game

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30

/**
* Created by hzhou on 2015/6/7.
* Email: [email protected]
*/
public class DungeonGame {
public int calculateMinimumHP(int[][] dungeon) {
int result = 0;
if (dungeon == null || dungeon.length == 0) {
return result;
}
int h = dungeon.length;
int w = dungeon[0].length;
int[][] map = new int[h][w];
map[h - 1][w - 1] = Math.max(1, 1 - dungeon[h - 1][w - 1]);
for (int i = h - 2; i >= 0; i--) {
map[i][w - 1] = Math.max(map[i + 1][w - 1] - dungeon[i][w - 1], 1);
}
for (int i = w - 2; i >= 0; i--) {
map[h - 1][i] = Math.max(map[h - 1][i + 1] - dungeon[h - 1][i], 1);
}
for (int i = h - 2; i >= 0; i--) {
for (int j = w - 2; j >= 0; j--) {
map[i][j] = Math.min(Math.max(1, map[i + 1][j] - dungeon[i][j]),
Math.max(1, map[i][j + 1] - dungeon[i][j]));
}
}
return map[0][0];
}
}