Day 26: Common Dynamic Programming Problems – Step-by-Step Solutions
Let’s explore two classic dynamic programming problems: Coin Change and Longest Increasing Subsequence (LIS).
1. Coin Change Problem
The goal is to find the minimum number of coins required to make a given amount.
javaCopy codepublic class CoinChange {
public static int coinChange(int[] coins, int amount) {
int[] dp = new int[amount + 1];
Arrays.fill(dp, amount + 1);
dp[0] = 0;
for (int coin : coins) {
for (int i = coin; i <= amount; i++) {
dp[i] = Math.min(dp[i], dp[i - coin] + 1);
}
}
return dp[amount] == amount + 1 ? -1 : dp[amount];
}
public static void main(String[] args) {
int[] coins = {1, 2, 5};
System.out.println("Minimum coins for amount 11: " + coinChange(coins, 11));
}
}
2. Longest Increasing Subsequence (LIS)
Find the longest subsequence in an array where the elements are in strictly increasing order.
javaCopy codepublic class LongestIncreasingSubsequence {
public static int lengthOfLIS(int[] nums) {
if (nums.length == 0) return 0;
int[] dp = new int[nums.length];
Arrays.fill(dp, 1);
for (int i = 1; i < nums.length; i++) {
for (int j = 0; j < i; j++) {
if (nums[i] > nums[j]) {
dp[i] = Math.max(dp[i], dp[j] + 1);
}
}
}
return Arrays.stream(dp).max().getAsInt();
}
public static void main(String[] args) {
int[] nums = {10, 9, 2, 5, 3, 7, 101, 18};
System.out.println("Length of LIS: " + lengthOfLIS(nums));
}
}
Leave a Reply