You are given an integer array cost where cost[i] is the cost of ith step on a staircase. Once you pay the cost, you can either climb one or two steps.
You can either start from the step with index 0, or the step with index 1.
Return the minimum cost to reach the top of the floor.
int 배열을 입력값으로 받는다. cost[i]는 i번째 계단을 오르기 위한 금액이다.
해당 금액을 지불하면 해당 계단으로부터 1 또는 2개의 계단을 오를 수 있다.
시작점은 0 또는 1번째 계단이 가능하다.
정상까지 도달하기 위한 최소한의 금액을 반환해라.
해당 문제에서는 Top에 도달하기 위한 최소한의 금액이므로
반환되는 값은 Math.min( f(n-1), f(n-2)) 로 나타낼 수 있다.
그리고, 방문한 계단에서의 최소로 지불해야 하는 값은 Math.min ( t[n-1], t[n-2] ) +cost [n]이다.
해당 내역을 코드로 나타내면 아래와 같다.
private int dp(int[] cost, int[] t, int len) {
if (len == 0) {
return t[0];
}
if (len == 1) {
return t[1];
}
if (t[len] != 0) {
return t[len];
}
int n1 = dp(cost, t, len - 1);
int n2 = dp(cost, t, len - 2);
t[len] = Math.min(n1, n2) + cost[len];
return t[len];
}
public int minCostClimbingStairs(int[] cost) {
int len = cost.length;
int[] t = new int[len + 1];
t[0] = cost[0];
t[1] = cost[1];
return Math.min(dp(cost, t, len - 1), dp(cost, t, len - 2));
}
위의 방법은 DP문제를 Top-Down방식으로 해결하는 방법이고, 다음으로 Bottom-Up으로 해결하는 방법을 알아보자.
public int minCostClimbingStairs(int[] cost) {
int len = cost.length;
int[] t = new int[len + 1];
t[0] = cost[0];
t[1] = cost[1];
for (int i = 2; i < len; i++) {
t[i] = Math.min(t[i - 1], t[i - 2]) + cost[i];
}
return Math.min(t[len-1], t[len-2]);
}
문제 출처 :
leetcode.com/problems/min-cost-climbing-stairs/
'LeetCode' 카테고리의 다른 글
[Leetcode][Java] 78 Subsets (0) | 2021.06.06 |
---|---|
[Leetcode][Java] 322 Coin Change (동전 교환) (0) | 2021.05.14 |
[Leetcode][Java] 70 Climbing Stairs ( 계단 오르기 ) (0) | 2021.04.20 |
[Leetcode][Java] 529 Minesweeper ( 지뢰 찾기 ) (0) | 2021.04.19 |
[Leetcode][Java] 515 Find Largest Value in Each Tree Row ( 각 트리의 레벨에서 가장 큰 값 찾기 ) (0) | 2021.04.16 |