Optimal Account Balancing

A group of friends went on holiday and sometimes lent each other money. For example, Alice paid for Bill's lunch for $10. Then later Chris gave Alice $5 for a taxi ride. We can model each transaction as a tuple (x, y, z) which means person x gave person y $z. Assuming Alice, Bill, and Chris are person 0, 1, and 2 respectively (0, 1, 2 are the person's ID), the transactions can be represented as [[0, 1, 10], [2, 0, 5]].

Given a list of transactions between a group of people, return the minimum number of transactions required to settle the debt.

Note:

  1. A transaction will be given as a tuple (x, y, z). Note that x ≠ y and z > 0.
  2. Person's IDs may not be linear, e.g. we could have the persons 0, 1, 2 or we could also have the persons 0, 2, 6.

 

Example 1:

Input:
[[0,1,10], [2,0,5]]

Output:
2

Explanation:
Person #0 gave person #1 $10.
Person #2 gave person #0 $5.

Two transactions are needed. One way to settle the debt is person #1 pays person #0 and #2 $5 each.

思路: 統計出+,-之後,把所有不是0的變量全部收集起來,然後做backtracking,用一個正數去抵消一個負數,然後繼續進行,統計全局最小txn,即可;注意的是,dfs expore的時候,是start+1,不是i,因爲有正負數,i前面有可能有沒有處理完的數,所以只能從start + 1開始;

class Solution {
    public int minTransfers(int[][] transactions) {
        HashMap<Integer, Integer> hashmap = new HashMap<>();
        for(int i = 0; i < transactions.length; i++) {
            int a = transactions[i][0];
            int b = transactions[i][1];
            int money = transactions[i][2];
            hashmap.put(a, hashmap.getOrDefault(a, 0) - money);
            hashmap.put(b, hashmap.getOrDefault(b, 0) + money);
        }
        
        List<Integer> debt = new ArrayList<Integer>();
        for(Integer key: hashmap.keySet()) {
            if(hashmap.get(key) != 0) {
                debt.add(hashmap.get(key));
            }
        }
        return dfs(debt, 0);
    }
    
    private int dfs(List<Integer> list, int start) {
        while(start < list.size() && list.get(start) == 0) {
            start++;
        }
        if(start == list.size()) {
            return 0;
        }
        int mintxn = Integer.MAX_VALUE;
        for(int i = start + 1; i < list.size(); i++) {
            if(list.get(start) * list.get(i) < 0) {
                list.set(i, list.get(i) + list.get(start));
                // 注意這裏是start + 1,  不是i, 因爲裏面有正負號,i前面有可能沒處理完;
                // 所以只能從start + 1開始;
                mintxn = Math.min(mintxn, 1 + dfs(list, start + 1));
                list.set(i, list.get(i) - list.get(start));
            }
        }
        return mintxn;
    }
}

 

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章