Coin Change Number of ways via tabulation

 // You are given an integer array coins representing
//coins of different denominations and an integer amount
// representing a total amount of money.

//Return the number of combinations that make up that
//amount. If that amount of money cannot be made up by any
//combination of the coins, return 0.

// You may assume that you have an infinite number of each
//kind of coin.
import java.util.*;

class JavaEditor2 {
    public static Scanner sc = new Scanner(System.in);

    public static int coinChange(int[] coins, int sum) {
        Arrays.sort(coins);

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

        dp[0] = 0; // No. of coins needed for sum=0 is 0,
     //but number of ways/ combination for sum=0 will be 1;

        for (int i = 1; i < sum + 1; i++)
            dp[i] = Integer.MAX_VALUE - 100000;

        for (int i = 0; i < coins.length; i++) {
            for (int j = 1; j < sum + 1; j++) {
                if (j - coins[i] >= 0)
              dp[j] = Math.min(dp[j], 1 + dp[j - coins[i]]);
            }
        }
        if (dp[sum] == Integer.MAX_VALUE - 100000)
            return -1;
        return dp[sum];
    }

    public static void main(String[] args) {
        int n = sc.nextInt();
        int[] a = new int[n];
        for (int i = 0; i < n; i++)
            a[i] = sc.nextInt();
        int amount = sc.nextInt();
        int ans = coinChange(a, amount);
        System.out.println(ans);
    }
}

Comments

Post a Comment

Popular posts from this blog

First_Come_First_Serve CPU Scheduling

Reversing stack Method 2 !! (One Helper Stack only)

Populating Next Right Pointers in Each Node in O(1) space (without queue and level order)

Calculate factorial of large numbers !! (Using Arrays)

Multiplication of large numbers (Given in string format)

Left View of Binary Tree (Method 1 using recursion)

Check Bracket Sequence

Image Multiplication

Boundary Traversal of binary tree

BST to greater sum tree