Coin Change Minimum Coins in DSA Typescript - Time & Space Complexity
We want to understand how the time needed to find the minimum coins changes as the amount grows.
How does the number of steps grow when we try to make bigger amounts with given coins?
Analyze the time complexity of the following code snippet.
function minCoins(coins: number[], amount: number): number {
const dp = new Array(amount + 1).fill(Infinity);
dp[0] = 0;
for (let i = 1; i <= amount; i++) {
for (const coin of coins) {
if (coin <= i) {
dp[i] = Math.min(dp[i], dp[i - coin] + 1);
}
}
}
return dp[amount] === Infinity ? -1 : dp[amount];
}
This code finds the fewest coins needed to make a given amount using the coins available.
Identify the loops, recursion, array traversals that repeat.
- Primary operation: Nested loops where for each amount from 1 to the target, we check all coins.
- How many times: Outer loop runs
amounttimes; inner loop runscoins.lengthtimes for each outer iteration.
As the amount grows, the steps grow by roughly the amount times the number of coins.
| Input Size (amount) | Approx. Operations |
|---|---|
| 10 | 10 x coins.length |
| 100 | 100 x coins.length |
| 1000 | 1000 x coins.length |
Pattern observation: The work grows linearly with the amount and linearly with the number of coins.
Time Complexity: O(amount x coins.length)
This means the time needed grows proportionally with the amount and the number of coin types.
[X] Wrong: "The time depends only on the amount, not on the number of coins."
[OK] Correct: Each coin is checked for every amount, so more coins mean more checks and more time.
Understanding this complexity helps you explain how your solution scales and shows you can analyze nested loops clearly.
"What if we used recursion with memoization instead of loops? How would the time complexity change?"