2043. Simple Bank System - Detailed Explanation

Free Coding Questions Catalog
Boost your coding skills with our essential coding questions catalog. Take a step towards a better tech career now!

Problem Statement

The Simple Bank System problem asks us to design a Bank class to manage multiple bank accounts and their transactions. We have n accounts numbered from 1 to n, and an initial balance for each account is provided in an array. We need to support three types of operations on these accounts:

  • Transfer money from one account to another.
  • Deposit money into an account.
  • Withdraw money from an account.

Each transaction must be executed only if it is valid. A transaction is considered valid if:

  1. The account number(s) involved are within the range 1 to n (i.e., the accounts exist).
  2. For withdrawal or the source account of a transfer, the amount of money to take out does not exceed the current balance of that account.

If a transaction is valid, it should update the account balances accordingly and return true. If not, it should not change any balances and return false.

Constraints:

  • 1 ≤ n ≤ 10^5 (number of accounts)
  • Account numbers are in the range 1 to n.
  • 0 ≤ balance[i], money ≤ 10^12 (balances and transaction amounts can be large).
  • At most 10^4 calls to each of the functions (transfer, deposit, withdraw) will be made. This means we could have up to about 30,000 total transactions to process in the worst case.

Example 1:

  • Input:
    ["Bank", "withdraw", "transfer", "deposit", "transfer", "withdraw"]
    [[[10, 100, 20, 50, 30]], [3, 10], [5, 1, 20], [5, 20], [3, 4, 15], [10, 50]]
  • Output:
    [null, true, true, true, false, false]
  • Explanation:
    1. Bank([10, 100, 20, 50, 30]) initializes 5 accounts with given balances (account1=10, account2=100, account3=20, account4=50, account5=$30). Output is null for constructor.

    2. withdraw(3, 10) returns true – Account 3 had 20, so withdrawing 10 is valid. New balance of account3 is 20 - 10 = $10.

    3. transfer(5, 1, 20) returns true – Account 5 had 30, so transferring 20 to account1 is valid. New balance of account5 is 30 - 20 = 10**, and account1 becomes 10 + 20 = **30.

    4. deposit(5, 20) returns true – Depositing 20 into account5 is always valid. New balance of account5 is 10 + 20 = **30**.

    5. transfer(3, 4, 15) returns false – Account 3 currently has 10, so it cannot transfer 15 (insufficient funds). Balances remain unchanged (account3 is still $10).

    6. withdraw(10, 50) returns false – Account 10 does not exist (we only have 5 accounts), so the transaction is invalid.

Example 2:

  • Input:
    ["Bank", "deposit", "withdraw", "withdraw"]
    [[[50]], [1, 20], [1, 30], [1, 50]]
  • Output:
    [null, true, true, false]
  • Explanation:
    1. Bank([50]) initializes 1 account with balance $50.

    2. deposit(1, 20) returns true – Account 1 receives 20, increasing the balance from 50 to $70.

    3. withdraw(1, 30) returns true30 is withdrawn from account1 (had 70), leaving $40.

    4. withdraw(1, 50) returns false – Cannot withdraw 50 because account1 only has 40 now (insufficient funds).

Example 3:

  • Input:
    ["Bank", "transfer", "transfer", "deposit", "withdraw"]
    [[[20, 5]], [1, 2, 5], [2, 1, 15], [2, 20], [1, 25]]
  • Output:
    [null, true, false, true, false]
  • Explanation:
    1. Bank([20, 5]) initializes 2 accounts: account1=20, account2=5.

    2. transfer(1, 2, 5) returns true5 is moved from account1 to account2. New balances: account1 = **15**, account2 = $10.

    3. transfer(2, 1, 15) returns false – Account 2 has 10, which is not enough to transfer 15. No balances change (account1 still 15, account2 10).

    4. deposit(2, 20) returns true – Account 2 gains 20, new balance = **30**.

    5. withdraw(1, 25) returns false – Account 1 has 15, cannot withdraw 25. Balance remains $15.

These examples demonstrate various scenarios: valid and invalid withdrawals, deposits, and transfers, including edge cases like insufficient funds and non-existent accounts.

Hints

  • Think about data representation: Since accounts are numbered 1 through n, a simple array or list can hold the balances. The index of the array can correspond to the account number (with an offset because of 1-indexing). This makes accessing any account's balance very fast.

  • Be careful with indexing: If accounts are 1-indexed (i.e., account 1 is at index 0 of the array), make sure to convert between account number and array index correctly. For example, use index = account - 1 when accessing the balance array.

  • Validate accounts first: Before performing any operation, always check that the given account number(s) are within the valid range. An account number is valid if 1 <= account <= n (where n is the number of accounts). If an account is out of range, the operation should immediately return false.

  • Check balances for withdrawals/transfers: For a withdrawal or a transfer, ensure the source account has enough balance (balance >= money) before deducting anything. If not, the operation fails (returns false) and no balance is changed.

  • Reuse logic when possible: The transfer operation can be seen as a withdraw followed by a deposit. Consider calling your withdraw and deposit methods inside transfer to avoid duplicating code, or handle it in a single method with combined checks. Just be careful to only withdraw if both accounts are valid and the source has enough money.

  • Use appropriate data types: The balances and transaction amounts can be up to 10^12, which may exceed the limit of a 32-bit integer. In languages like Java, use a 64-bit type (like long) to store money. In Python, the built-in int can handle big numbers, but conceptually it's a large integer.

Multiple Approaches

There are not many drastically different algorithms for this problem since it’s straightforward simulation. However, we can discuss a naive approach versus a more efficient approach, and how careful design can improve clarity and performance.

Approach 1: Brute Force Simulation (Naive)

Idea: Simulate each transaction in a straightforward way by manually checking all conditions every time. A very naive implementation might even search for the account in a list or use if/else logic separately for each operation without reusing code. For example, for a transfer, you could explicitly check both account numbers and then subtract and add balances, writing out all steps.

How it works:

  • Use an array or list balance to store account balances.
  • For each operation:
    • withdraw(account, money): Check if account is valid by ensuring 1 <= account <= n. If not, return false. If valid, then check if balance[account-1] >= money. If not enough balance, return false. Otherwise, subtract the money from balance[account-1] and return true.

    • deposit(account, money): Check validity of account. If valid, add money to balance[account-1] and return true. If not valid, return false.

    • transfer(account1, account2, money): First check both account1 and account2 are in range. If either is invalid, return false. Then check if balance[account1-1] >= money (the source has enough funds). If not, return false. If all checks pass, subtract money from account1's balance and add money to account2's balance, then return true.

This approach is essentially implementing the logic directly as stated. It works correctly, but if one implemented it very naively, they might do unnecessary work. For instance, a naive approach might linearly search through the list of accounts to verify an account exists (which is not needed because we can calculate the index directly). Such unnecessary looping would make each operation O(n) where n is the number of accounts.

Complexity: In the worst naive scenario, if each transaction involved scanning through n accounts to find the right one, a single operation could take O(n) time. With up to m operations, that could be O(n * m) steps. Given the constraints (n up to 100k, and m up to 30k total calls), this could be on the order of 100k * 30k = 3 billion checks in the worst case, which would be far too slow. Fortunately, we don't need to scan – we can directly index into the array. The space complexity for this approach is O(n) to store the balances array. (If a truly naive approach used extra structures or copies, it could be worse, but that's unnecessary.)

Approach 2: Optimal Direct Access (Efficient Simulation)

Idea: We can optimize by using direct indexing to access accounts in O(1) time, rather than any searching. Since account numbers map directly to indices in the balance array, each operation can be done in constant time by directly checking or updating the corresponding entry. Additionally, we can streamline the code by avoiding repetition – for example, using helper checks or reusing deposit/withdraw logic inside transfer as appropriate.

How it works:

  • Initialization: Simply store the given balance array internally (no need to copy element by element, we can just keep a reference in most languages). Also store n = len(balance) for quick access to the number of accounts.

  • Validating accounts: Write a small helper (or just inline check) to verify an account number is within 1..n. This is a quick comparison.

  • withdraw(account, money): Check account validity. If invalid, return false. If valid, check if balance[account-1] >= money. If not, return false (insufficient funds). If yes, subtract the amount: balance[account-1] -= money and return true.

  • deposit(account, money): Check account validity. If valid, add the amount: balance[account-1] += money and return true. If invalid, return false. (Depositing money into a valid account is always allowed since there's no upper limit on balance given in the problem.)

  • transfer(account1, account2, money): Check both accounts are valid. If either is invalid, return false immediately (no money moves). If both valid, check that account1 (source) has at least money. If not, return false (cannot transfer more than available). If yes, then perform the transfer: subtract money from balance[account1-1] and add money to balance[account2-1], then return true.

    • Tip: We can implement transfer by simply doing the above steps, or we could call our withdraw(account1, money) and deposit(account2, money) methods internally. If withdraw fails, we return false; if it succeeds, then call deposit on account2 and return that result. This way, we reuse our already tested logic for those operations.

Because we are using direct index access and simple conditional checks, each operation runs in constant time, O(1). We do a fixed amount of work (a few comparisons and arithmetic operations) for each call, regardless of the number of accounts. This meets the performance needs easily – even 30,000 operations will execute quickly when each is O(1). The space complexity remains O(n) for storing the balances. We use only a few extra variables for indices or for the number of accounts, which is negligible compared to the array size.

Complexity: Each transaction (deposit, withdraw, or transfer) completes in O(1) time on average, since it involves just index lookups and arithmetic. Thus, processing m operations is O(m). With m up to ~30,000, this is very efficient. Space complexity is O(n) for the balance storage (proportional to the number of accounts), which is optimal since we must at least store all account balances.

Comparison of Approaches: In this problem, the "brute force" and "optimal" approaches end up being conceptually similar because the straightforward solution is already optimal. The key difference is avoiding any unnecessary loops or overhead:

  • A truly naive approach that used linear scans to find accounts would be inefficient (O(n) per operation), but most people will naturally use direct indexing here.
  • The optimal approach uses direct indexing and careful checks, making each operation O(1). This is the intended solution and is easy to implement given the direct relationship between account number and array index.

Code Implementation

Below are implementations of the Bank class in both Python and Java. Each provides the required methods (transfer, deposit, withdraw).

Python Implementation

Python3
Python3

. . . .

Java Implementation

Java
Java

. . . .

Complexity Analysis

Let n be the number of accounts and m be the number of transactions (operations) performed:

  • Time Complexity:
    • Brute Force Approach: In the worst case, if each operation did something like a linear scan or other redundant work, an operation could take O(n) time, leading to O(n * m) for m operations. For example, scanning an array of 100k accounts for each of 30k operations would be on the order of 3 billion steps, which is not feasible in a timely manner.

    • Optimal Approach: Each operation (deposit, withdraw, or transfer) uses direct index access and a few comparisons, which is O(1) time. So m operations take O(m) time in total. Given the constraints, in the worst case m ≈ 30,000, so this is on the order of tens of thousands of steps, which is very fast. There is effectively no difference in complexity between deposit/withdraw/transfer – all are constant-time actions.

  • Space Complexity:
    • Both approaches require storing the balances of all accounts. This uses O(n) space for the balance array. We also use a few extra variables (for example, to store n, or loop counters in a naive scan), but those are negligible (O(1) additional space). The space complexity is dominated by the need to store the account balances.
    • No additional data structures of significant size are used in the optimal solution; it operates in place on the balance array. In a very naive approach, if someone created copies of the array or used additional lists/maps unnecessarily, that would use more memory, but that’s easily avoided.

In summary, the optimal solution runs in O(1) time per operation and O(n) space overall, which meets the requirements given the input sizes. The brute-force idea is theoretically less efficient, but most reasonable implementations will naturally be O(1) per operation as well by using array indexing.

Step-by-Step Walkthrough with Visuals

Let's walk through a sequence of operations step by step using Example 1 to see how the system state changes and how the checks are performed at each step. We will track the balances of each account after each operation:

Suppose we start with 5 accounts having balances:
Initial state: [10, 100, 20, 50, 30]
(This represents account1=$10, account2=$100, account3=$20, account4=$50, account5=$30.)

Now execute the operations one by one:

  1. Operation: withdraw(3, 10)Withdraw $10 from account3.

    • Validity check: Account 3 is within 1..5 (valid). It has balance $20, which is ≥ $10, so sufficient funds.
    • Action: Subtract 10 from account3's balance.
    • New state: [10, 100, 10, 50, 30]
      (Account 3's balance went from $20 to $10. Other accounts unchanged.)
    • Output: true (the withdrawal was successful).
  2. Operation: transfer(5, 1, 20)Transfer $20 from account5 to account1.

    • Validity check: Both account 5 and account 1 exist (1..5 are valid ranges). Account 5's balance is 30, which is ≥ 20, so it can send $20.
    • Action: Subtract 20 from account5, add 20 to account1.
    • New state: [30, 100, 10, 50, 10]
      (Account 5: 30 → 10 after sending 20; Account 1: 10 → 30 after receiving 20. Accounts 2,3,4 unchanged.)
    • Output: true (the transfer succeeded).
  3. Operation: deposit(5, 20)Deposit $20 into account5.

    • Validity check: Account 5 is a valid account. (We don't need to check funds for deposit since depositing increases balance.)
    • Action: Add 20 to account5's balance.
    • New state: [30, 100, 10, 50, 30]
      (Account 5: 10 → 30 after deposit. Others unchanged.)
    • Output: true (the deposit was successful).
  4. Operation: transfer(3, 4, 15)Transfer $15 from account3 to account4.

    • Validity check: Accounts 3 and 4 are valid (within range 1..5). Account 3's balance is 10, but the transfer amount is 15, which is more than available. This fails the "sufficient funds" condition.
    • Action: No change to balances, because the transfer cannot proceed.
    • State remains: [30, 100, 10, 50, 30]
      (Nothing changed because the operation was invalid.)
    • Output: false (the transfer did not happen due to insufficient funds).
  5. Operation: withdraw(10, 50)Withdraw $50 from account10.

    • Validity check: We check if account 10 exists. There are only 5 accounts, so account 10 is out of range (invalid account number).
    • Action: No change to balances, because the account is invalid.
    • State remains: [30, 100, 10, 50, 30]
      (No change, as this operation is invalid.)
    • Output: false (the withdrawal failed because account 10 doesn't exist).

Visualizing the process, at each step we ensure the conditions are met before modifying the array of balances. If any check fails, we leave the array as-is for that step. The final state of balances after all operations is [30, 100, 10, 50, 30], and the sequence of outputs was [true, true, true, false, false], matching our earlier example output.

Key point: The internal checks (valid account numbers and sufficient balance) act as gatekeepers. Only if all conditions are satisfied do we perform the arithmetic update on the balances.

Common Mistakes & Edge Cases

Here are some common pitfalls to watch out for, and edge cases to consider:

  • Off-by-One Errors (Indexing): The accounts are 1-indexed, but arrays in most languages are 0-indexed. Forgetting to convert between them is a common mistake. For example, accessing balance[account] instead of balance[account-1] will skip the first account and go out of bounds at the end. Always adjust index by -1 when accessing the array.

  • Invalid Account Handling: You must check that an account exists before trying to use it. If you forget to validate the account number, accessing an out-of-range index will cause errors (or in an interview scenario, it would be considered a bug). Make sure to return false for operations referencing any account < 1 or > n. This includes both the source and target in a transfer. A subtle mistake is checking account1 and doing the withdrawal, but forgetting to validate account2 before doing the deposit.

  • Sufficient Funds Check: When withdrawing or transferring money out, ensure the account’s balance is >= the amount. A mistake would be subtracting the money first and then checking (too late), or checking the wrong account’s balance for transfers. Always check the source account’s balance before modifying anything. Also, check balance after ensuring the account is valid (to avoid a bad index access on an invalid account).

  • Using Wrong Data Types: In languages like Java or C++, using an int (32-bit) for money could overflow since balances can be up to 10^12. Always use a larger type (long in Java) for balances and transaction amounts. In Python this isn’t an issue due to big integers, but conceptually think of it as using a 64-bit integer.

  • No Side Effects on Failure: If a transaction is invalid, make sure you do not change any balances. For example, if a transfer fails either due to an invalid account or insufficient funds, neither account’s balance should change. A common bug is partially updating (like subtracting from account1 but then discovering account2 was invalid). Our approach avoided this by checking everything first, but if you perform a withdraw then a deposit inside transfer, be careful: if withdraw succeeds and deposit fails (due to account2 invalid), you should probably roll back the withdraw. In our implementation, we checked both accounts first to avoid this scenario altogether.

  • Edge Case – Same Account Transfer: The problem doesn’t explicitly forbid transferring money from an account to itself. If this happens, logically it should succeed (if the account is valid and has enough money) but effectively do nothing (balance remains the same). Our code would handle this: it would subtract then add the same amount back. Just be aware of this scenario. It’s an edge case that the result is a no-op, but our method would still return true because it's a valid transaction. You might choose to handle it separately by simply returning true immediately when account1 == account2 (since nothing needs to change).

  • Zero Amount Transaction: If money = 0, according to the constraints this is allowed (0 ≤ money). With our logic, a withdraw or transfer of 0 would always succeed as long as the accounts exist (and doesn't actually change anything). A deposit of 0 does nothing but would return true. This is fine and consistent (transferring 0 or depositing 0 has no effect but is not invalid). Just ensure your code doesn't accidentally treat 0 as a special case that causes an error (most likely it won't, since checking balance >= 0 will pass if balance is non-negative).

By keeping these points in mind, you can avoid common mistakes. Always test edge cases: the smallest and largest account numbers, the exact balance amount (withdraw exactly the remaining balance), invalid accounts, etc., to be confident in your solution.

Designing a system like this is an example of a class design or simulation problem. If you found this problem interesting or want to practice similar skills, here are some related problems and variations:

  • Design Parking System (LeetCode 1603): Another easy class design problem where you design a parking lot system with addCar operations. It involves managing counts of available spots for different car sizes, in a similar spirit of checking conditions and updating state.

  • Design Underground System (LeetCode 1396): A medium-level design problem where you track check-in and check-out times in a subway system to compute travel times. It requires using a couple of data structures (like hash maps) to store intermediate state, offering practice in designing methods that update and query internal state.

  • Design an ATM Machine (LeetCode 2241): This is a system design where an ATM stores banknotes of different denominations. You need to implement deposit and withdraw operations that not only update balances but also decide how to dispense money in various denominations. It extends the idea of this bank system to handling multiple currency counts and has more complex conditions for withdrawals.

  • LRU Cache (LeetCode 146): A classic design problem where you implement a cache with get and put operations with a size limit. While the context is different (and involves using a combination of a linked list and hash map for an optimal solution), it’s another scenario of designing a class with specific operations and performance constraints.

  • Calculate Money in LeetCode Bank (LeetCode 1716): A simpler, unrelated problem in terms of technique (it’s more of a mathematical formula), but the story involves a bank. It asks to calculate the total money in a special savings account after a certain number of days with a specific depositing pattern. It’s not a class design, but if the theme of "bank" interests you, this is a straightforward problem to try.

TAGS
leetcode
CONTRIBUTOR
Design Gurus Team
-

GET YOUR FREE

Coding Questions Catalog

Design Gurus Newsletter - Latest from our Blog
Boost your coding skills with our essential coding questions catalog.
Take a step towards a better tech career now!
Explore Answers
465. Optimal Account Balancing - Detailed Explanation
Learn to solve Leetcode 465. Optimal Account Balancing with multiple approaches.
242. Valid Anagram - Detailed Explanation
Learn to solve Leetcode 242. Valid Anagram with multiple approaches.
How difficult is coding?
Related Courses
Image
Grokking the Coding Interview: Patterns for Coding Questions
Grokking the Coding Interview Patterns in Java, Python, JS, C++, C#, and Go. The most comprehensive course with 476 Lessons.
Image
Grokking Modern AI Fundamentals
Master the fundamentals of AI today to lead the tech revolution of tomorrow.
Image
Grokking Data Structures & Algorithms for Coding Interviews
Unlock Coding Interview Success: Dive Deep into Data Structures and Algorithms.
Image
One-Stop Portal For Tech Interviews.
Copyright © 2025 Design Gurus, LLC. All rights reserved.
;