465. Optimal Account Balancing - Detailed Explanation
Problem Statement
Definition: We have a list of transactions, where each transaction is represented as a triple [x, y, z]
meaning person x
gave person y
an amount of $z
. Our goal is to determine the minimum number of transactions required to settle all debts among these people. In other words, we want to balance the accounts so that everyone’s net debt or credit becomes zero, using the least number of money transfers between individuals.
Key Points:
- A “settling transaction” means one person pays another person some amount of money to offset their debt. We want to minimize how many such transactions occur.
- Person IDs are not guaranteed to be contiguous or in order (e.g., you might have persons with IDs 0, 2, 6, etc.).
- If no one owes anything net (all accounts are already balanced), the result is 0 because no transactions are needed.
Constraints:
1 <= transactions.length <= 8
– At most 8 transactions are given as input.- Each transaction is of the form
[from, to, amount]
with:0 <= from, to < 12
(ID range).from != to
(no self-transactions).1 <= amount <= 100
(positive amounts only).
- The total number of people involved can be up to 12 (IDs 0 through 11). Due to the small input size, exhaustive or brute-force approaches are feasible.
Example 1:
Input: transactions = [[0,1,10], [2,0,5]]
Output: 2
Explanation: Person #0 paid $10 for person #1, and person #2 paid $5 for person #0. To settle up, two transactions are required. One optimal way is for person #1 to pay $5 to person #0 and $5 to person #2. After these 2 transactions, all debts are settled (person #0 gets back $5 from #1 and $5 from #2, person #1 has paid out $10 total, person #2 gets back $5).
Example 2:
Input: transactions = [[0,1,10], [1,0,1], [1,2,5], [2,0,5]]
Output: 1
Explanation: The net debts after all given transactions are calculated as follows: person #0 ends up owing $4, person #1 ends up being owed $4, and person #2’s balance is $0 (we will show how to calculate these balances in the next sections). Therefore, one transaction — person #1 paying $4 to person #0 — is enough to settle all debts. After that single transaction, everyone’s balance becomes zero.
Hints
-
Calculate Net Balances: A crucial insight is that the order of given transactions doesn’t matter – what matters is each person’s net balance (how much they owe or are owed in total). You can compute an array or map of balances where
balance[i]
is how much person i should receive (positive) or pay (negative) overall. This is done by summing up all transactions for each person (add amount for money received, subtract for money given). Once you have net balances, the original list of transactions can be disregarded for solving the rest of the problem. -
Ignore People with Zero Balance: Any person whose net balance is 0 can be removed from consideration. They neither owe nor are owed anything, so they don’t need to be involved in any settling transactions.
-
Debtors and Creditors: After computing net balances, you will have a list of people who owe money (negative balance) and people who should receive money (positive balance). Our task reduces to matching debtors with creditors to clear all debts. Each settling transaction can reduce the number of people with non-zero balance by at least one (because one debtor or one creditor’s balance will become zero or closer to zero).
-
Optimal Strategy – Combine Debts: To minimize transactions, try to combine debts whenever possible. For example, if person A owes $50 and there are two people B and C who are each owed $25, it might be optimal for A to pay B and C directly (two transactions) rather than having intermediate transactions. Always consider if one transaction can settle multiple original debts by paying off one person who can then pay another (this happens naturally when we look at net balances).
-
Recursive Exploration: A backtracking (depth-first search) approach is promising: pick one person with a debt and try settling that debt with various other people, recursively solving the smaller subproblem for the remaining people. Prune searches that are clearly not optimal (for instance, if a debt can be exactly matched with a credit, that path should be taken first as it likely leads to fewer transactions).
-
Use Memoization or Bitmask DP: Because the number of people with non-zero balance is limited (at most 12, usually fewer after ignoring zeros), we can use memoization to cache states we’ve computed. Each state can be represented by the list of current balances (or a bitmask representation of which balances are settled). This prevents re-computation of the same configurations of debts and credits.
Approaches to Solve the Problem
Brute Force Solution
A straightforward brute force approach would involve simulating all possible ways to settle the debts, then picking the way with the fewest transactions. In practice, this means considering every possible sequence of transactions among people until all balances become zero. However, this approach is extremely impractical because the number of possible sequences grows explosively with the number of people.
-
How it might work: We could take any two people where one owes money and one is owed money, and perform a transaction between them (of some amount), then repeat this process until everyone is settled. For example, if A owes B and C, A could pay B first or C first (different order), and could even choose to pay part of the debt in one transaction and the rest in another. A brute force algorithm would branch out into all these possibilities.
-
Why it’s infeasible generally: Without any strategy to limit choices, we would explore permutations of transactions and partial payments. Even for a small number of people, this search space is huge. For instance, if you have
n
people with outstanding balances, there are many ways to pair them up and settle amounts. The time complexity in the worst case would be super-exponential (factorial-like growth or worse). -
Small Constraint Saving Grace: The given constraints (max 8 transactions, up to 12 people) are small enough that a brute force might technically run, but we still want to optimize to avoid unnecessary computations. This is why we refine the brute force into a smarter backtracking approach.
Backtracking Approach
A backtracking solution systematically explores possible transactions but prunes away redundant or impossible paths, making it much more efficient than naive brute force. The idea is to resolve one person’s balance at a time, reducing the problem step by step. This approach is guaranteed to find the optimal solution given the small input size.
Steps of the Backtracking Solution:
-
Compute Net Balances: Use the input transactions to calculate each person’s net balance. For each
[from, to, amount]
, subtractamount
fromfrom
’s balance and addamount
toto
’s balance. For example, if we have transactions[[0,1,10],[2,0,5]]
(from Example 1), the net balances would be: person 0 = -5 (paid $5 more than received), person 1 = +10 (received $10 more than paid), person 2 = -5. These net balances represent how much each person owes (negative) or is owed (positive). -
Filter Zero Balances: Remove any entries that are zero, because those people don’t need to do anything. In our example, no one had a zero net balance initially (all three were non-zero). In Example 2, person #2’s net balance would compute to 0 (they gave and received $5), so person #2 can be ignored for debt-settlement purposes, leaving just person #0 and #1 to consider.
-
Recursively Settle Debts: Pick a person with a non-zero balance (say the first in the list). Try to settle this person’s balance by pairing them with another person:
-
Find another person with the opposite sign balance (one owes money, the other is owed money). Transfer money between these two to settle one of them completely. In practice, you add the balances together: one of them will go to zero. For example, if person A has -5 and person B has +10, you can have B pay A $5. Then person A’s balance becomes 0 (debt settled) and person B’s balance becomes +5 (still needs to receive $5 more from someone).
-
Record that as one transaction and then recursively handle the remaining balances (ignoring the now-settled person).
-
Explore different pairings of the chosen person with all possible counterparts and take the minimum transactions outcome.
-
-
Prune and Optimize:
- If you find a pairing that exactly cancels out one person’s debt with another’s credit (e.g., one owes $X, another is owed $X, so one transaction can clear both), that path is likely optimal for that pair. You can break out of trying other pairings for that particular person because any other pairing would either use more transactions or just be a reordering of the same debts.
- Also, skip over any intermediate cases where after a transaction a person’s balance becomes zero, immediately move to the next person without trying to pair the now-zero balance with others (this avoids redundant computations).
Using backtracking in this way drastically limits the search space. We always eliminate at least one person’s debt in each recursive step (one person gets settled to zero balance), so the depth of recursion is at most the number of people with non-zero balance. Additionally, by always matching opposite signs and stopping early on exact cancellations, we avoid exploring symmetric cases multiple times.
Correctness: The backtracking approach tries all meaningful combinations of settlements. Because it explores depth-first, it will eventually find an arrangement with the minimum number of transactions. It effectively treats the problem as an assignment of debts to credits and finds the smallest set of pairings that cover all balances.
Bitmasking and Optimized Approaches
For even more optimization, especially to avoid re-computation of similar states, we can use bitmasking and dynamic programming (DP). The idea is to use a bit mask to represent a subset of people (or balances) and use DP to figure out the minimum transactions needed for that subset.
Bitmask DP Idea: Suppose we have n
people with non-zero balances. We can assign each person an index from 0
to n-1
. A bitmask of length n
(using an integer where the i-th bit corresponds to person i) can represent any subset of these people. For example, if n=3
(persons A, B, C), then a mask 101
(in binary) might represent the subset {A, C}. We then define a DP state as dp[mask]
= minimum transactions needed to settle all balances for the subset of people indicated by mask
. The final answer we want is dp[(1<<n) - 1]
, which corresponds to all people.
How the DP is computed:
-
Base Case:
dp[0] = 0
(no people means no transactions needed). -
Transitions: For any subset
mask
, we try to split it into two smaller parts that can settle debts among themselves. One clever approach is:- Pick a subset
s
ofmask
(i.e.,s
is a submask ofmask
) that has a total sum of balances = 0. If a group of people’s balances sum to zero, they can in principle settle all debts among themselves without needing anyone outside the group. In that case, the number of transactions needed within that group is(number of people in s) - 1
(at minimum, they can arrange themselves in a cycle or chain to settle with one fewer transaction than people). - We can then solve the remaining people in
mask \ s
separately. So one candidate fordp[mask]
isdp[s] + dp[mask ^ s]
. But sincedp[s]
(where sum of s is zero) would be(|s| - 1)
by definition of optimal settling within that group, we might directly use that. - We take the minimum over all such zero-sum splits of
mask
.
- Pick a subset
-
Example of DP reasoning: If we have a mask representing people {A, B, C} and their balance sum is zero, then
dp[ABC]
could be 2 (if A, B, C can settle in 2 transactions, for instance by a cycle). But if no convenient zero-sum subset of {A, B, C} exists except the whole set, the DP would try smaller masks. Perhaps person A and B together have zero sum (sodp[AB] = 1
transaction) and C alone is zero (dp[C]=0
), thendp[ABC] = dp[AB] + dp[C] = 1 + 0 = 1
transaction. (This scenario is hypothetical – typically if A and B sum to zero, it means one owes the other directly and that’s 1 transaction).
Another optimized approach is to use memoization with recursion. As we attempt different combinations in a backtracking solution, we store the results of subproblems we have solved (for example, the minimal transactions needed for a particular set of remaining balances). A convenient way to key the memo is to use a bitmask of which people are still unsettled or even a tuple of sorted balances. By doing this, if the same configuration of owing/owed people can occur via different paths, we compute it only once. This turns the exponential search into something more manageable because the number of distinct states is limited. With up to 12 people, the total number of subsets of people is 2^{12} = 4096 at most. Exploring all subsets (with some additional factor for checking sums or pairing) is feasible.
Summary of Optimizations:
- Use bitmask DP to systematically consider groups of people that can settle among themselves.
- Use memoization in recursive/backtracking solutions to avoid duplicate work.
- Leverage the small input size to try these exponential techniques, which would not work for large
n
but are fine here. - These optimizations ensure we don’t explore the same state more than once, dramatically reducing the search space from pure brute force.
Step-by-Step Walkthrough with Visual Examples
Let’s walk through a concrete example to see how the algorithm works step by step. We’ll use Example 1 for a detailed walkthrough:
Example 1 Revisited: transactions = [[0,1,10], [2,0,5]]
(Person 0 paid $10 to Person 1, and Person 2 paid $5 to Person 0).
-
Step 1: Calculate net balances.
Start with all balances = 0.
Transaction [0,1,10]: Person 0 gave out $10, Person 1 received $10.
– Update balance[0] = -10 (owes $10), balance[1] = +10 (is owed $10).
Transaction [2,0,5]: Person 2 gave out $5, Person 0 received $5.
– Update balance[2] = -5 (owes $5), balance[0] = -10 + 5 = -5 (now owes $5 after receiving $5).
Resulting net balances:
Person 0: -5 (meaning overall person 0 paid $5 more than they received, so others owe 0 $5)
Person 1: +10 (person 1 received $10 more than paid, so they owe $10 out to others)
Person 2: -5 (person 2 paid $5 more than received, so others owe 2 $5) -
Step 2: Filter out zero balances.
In this example, no balance is zero (all three people have non-zero balances). If someone had a zero balance, we would exclude them from further steps. -
Step 3: Identify debtors and creditors.
Debtors (negative balances): Person 0 (-5), Person 2 (-5). They should receive money in the settling transactions.
Creditors (positive balances): Person 1 (+10). This person needs to pay out money in settling transactions.
Essentially, person 1 owes $10 in total, and persons 0 and 2 are together owed $10 (5 each). -
Step 4: Settle one person’s balance at a time (Backtracking).
We take the first person with a non-zero balance – Person 0 (balance -5). Person 0 is a debtor (needs $5). We look for a creditor to give money to Person 0. The only creditor here is Person 1 (balance +10).– Have Person 1 pay Person 0 $5. This is one transaction. After this transaction, update their balances: Person 0’s balance becomes -5 + 5 = 0 (debt settled!), Person 1’s balance becomes +10 - 5 = +5 (person 1 still has $5 to give to others). Person 2 remains -5.
– We have reduced the problem: now Person 0 is settled. The remaining unsettled balances are Person 1: +5, Person 2: -5. -
Step 5: Continue to next unsettled person.
Now skip Person 0 (it’s zero). Next is Person 1 with +5. Person 1 is a creditor (is owed nothing now, rather owes others $5 because +5 means they have extra $5 that must go to someone). Person 1 can settle with Person 2 who has -5.
– Have Person 1 pay Person 2 $5. This is a second transaction. After this, Person 1’s balance +5 - 5 = 0, Person 2’s balance -5 + 5 = 0.
– Now all persons 0, 1, and 2 are settled (balance 0 for everyone). -
Step 6: End recursion.
We have no more unsettled balances. We used 2 transactions in total, which matches the output. The sequence of transactions we performed is: (1 pays 0 $5) and (1 pays 2 $5). This is indeed the optimal minimum.
Throughout this process, we made choices that led to the optimal outcome:
- We always settled one person completely before moving on (which ensures progress and limits the recursion depth).
- We chose transactions that eliminate a debt entirely (each transaction set one person’s balance to zero).
- If there were multiple options, we would explore them and find the minimum. For instance, in this example Person 1 had to pay both Person 0 and Person 2 anyway, but if there was a choice of whom to pay first, both orders yield 2 total transactions. The algorithm would consider both, but it would realize all lead to 2 in the end.
Visualizing Example 1: Imagine Person 1 has $10 that needs to go to Person 0 and Person 2 (who are each owed $5). Person 1 basically splits that $10 and gives it to 0 and 2. That’s why 2 transactions are needed – one to each of the other people. There’s no way to do it in 1 transaction because one transaction can only involve two people (one payer and one receiver) at a time, so Person 1 can’t pay $5 to two people in a single transaction.
Example 2 Revisited (Briefly): transactions = [[0,1,10],[1,0,1],[1,2,5],[2,0,5]]
. We saw that the answer is 1. Let’s verify quickly:
- Compute net balances:
- Person 0: paid 10 to 1, received 1 from 1 and 5 from 2. Net = -10 + 1 + 5 = -4.
- Person 1: received 10 from 0, paid 1 to 0 and 5 to 2. Net = +10 - 1 - 5 = +4.
- Person 2: received 5 from 1, paid 5 to 0. Net = +5 - 5 = 0.
- Filter zeros: Person 2 has net 0, ignore Person 2.
- We have Person 0 with -4 and Person 1 with +4. They owe each other exactly $4 (in opposite directions of debt). So one transaction can settle this: Person 1 pays Person 0 $4. After that, Person 0’s balance becomes 0 and Person 1’s becomes 0. Done in 1 transaction. This matches the explanation that “person #1 only need to give person #0 $4, and all debt is settled.”
The step-by-step approach we demonstrated can be applied to any set of balances. The backtracking algorithm ensures all possibilities are checked, but intelligently, so we find the absolute minimum number of transactions required.
Code Implementations
Below are implementations of the solution in both Python and Java. Both approaches use the backtracking strategy described above to find the minimum number of settling transactions.
Python Solution
How the Python code works: We first compute each person’s balance in a dictionary. Then we build a list net
of all non-zero balances. The backtrack
function attempts to settle the balance at index start
by transferring its debt to another person j
. We add net[start]
to net[j]
(this simulates person start
either giving money to or receiving money from person j
to settle one of them). We count 1 transaction and recurse to settle the rest. Then we undo the transfer (backtrack) and try the next possibility. The if net[j] + net[start] == 0: break
is a pruning step – if person j
’s balance was the exact opposite of person start
’s, then we don’t need to try other j
for this start
(it would just be a permutation of the same transaction). This code tries all combinations and returns the minimum number of transactions found.
Java Solution
How the Java code works: It is analogous to the Python solution. We use an array of size 12 for balances (since IDs are < 12 by constraint) and accumulate the net balance for each person. Then we create a compact balanceList
of only the non-zero balances. The settle
method uses recursion to try settling the person at index start
with another person j
. We modify balance[j]
by adding balance[start]
(simulating a transaction that clears person start
’s debt), then recursively call settle
for the next index. After recursion, we undo the change to balance[j]
. The check if (originalJ + balance[start] == 0) break;
is the prune to stop trying alternative j
if one exact cancellation was found. The minTransfers
function returns the minimum transactions found. The main
method tests the function on a few cases, including the given examples.
Complexity Analysis
-
Backtracking Approach Complexity: The backtracking solution has an exponential time complexity in the worst case. In the worst scenario, if
m
people have non-zero balances, the algorithm might explore combinations roughly proportional tom!
(factorial of m) in the worst case, because it’s similar to trying all pairings. However, due to pruning and the small input limits, this is manageable. With at most 12 people (and practically fewer with non-zero balance), the search space is greatly pruned by skipping zeros and breaking on perfect cancellations. Each recursive call reduces the number of unsettled people by at least one, so the depth is at mostm
, and at each level we try pairing with at mostm-1
others. A loose upper bound isO((m-1)!)
possibilities, but in practice it is much less. The time is exponential but feasible form <= 12
. The space complexity isO(m)
for recursion depth and for storing the balance list (which is at most 12 long). -
Bitmask DP Approach Complexity: Using a DP or memoization with bit masks also results in exponential complexity, but it’s more structured. There are at most
2^m
states (subsets of people). Checking the sum of a subset or transitions can introduce additional factors. A typical bitmask DP here would beO(2^m * m)
orO(2^m * m^2)
depending on implementation details. Form = 12
,2^m = 4096
, andm^2 = 144
, so even the higher estimate is around 4096*144 ≈ 590k operations, which is very fast. Space complexity for storing the DP table or memo isO(2^m)
which is around 4096 entries, also fine. This DP is exponentially complex in theory but optimal given the constraint limits. -
Brute Force Complexity: If one tried a brute force without any pruning or memoization, the complexity could be astronomical even for moderate
m
. Because each debt could be settled in multiple ways, the branching factor would be high. For instance, person 1 could pay person 2 or 3 or 4, etc., and amounts could vary. Without fixing that each transaction zeroes out someone’s balance, you have infinitely many possibilities (if paying partial amounts arbitrarily). Even if you restrict to paying off one person fully at a time (which is what backtracking does), brute force would re-explore many duplicate scenarios. Thus, brute force is not tractable without optimizations like those we implemented.
In summary, the problem is NP-hard in general (exponential time required), but the input bounds are chosen such that optimized backtracking or DP will run quickly. The approaches we described ensure that the worst-case scenarios are pruned enough to fit within these limits.
Common Mistakes & Edge Cases
Common Mistakes:
-
Not reducing the problem to net balances: A frequent mistake is to try simulating the transactions one by one or using greedy strategies on the original transactions. This often fails because it doesn’t combine debts optimally. Always condense the input into net balances per person first.
-
Greedy settling by largest debt/credit: One might be tempted to always match the person who owes the most with the person who is owed the most in one transaction. While this can settle large amounts of money quickly, it doesn’t always yield the minimum number of transactions. (It minimizes money flow, not the count of exchanges.) For example, if one person owes 2 people smaller amounts, greedily paying one of them in full will still leave a second transaction for the other, but a different arrangement might have combined the payments.
-
Forgetting to skip zero balances: If your backtracking recursion doesn’t skip over balances that have been settled (zero), you’ll do unnecessary work and possibly introduce errors. Always move the index to the next non-zero balance.
-
Not undoing changes in backtracking: It’s important to revert any modifications to the balances after a recursive call (the classic mistake in backtracking). In our code, we added a balance to another and then subtracted it back. Failing to backtrack (undo) will mess up subsequent calculations.
-
Handling of person IDs: Since IDs can be non-contiguous, using an array of size equal to the max ID (like 12 in this problem) is fine due to constraints. But if one mistakenly assumed IDs are 0..n-1 without handling gaps, they might include a lot of unnecessary zeros or even go out of bounds. Using a hash map or sufficiently large array (size 12) avoids this issue.
-
Edge case of no transactions: If the input list is empty (no transactions) or if after computing balances everyone is settled (all zeros), the output should be 0. It’s easy to handle by checking if the balance list is empty.
-
Edge case of single transaction: If there’s only one transaction given, the answer is always 1 (that one transaction already settles that debt).
-
Multiple optimal solutions: There may be multiple different ways to achieve the minimum number of transactions. A mistake would be to assume a specific pattern (like always one person paying everyone else or vice versa). The algorithm should explore all because sometimes the optimal solution might be counter-intuitive. For instance, settling a portion of someone’s debt with one person and the rest with another might lead to fewer total transactions than paying it all to one person.
Edge Cases to consider:
- All transactions cancel out without any additional moves: e.g., a cycle of debt where A owes B, B owes C, C owes A of equal amounts. Net balances would all be zero, so the answer is 0 (no new transactions needed).
- One person is involved in all transactions: They might have a large net debt or credit that must be split among many others.
- Many people owe one person (or vice versa): e.g., A is owed $5 by B and $5 by C. The optimal answer would be 2 (B pays A, C pays A). Make sure the algorithm doesn’t try something odd like B pays C and C pays A (which would be unnecessary).
- Negative and positive balances in different orders: The list of balances might not be sorted. The algorithm should not rely on sorting by sign; it should find pairs by searching. (Our backtracking picks the first non-zero and tries it with any opposite sign; this works regardless of order.)
Alternative Variations & Related Problems
-
Output the Transactions: A variation of this problem could ask not just for the minimum number of transactions, but for an actual list of transactions that achieve that minimum. The approach to solve would be similar (compute net balances and then find pairings), but you’d need to keep track of the actual pairs you settle in the backtracking. This adds complexity in coding but conceptually it’s the same problem. It might be useful for a real-world application (like suggesting who pays whom in a group to settle up).
-
Minimize Cash Flow (Amount) vs. Transactions: A known related problem is “Minimize Cash Flow among a group of friends” where the goal is often to minimize the total amount of money that changes hands. In that version, you don’t necessarily care about the number of transactions, just that the sum of money exchanged is minimal (which is always achieved by settling directly using net balances). Our problem is specifically minimizing the number of transactions, which is a different goal. Greedy algorithms that minimize cash flow might not minimize the number of exchanges, so the problems are similar in setup but require different strategies.
-
Splitwise Algorithm: This problem is essentially what apps like Splitwise do when they optimize how friends settle debts after group expenses. The general approach of using net balances and minimizing transactions is used in such contexts. If you’re interested in this problem, you might also enjoy looking at how Splitwise or bill-splitting algorithms work, since they often use a greedy approach that is efficient in practice, though not always yielding the absolute minimum transactions.
-
Graph Interpretation: You can interpret the group debts as a directed graph (nodes are people, edge from X to Y with weight W means X owes Y $W). The problem of settling debts is then about adding a minimal set of edges (transactions) that balance out the flow. This is related to finding cycles in the graph and eliminating them. One variation could be: given the graph of debts, find a smaller graph (with fewer edges) that has the same net flow for each node. This is a graph optimization problem. While not commonly asked in coding interviews beyond this problem, it’s good to recognize the connection to flow networks and circulation.
-
NP-Hard Nature: The Optimal Account Balancing problem is NP-hard in general. It’s related to the subset sum/partition problem when formulated in certain ways. A variation could be: given an arbitrary number of people and debts, is there a way to settle in K transactions or less? This decision version would be NP-complete. Understanding this helps explain why the problem constraints are small. In competitive programming, when you see such a small input size (like ≤ 8 transactions), it’s a hint that an exhaustive search or bit DP is expected.
-
Practice Problems: If you want to practice similar skills, look for problems involving backtracking on subsets or bitmask DP. Some examples:
-
Partition to Equal Sum Subsets – dividing an array into subsets with certain sum properties (uses backtracking/DP, similar thinking of trying combinations).
-
Minimum Number of Arrows to Burst Balloons (LeetCode) – a greedy interval problem, not directly related but also about minimizing actions to cover all items.
-
While not directly about debts, any problem that requires trying combinations to minimize or maximize some count (like scheduling or assignment problems) will give you practice in these techniques.
-
GET YOUR FREE
Coding Questions Catalog
