class Solution {
public int minCostClimbingStairs(int[] cost) {
int n = cost.length;
// 1.确定dp数组
int[] dp = new int[n+1];
// 2.确定递推关系
/**
dp[i] = Math.min(dp[i-1] + cost[i-1],dp[i-2] + cost[i-2]);
*/
// 3.初始化
dp[0] = 0;
dp[1] = 0;
// 4.遍历顺序
for(int i=2; i<=n; i++){
dp[i] = Math.min(dp[i-1]+cost[i-1],dp[i-2]+cost[i-2]);
}
return dp[n];
}
}
运行结果: