|
1 | | -from typing import List |
2 | | - |
| 1 | +# cache dictionary, key is (total, tuple_of_coins) |
| 2 | +_change_cache = {} |
3 | 3 |
|
4 | 4 | def ways_to_make_change(total: int) -> int: |
5 | 5 | """ |
6 | 6 | Given access to coins with the values 1, 2, 5, 10, 20, 50, 100, 200, returns a count of all of the ways to make the passed total value. |
7 | 7 |
|
8 | 8 | For instance, there are two ways to make a value of 3: with 3x 1 coins, or with 1x 1 coin and 1x 2 coin. |
9 | 9 | """ |
10 | | - return ways_to_make_change_helper(total, [200, 100, 50, 20, 10, 5, 2, 1]) |
| 10 | + _change_cache.clear() |
| 11 | + coins = (200, 100, 50, 20, 10, 5, 2, 1) |
| 12 | + return ways_to_make_change_helper(total, tuple(coins)) |
11 | 13 |
|
12 | 14 |
|
13 | | -def ways_to_make_change_helper(total: int, coins: List[int]) -> int: |
| 15 | +def ways_to_make_change_helper(total: int, coins: tuple) -> int: |
14 | 16 | """ |
15 | 17 | Helper function for ways_to_make_change to avoid exposing the coins parameter to callers. |
16 | 18 | """ |
17 | | - if total == 0 or len(coins) == 0: |
| 19 | + if total == 0: |
| 20 | + return 1 |
| 21 | + if not coins: |
18 | 22 | return 0 |
19 | 23 |
|
| 24 | + key = (total, coins) |
| 25 | + if key in _change_cache: |
| 26 | + return _change_cache[key] |
| 27 | + |
| 28 | + coin = coins[0] |
| 29 | + rest = coins[1:] |
| 30 | + |
20 | 31 | ways = 0 |
21 | | - for coin_index in range(len(coins)): |
22 | | - coin = coins[coin_index] |
23 | | - count_of_coin = 1 |
24 | | - while coin * count_of_coin <= total: |
25 | | - total_from_coins = coin * count_of_coin |
26 | | - if total_from_coins == total: |
27 | | - ways += 1 |
28 | | - else: |
29 | | - intermediate = ways_to_make_change_helper(total - total_from_coins, coins=coins[coin_index+1:]) |
30 | | - ways += intermediate |
31 | | - count_of_coin += 1 |
| 32 | + count_of_coin = 0 |
| 33 | + |
| 34 | + while coin * count_of_coin <= total: |
| 35 | + total_from_coins = coin * count_of_coin |
| 36 | + intermediate = ways_to_make_change_helper(total - total_from_coins, rest) |
| 37 | + ways += intermediate |
| 38 | + count_of_coin += 1 |
| 39 | + |
| 40 | + _change_cache[key] = ways |
32 | 41 | return ways |
0 commit comments