Min Cost Climbing Stairs
On a staircase, thei
-th step has some non-negative costcost[i]
assigned (0 indexed).
Once you pay the cost, you can either climb one or two steps. You need to find minimum cost to reach the top of the floor, and you can either start from the step with index 0, or the step with index 1.
Example 1:
Example 2:
Note:
cost
will have a length in the range[2, 1000]
.Every
cost[i]
will be an integer in the range[0, 999]
.
Analysis
朴素的动态规划DP - Bottom Up
这里比较明显的状态是用dp[i]
表示到达第i
个step时所需要的cost;
递推关系也容易得到,状态转移方程是
相当于 i - 1
, i - 2
位置的cost加上当前i
位置的cost
初始状态 dp[0] = cost[0], dp[1] = cost[1] 分别代表从0,或者1出发
最终结果则是取距离top为1或者2 steps中的较小值 Math.min(dp[ len - 1], dp[ len - 2])
Solution
DP - O(n) space, O(n) time - (13ms 36.68%)
DP - O(1) space, O(n) time
Time Complexity:O(N) where N is the length of
cost
.Space Complexity:O(1), the space used by
f1, f2
.
Reference
https://leetcode.com/problems/min-cost-climbing-stairs/solution/
Last updated