Dungeon Game

The demons had captured the princess (P) and imprisoned her in the bottom-right corner of a dungeon. The dungeon consists of M x N rooms laid out in a 2D grid. Our valiant knight (K) was initially positioned in the top-left room and must fight his way through the dungeon to rescue the princess.

The knight has an initial health point represented by a positive integer. If at any point his health point drops to 0 or below, he dies immediately.

Some of the rooms are guarded by demons, so the knight loses health (negative integers) upon entering these rooms; other rooms are either empty (0's) or contain magic orbs that increase the knight's health (positive integers).

In order to reach the princess as quickly as possible, the knight decides to move only rightward or downward in each step.

 

Write a function to determine the knight's minimum initial health so that he is able to rescue the princess.

For example, given the dungeon below, the initial health of the knight must be at least 7 if he follows the optimal path RIGHT-> RIGHT -> DOWN -> DOWN.

-2 (K) -3 3
-5 -10 1
10 30 -5 (P)

 

Notes:

    • The knight's health has no upper bound.
    • Any room can contain threats or power-ups, even the first room the knight enters and the bottom-right room where the princess is imprisoned.

 

二维DP,从底向上扫。设D[i,j]为走进房间[i,j]之前拥有,并且能够成功到达右下角所需最小HP。由于走进房间[i,j]的下一步要么走进[i,j+1],要么走进[i+1,j],所以选择D[i,j+1],D[i+1,j]中间比较小的那个作为出房间[i,j]的最小HP。所以加上房间本身的补给或是伤害之后:D[i,j] =max(1, min(D[i,j+1],D[i+1,j])-dungeon[i,j])

 1 public class Solution {
 2     public int calculateMinimumHP(int[][] dungeon) {
 3         int m = dungeon.length, n = dungeon[0].length;
 4         int[][] arr = new int[m][n];
 5         arr[m - 1][n - 1] = dungeon[m - 1][n - 1] >= 0 ? 1 : 1 - dungeon[m - 1][n - 1];
 6         for(int i = m - 2; i > -1; i --){
 7             arr[i][n - 1] = Math.max(arr[i + 1][n - 1] - dungeon[i][n - 1], 1); 
 8         }
 9         for(int j = n - 2; j > -1; j --){
10             arr[m - 1][j] = Math.max(arr[m - 1][j + 1] - dungeon[m - 1][j] , 1);
11         }
12         for(int i = m - 2; i > -1; i --){
13             for(int j = n - 2; j > -1; j --){
14                 int before = Math.min(arr[i + 1][j], arr[i][j + 1]);
15                 arr[i][j] = Math.max(before - dungeon[i][j], 1);
16             }
17         }
18         return arr[0][0];
19     }
20 }

 

posted on 2015-01-19 13:04  Step-BY-Step  阅读(221)  评论(0编辑  收藏  举报

导航