Matrix DP - 120. Triangle
2018-04-06 本文已影响0人
Super_Alan
https://leetcode.com/problems/triangle/description/
代码:
// assume triangle is ArrayList<ArrayList<Integer>>, so list.get(index) will be O(1) operation
// 不要纠结 List 的 get 操作可能是 O(n) runtime; 既然是实现某项功能,使用正确的数据结构是很重要的;如果是该function是用来作 api 使用的,那么数据结构可能是json,需要做预处理。
// 面试的时候,List 数据结构不同,所需要的runtime 也不同就可以了。
class Solution {
public int minimumTotal(List<List<Integer>> triangle) {
int[] dp = new int[triangle.size() + 1];
for (int i = triangle.size() - 1; i >= 0; i--) {
List<Integer> list = triangle.get(i);
for (int j = 0; j < list.size(); j++) {
dp[j] = list.get(j) + Math.min(dp[j], dp[j + 1]);
}
}
return dp[0];
}
}