(UVA) Coin Change - Solution

Link to the problem: https://uva.onlinejudge.org/index.php?option=com_onlinejudge&Itemid=8&page=show_problem&problem=615

The solution below used the concept of Coin Change, related to Dynamic Programming, to solve this problem.


import java.io.*;
import java.util.*;

class Main {
    public int[] coins = {1, 5, 10, 25, 50};
    public int[][] matrix;
   
    public int coinChange(int money, int indexCoins) {
        if (money == 0) {
            return 1;
        }
        else if (money < 0 || indexCoins < 0) {
            return 0;
        }
       
        // if I have already passed for this "state"
        if (matrix[money][indexCoins] != -1) {
            return matrix[money][indexCoins];
        }
       
        int use = coinChange(money-coins[indexCoins], indexCoins);
        int notUse = coinChange(money, indexCoins-1);
        matrix[money][indexCoins] = use+notUse;
        return matrix[money][indexCoins];
    }
   
    public void process() throws NumberFormatException, IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));

        matrix = new int[7490][coins.length];
        for (int i = 0; i < 7490; i++) {
            for (int j = 0; j < coins.length; j++) {
                matrix[i][j] = -1;
            }
        }
       
        String line = br.readLine();
        while (line != null) {
            int number = Integer.parseInt(line);
           
            int result = coinChange(number, coins.length-1);       
           
            bw.write(result+"\n");
                       
            line = br.readLine();
        }
               
        bw.flush();
        bw.close();
       
        return;
    }
   
    public static void main(String[] args) throws NumberFormatException, IOException {
        Main m = new Main();
        m.process();
       
        System.exit(0);
    }
}

Comments

Popular posts from this blog

(Coderbyte) Dash Insert II - Solução

(Coderbyte) Run Length - Solução

(Coderbyte) Counting Minutes I - Solução