Posts Min Cost Climbing Stairs
Post
Cancel

Min Cost Climbing Stairs

This question is part of NeetCode150 series.

Problem Description

Given an integer array nums, return the length of the longest strictly increasYou 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.

leetcode

Solution

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
class Solution {

    public int minCostClimbingStairs(int[] cost) {

        int n = cost.length;

        int[] dp = new int[n+1];

        //we can start from 0th or 1st stair
        dp[0] = 0;
        dp[1] = 0;

        for(int i=2; i<=n; i++){
            dp[i] = Math.min(cost[i-1] + dp[i-1], cost[i-2] + dp[i-2]);
        }

        return dp[n];

    }
}

TOP DOWN APPROACH (RECURSION)

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
class Solution {

    public int minCostClimbingStairs(int[] cost) {
        
        int[] dp = new int[cost.length+1];
        Arrays.fill(dp, -1);

        return climbStairsHelper(cost.length, dp, cost);

    }

    public int climbStairsHelper(int n, int[] dp, int[] cost){

        if(n == 0 || n == 1) return 0;

        if(dp[n] == -1){
            dp[n] = Math.min(cost[n-1] + climbStairsHelper(n-1, dp, cost), cost[n-2] + climbStairsHelper(n-2, dp, cost)); 
        }

        return dp[n];

    }

}
This post is licensed under CC BY 4.0 by the author.