Problem Description
You are given the root
of a binary tree with n
nodes where each node
in the tree has node.val
coins. There are n
coins in total throughout the whole tree. In one move, we may choose two adjacent nodes and move one coin from one node to another. A move may be from parent to child, or from child to parent. Return the minimum number of moves required to make every node have exactly one coin.
Key Insights
- Each node should end up with exactly one coin.
- The total number of coins in the tree equals the number of nodes (
n
), ensuring that redistribution is feasible. - A depth-first search (DFS) approach can be used to traverse the tree and calculate the number of moves needed.
- The difference between the coins at each node and the required one coin can be propagated up and down the tree.
Space and Time Complexity
Time Complexity: O(n) - We visit each node exactly once. Space Complexity: O(h) - The space used by the recursion stack, where h is the height of the tree.
Solution
We will use a depth-first search (DFS) to traverse the binary tree. As we visit each node, we will calculate the excess or deficit of coins at that node. The excess (or deficit) will be propagated to the parent node, and the number of moves needed will be accumulated as we traverse. This approach effectively balances the number of coins across the tree while counting the required moves.