2241. Design an ATM Machine
Problem Description
This problem presents a simulation of an ATM machine that operates with five denominations of banknotes: 20, 50, 100, 200, and 500 dollars. The ATM starts out empty and supports two primary operations: depositing and withdrawing money. When depositing, the user increases the count of each denomination in a specific order. Withdrawing involves the user requesting a certain amount of money, and the ATM provides this amount using the largest denomination banknotes first. The ATM tries to give the user as little banknotes as possible, ensuring the total amount of banknotes provided sums up to the amount requested. If the ATM cannot provide the exact amount with the banknotes available (without splitting a banknote), the withdraw request is rejected and should return [-1]
without any banknotes being dispensed.
Intuition
To solve this problem, we maintain an array that keeps track of the count of each denomination available in the ATM. On depositing banknotes, we simply increase the count for each denomination. On withdrawing, we iterate through the denominations from the largest to the smallest. We determine the maximum number of banknotes of the current denomination we can use without exceeding the requested amount. This is achieved by dividing the requested amount by the value of the current denomination. We then subtract the value of these banknotes from the requested amount and proceed to the next smallest denomination. This process is repeated until the amount is fulfilled or we realize that the withdrawal cannot be made with the available notes (i.e., there is still some amount left to be withdrawn after using all possible banknotes). In this case, we return [-1]
. If the withdraw request is successful, we update the ATM's banknote count and return the banknotes distributed.
Learn more about Greedy patterns.
Solution Approach
The solution approach for the ATM class involves creating basic operations to simulate the deposit and withdrawal process of an ATM. The data structure used here is a simple list to keep track of the count of available banknotes of each denomination.
-
Initialization (
__init__
):- We initialize the banknote counters as a list of 5 zeros (
self.cnt = [0] * 5
), each corresponding to one of the five denominations available. - We also create a list of denominations (
self.d = [20, 50, 100, 200, 500]
) corresponding to the actual values of the banknotes for easy reference.
- We initialize the banknote counters as a list of 5 zeros (
-
Deposit (
deposit
):- This method takes a list of integers that represent the counts of banknotes to be added for each denomination.
- The method updates the counts by iterating through each denomination and adding the respective count from the input list (
banknotesCount
) to the ATM's count (usingself.cnt[i] += v
).
-
Withdrawal (
withdraw
):- The withdraw method attempts to dispense the requested
amount
using the largest banknotes first. - We create a temporary list
ans
to store the number of banknotes to be given for each denomination. - From the largest to the smallest denomination, we calculate the maximum number of banknotes of the current denomination that can be used (
min(amount // self.d[i], self.cnt[i])
) without surpassing the requested amount. - We then subtract the total value of these banknotes from the
amount
, thus reducing the remaining amount to be dispensed. - If, after iterating through all denominations, the
amount
is greater than zero, this means that the remaining amount cannot be dispensed using available banknotes, so we return[-1]
. - If the
amount
is zero, the withdrawal is successful, and we then update the ATM's banknote counters by subtracting the banknotes to be dispensed (self.cnt[i] -= v
). - Finally, we return the array
ans
, showing the number of each banknote that will be dispensed.
- The withdraw method attempts to dispense the requested
This algorithm follows a greedy approach, always trying to use the largest denomination banknotes first. This is a common pattern when the goal is to minimize the number of items or entities (in this case, the number of banknotes) to reach a certain sum or total. The greedy approach works here because there are no restrictions on combinations that could prevent the use of the largest banknotes first.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's go through an example to illustrate the solution approach. Assume we have an instance of the ATM class named atm
, and we follow these operations:
- The atm starts off empty, so each denomination has a count of 0.
- We deposit an array of banknotes:
banknotesCount = [0, 0, 1, 0, 2]
. This means 0 units of 50, 1 unit of 200, and 2 units of $500 banknotes are added to the ATM.- The ATM counts are updated, and now we have
self.cnt = [0, 0, 1, 0, 2]
.
- The ATM counts are updated, and now we have
- Suppose a user requests to withdraw $600.
- The ATM will try to fulfill this with the least number of banknotes, starting with the largest denomination. Since we have two 600 with $500.
- The ATM can only give 1 note of 600. After dispensing one 100 remains to be given.
- Next, it looks to the $200 denomination but skips it since it's not available.
- Then the ATM checks the $100 denomination and sees that it can dispense 1 note to fulfill the remaining amount.
- The withdrawal array so far will be
[0, 0, 1, 0, 1]
representing 0 units of 50, 1 unit of 200, and 1 unit of $500 banknotes. - After the withdrawal, the ATM updates its counts, resulting in
self.cnt = [0, 0, 0, 0, 1]
.
Let's examine the steps more formally:
- Initialization: ATM
atm
starts with counts as[0, 0, 0, 0, 0]
. - Deposit: After depositing
banknotesCount = [0, 0, 1, 0, 2]
, the ATM's counts are[0, 0, 1, 0, 2]
. - Withdraw: To fulfill the withdraw request of $600,
- The ATM iterates from the largest denomination (100 to be given.
- Skips the $200 denomination as it's not available.
- Gives out 1 note of 100 needed.
- The withdrawal array is
[0, 0, 1, 0, 1]
representing the number of each denomination dispensed. - The ATM updates its counts to
[0, 0, 0, 0, 1]
.
If a second withdrawal request arrives, for example, $300, the ATM would go through its denominations:
- It looks at the $500 denomination but using it would exceed the withdrawal amount.
- It skips the 100 denominations since they are no longer available.
- Since there are no banknotes that can fulfill this request, the ATM would return
[-1]
indicating the withdrawal cannot be made with the available notes.
In summary, the ATM uses a greedy withdrawal strategy, dispensing the largest notes first and updating its internal counts accordingly. If, at any point during withdrawal, it cannot fulfill the requested amount with the available notes, it declines the transaction.
Solution Implementation
1from typing import List
2
3class ATM:
4 def __init__(self):
5 # Initialize counts of each banknote type to 0
6 self.banknote_counts = [0] * 5
7 # Define the denominations in ascending order
8 self.denominations = [20, 50, 100, 200, 500]
9
10 def deposit(self, banknotesCount: List[int]) -> None:
11 """
12 Deposits an array of banknotes.
13 :param banknotesCount: A list of integers representing the count of each banknote to deposit.
14 """
15 # Increment the count for each banknote denomination
16 for i, count in enumerate(banknotesCount):
17 self.banknote_counts[i] += count
18
19 def withdraw(self, amount: int) -> List[int]:
20 """
21 Withdraws an amount by dispensing the fewest number of banknotes possible.
22 :param amount: Integer amount to withdraw.
23 :return: List of integers representing the count of each banknote denomination dispensed, or [-1] if transaction can't be made.
24 """
25 # Initialize the result list to 0 for each denomination
26 withdrawal_counts = [0] * 5
27
28 # Attempt to withdraw from highest to smallest denomination
29 for i in range(4, -1, -1):
30 # Calculate the number of banknotes of the current denomination we can dispense
31 withdrawal_counts[i] = min(amount // self.denominations[i], self.banknote_counts[i])
32 # Reduce the amount by the value dispensed
33 amount -= withdrawal_counts[i] * self.denominations[i]
34
35 # Check if it's possible to dispense the full amount
36 if amount > 0:
37 return [-1] # Unable to dispense the exact amount with available banknotes
38
39 # Update the ATM's banknote counts after dispensing
40 for i, count in enumerate(withdrawal_counts):
41 self.banknote_counts[i] -= count
42
43 return withdrawal_counts # Return the banknotes dispensed
44
45
46# Example usage:
47# atm = ATM()
48# atm.deposit([0,2,1,0,1])
49# print(atm.withdraw(600)) # Should print the banknote distribution if possible, otherwise [-1]
50
1class ATM {
2 // Array to hold the count of each banknote denomination
3 private long[] banknoteCounts = new long[5];
4 // Array to represent the value of each banknote denomination
5 private int[] denominations = {20, 50, 100, 200, 500};
6
7 // Constructor for the ATM (not needed in this context as it does nothing)
8 public ATM() {
9 }
10
11 // Method to deposit a variable number of banknotes
12 public void deposit(int[] banknotesCount) {
13 // Iterate over the array of banknotes to be deposited
14 for (int i = 0; i < banknotesCount.length; ++i) {
15 // Add the deposited banknotes to the respective count in banknoteCounts
16 banknoteCounts[i] += banknotesCount[i];
17 }
18 }
19
20 // Method to withdraw a specified amount from the ATM
21 public int[] withdraw(int amount) {
22 // Array to hold the number of banknotes to dispense of each denomination
23 int[] withdrawalArray = new int[5];
24 // Iterate over the banknote denominations starting from the largest to the smallest
25 for (int i = 4; i >= 0; --i) {
26 // Calculate the number of banknotes of the current denomination to dispense
27 withdrawalArray[i] = (int) Math.min(amount / denominations[i], banknoteCounts[i]);
28 // Reduce the amount by the total value of the dispensed banknotes of the current denomination
29 amount -= withdrawalArray[i] * denominations[i];
30 }
31 // If the exact amount cannot be dispensed (non-zero remainder)
32 if (amount > 0) {
33 // Return an array containing only -1 as an error code
34 return new int[] {-1};
35 }
36 // If the exact amount can be dispensed, update the banknote counts
37 for (int i = 0; i < 5; ++i) {
38 // Subtract the dispensed banknotes from the banknoteCounts
39 banknoteCounts[i] -= withdrawalArray[i];
40 }
41 // Return the array of dispensed banknotes
42 return withdrawalArray;
43 }
44}
45
46/**
47 * Your ATM object will be instantiated and called as such:
48 * ATM obj = new ATM();
49 * obj.deposit(banknotesCount);
50 * int[] param_2 = obj.withdraw(amount);
51 */
52
1#include <vector>
2using namespace std;
3
4// Class to simulate ATM operations
5class ATM {
6public:
7 // Constructor to initialize the ATM with empty banknote counters
8 ATM() {
9 }
10
11 // Function to deposit a specific count of banknotes into the ATM
12 void deposit(vector<int> banknotesCount) {
13 // Iterate through the banknote denominations and add the count of banknotes
14 for (int i = 0; i < banknotesCount.size(); ++i) {
15 banknoteCounters[i] += banknotesCount[i];
16 }
17 }
18
19 // Function to withdraw a specific amount from the ATM
20 vector<int> withdraw(int amount) {
21 vector<int> result(5, 0); // Stores the number of banknotes to dispense for each denomination
22
23 // Iterate through the banknote denominations from highest to lowest
24 for (int i = 4; i >= 0; --i) {
25 // Calculate the max number of banknotes of denomination that can be dispensed
26 result[i] = min(static_cast<long long>(amount) / denominations[i], banknoteCounters[i]);
27 // Subtract the value of the dispensed banknotes from the amount
28 amount -= result[i] * denominations[i];
29 }
30
31 // Check if the requested amount could not be withdrawn from the available banknotes
32 if (amount > 0) {
33 return {-1}; // Return {-1} to indicate failure to withdraw the full amount
34 }
35
36 // Subtract dispensed banknotes from the banknote counters
37 for (int i = 0; i < 5; ++i) {
38 banknoteCounters[i] -= result[i];
39 }
40
41 return result; // Return the number of banknotes dispensed for each denomination
42 }
43
44private:
45 // Array to hold the count of each banknote denomination in the ATM
46 long long banknoteCounters[5] = {0};
47 // Array representing the value of each banknote denomination
48 int denominations[5] = {20, 50, 100, 200, 500};
49};
50
51/**
52 * Example of how the ATM class is used:
53 * ATM* atm = new ATM();
54 * atm->deposit(banknotesCount);
55 * vector<int> withdrawnAmount = atm->withdraw(amount);
56 */
57
1// Variables to hold the count and denominations of each banknote in the ATM
2let banknoteCounters: Array<number> = [0, 0, 0, 0, 0];
3let denominations: Array<number> = [20, 50, 100, 200, 500];
4
5/**
6 * Initialize the ATM with an empty banknote counters data structure.
7 */
8function initATM() {
9 banknoteCounters = [0, 0, 0, 0, 0];
10}
11
12/**
13 * Deposit a specific count of banknotes into the ATM.
14 * @param {number[]} banknotesCount - Array containing the count of banknotes to deposit for each denomination.
15 */
16function deposit(banknotesCount: Array<number>) {
17 for (let i = 0; i < banknotesCount.length; i++) {
18 banknoteCounters[i] += banknotesCount[i];
19 }
20}
21
22/**
23 * Withdraw a specific amount from the ATM.
24 * @param {number} amount - The amount to withdraw from the ATM.
25 * @returns {number[]} array containing the number of banknotes to be dispensed for each denomination, or [-1] if it's not possible to withdraw the specified amount with the available banknotes.
26 */
27function withdraw(amount: number): Array<number> {
28 let result = [0, 0, 0, 0, 0]; // Stores the number of banknotes to dispense for each denomination
29
30 // Iterate from highest denomination to lowest
31 for (let i = 4; i >= 0; i--) {
32 let numBanknotes = Math.min(Math.floor(amount / denominations[i]), banknoteCounters[i]);
33 amount -= numBanknotes * denominations[i];
34 result[i] = numBanknotes;
35 }
36
37 // Check if the full amount could be withdrawn
38 if (amount > 0) {
39 // Failure to withdraw the full amount
40 return [-1];
41 }
42
43 // Subtract the dispensed banknotes from the banknote counters
44 for (let i = 0; i < 5; i++) {
45 banknoteCounters[i] -= result[i];
46 }
47
48 // Return the number of banknotes dispensed for each denomination
49 return result;
50}
51
52// Example usage
53// initATM(); // Initializes the ATM
54// deposit([10, 10, 10, 10, 10]); // Deposits an initial amount into the ATM
55// const withdrawnAmount: Array<number> = withdraw(1500); // Withdraws an amount from the ATM
56
Time and Space Complexity
Time Complexity
The time complexity of deposit
:
- The function
deposit
iterates over thebanknotesCount
list once, which has a fixed size of 5. The number of operations is constant, regardless of input size. Therefore, the time complexity isO(1)
.
The time complexity of withdraw
:
- The withdraw function contains a loop that iterates in reverse over a fixed-size list (
self.d
), which has 5 elements corresponding to the different banknote denominations. The operations inside the loop are constant time. - The loop runs a fixed number of times regardless of the
amount
because the denominations are given and unchanging. Therefore, this loop contributes a constant time complexityO(1)
. - The second loop occurs only if the withdrawal is successful, iterating over the
ans
list to update theself.cnt
array. Sinceans
has a fixed size of 5, this also contributesO(1)
.
In summary, both deposit
and withdraw
have constant time complexity because they operate over a fixed-size array that represents the banknote denominations and counts. Therefore, the overall time complexity of each operation in the ATM
class is O(1)
.
Space Complexity
The space complexity of the ATM
class:
- The class maintains a fixed-size integer array
self.cnt
which has a length of 5, and the arrayself.d
which is also of length 5 and is used for the denominations. These do not scale with input size and are considered constant spaceO(1)
. - Temporary variables used in both
deposit
andwithdraw
methods are also constant in size, not dependent on the input.
Given these observations, the space complexity of the ATM
class operations (deposit
and withdraw
) is O(1)
. The state of the ATM and the operations do not require additional space that grows with the input size.
Learn more about how to find time and space complexity quickly using problem constraints.
A heap is a ...?
Recommended Readings
Greedy Introduction div class responsive iframe iframe src https www youtube com embed WTslqPbj7I title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture web share allowfullscreen iframe div When do we use greedy Greedy algorithms tend to solve optimization problems Typically they will ask you to calculate the max min of some value Commonly you may see this phrased in the problem as max min longest shortest largest smallest etc These keywords can be identified by just scanning
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!