1145. Binary Tree Coloring Game
Problem Description
The problem presents a game played on a binary tree by two players. The game is turn-based, and each player gets to color nodes on the tree. The first player colors a node red and the second player colors a different node blue. Then, each player, on their turn, must color an uncolored neighboring node of their color. This game progresses until neither player can make a move. The winner is determined by who has colored more nodes. The twist here is that the binary tree's number of nodes (n
) is odd, ensuring there can't be a tie, and all nodes have unique values from 1
to n
.
As a player, your task is to determine if there exists a move (choosing y
) that guarantees a win regardless of how the game progresses (assuming optimal moves from the opponent). Since the binary tree structure can significantly affect gameplay, the strategy is not straightforward. The problem requires you to think in terms of the binary tree's structure and subsets of nodes that can be controlled by each player.
Flowchart Walkthrough
Let's analyze LeetCode problem 1145, Binary Tree Coloring Game, using the algorithm flowchart. Here's a step-by-step walkthrough:
-
Is it a graph?
- Yes: The binary tree structure in the problem can be interpreted as a graph, with each node being connected to its children.
-
Is it a tree?
- Yes: A binary tree is a specific type of tree, which is also a graph but without cycles.
Following the path for trees in the flowchart:
- DFS (Depth-First Search)
- The problem deals with choosing an optimal node to color in such a way that the opponent's possible moves are minimized. DFS is suitable for exploring all nodes and determining subtree sizes, which are directly related to game tactics.
Conclusion: According to the flowchart, the Depth-First Search pattern is recommended for tree structures. In the context of the problem, employing DFS allows the player to calculate potential moves by counting the number of descendant nodes in each subtree, hence optimizing the strategy to restrict the second player's choices.
Intuition
The intuition behind the solution is to consider the possible regions the second player can take over, ensuring that the number of nodes colored blue will be greater than those colored red. Since player two gets to pick any node to color blue, the strategy involves picking a node that maximizes player two's advantage.
The binary tree can be divided into three regions from the perspective of node x
(the one first player colors red):
- The left subtree of node
x
. - The right subtree of node
x
. - The remaining part of the tree above node
x
.
The second player will win if they can control more than half of the nodes in the tree by the end of the game. To guarantee a win, the second player should color a node that lets them take control over the largest region possible. Since the regions are distinct and cover the entire tree, player two should look to find out the size of these regions and color a node in the region with the most nodes.
Here's the approach in steps:
- Find the node
x
in the tree using a Depth-First Search (DFS). - Compute the size of the left and right subtrees of node
x
(denotedl
andr
) using another recursive count function. - The size of the third region can be determined by subtracting the sizes of left and right subtrees and node
x
itself from the total number of nodes (n - l - r - 1
). - Check if any of the three regions has more than half of the total nodes by comparing each of their sizes to
n // 2
. - The second player should start by coloring a node in the largest region to ensure more than half of the nodes can be colored blue.
From a strategic standpoint, player two gains an advantage because they can freely choose their starting node in response to player one's choice, thereby selecting the region that gives them the best chance of winning.
Learn more about Tree, Depth-First Search and Binary Tree patterns.
Solution Approach
The solution to the problem uses a recursive depth-first search (DFS) algorithm to explore the binary tree, which is a typical approach when dealing with tree data structures. Here's how the solution is structured:
-
The
dfs
function is used to locate the node with the valuex
. It searches through the tree recursively until it finds the node with the given value or reaches a leaf. The search starts from the root of the tree and proceeds to the left and right children respectively. -
Once the node
x
is found, thecount
function recursively computes the number of nodes in a subtree rooted at the given node. It sums up the count from the left child, the right child, and the current node by returning1 + count(root.left) + count(root.right)
. -
With both
l
andr
obtained, which are the sizes of the left and right subtrees of nodex
, we can deduce the size of the third region by subtractingl + r + 1
(the+1
is for the nodex
itself) from the total number of nodesn
. This gives the number of nodes in the rest of the tree, not part ofx
's left or right subtrees. -
The winning condition for the second player is to control more than half of the nodes. To satisfy this, we compare each region's size (left subtree size
l
, right subtree sizer
, and the third regionn - l - r - 1
) to half of the total nodesn // 2
. If any of these regions contain more nodes thann // 2
, the second player can choose their initial nodey
in that region and guarantee a victory. -
Finally, the solution returns
True
if at least one of the regions has more nodes thann // 2
andFalse
otherwise. This is done using themax
function to find the largest region size and comparing it ton // 2
withmax(l, r, n - l - r - 1) > n // 2
.
In summary, the solution leverages tree traversal to find crucial information about the structure of the tree and then applies a comparison to determine if a winning move is possible. The efficiency of this approach stems from minimizing the number of nodes visited by only traversing the necessary parts of the tree and using simple arithmetic to assess the winning condition.
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 consider a small binary tree for an example to illustrate the solution approach. Suppose that our binary tree looks like this, with the unique values of the nodes labeled from 1
to 7
(since n
is odd), and Player One starts by coloring node 4
red:
4 / \ 2 6 / \ / \ 1 3 5 7
Following the solution steps:
-
Player One colors node
4
red. Now we need to start a DFS to find this nodex
(which is already known in this scenario, but we'd DFS if we were only given a value). -
We find node
4
, and now we compute the size of its left and right subtrees using acount
function.- The left subtree of node
4
(l
) contains nodes2
,1
, and3
. Sol = 3
. - The right subtree of node
4
(r
) contains nodes6
,5
, and7
. Sor = 3
.
- The left subtree of node
-
Then, we calculate the size of the third region, which is the size of the tree not including node
4
and its subtrees. Since there are7
nodes in total (n
), the third region size isn - l - r - 1
, which equals7 - 3 - 3 - 1 = 0
. -
Next, we check if any of the regions (
l
,r
, and the third region) have more than half of the total nodes (n // 2
). Sincen
is7
,n // 2
is3
.- Left subtree size
l
:3
nodes - Right subtree size
r
:3
nodes - The rest of the tree:
0
nodes
- Left subtree size
-
None of the sizes is strictly greater than
3
(n // 2
), so in this particular example, there isn’t a guaranteed winning move for Player Two. In this case, the output would beFalse
because Player Two cannot color a starting nodey
that guarantees them a region with more than3
nodes.
To conclude, applying the steps to our example, we see that neither the left nor the right subtree or the third region provides a guaranteed win for Player Two since all have fewer than or exactly n // 2
nodes. Hence, there is no starting node y
in this binary tree configuration that ensures Player Two's victory assuming optimal play by both players.
Solution Implementation
1class Solution:
2 def btreeGameWinningMove(self, root: Optional[TreeNode], n: int, x: int) -> bool:
3 # Helper function to find the node with value x.
4 def find_node(current_root):
5 # Return None if we reach a leaf node.
6 if current_root is None:
7 return None
8 # Return the current node if its value matches x.
9 if current_root.val == x:
10 return current_root
11 # Recursively search in the left and right subtrees.
12 return find_node(current_root.left) or find_node(current_root.right)
13
14 # Helper function to count the number of nodes in a subtree.
15 def count_nodes(current_root):
16 # Base case: if current node is None, return count as 0.
17 if current_root is None:
18 return 0
19 # Count the current node and recursively count the nodes in the subtrees.
20 return 1 + count_nodes(current_root.left) + count_nodes(current_root.right)
21
22 # Find the node with value x.
23 target_node = find_node(root)
24 # Count the nodes in the left and right subtree of the target node.
25 left_count = count_nodes(target_node.left)
26 right_count = count_nodes(target_node.right)
27
28 # Choose the maximum count from the left or right subtree of the target node,
29 # or the rest of the tree excluding the target node's subtree.
30 # Player two wins if their chosen part has more nodes than half of the total nodes.
31 return max(left_count, right_count, n - left_count - right_count - 1) > n // 2
32
1class Solution {
2 // Method to determine if a winning move is possible in a binary tree game.
3 public boolean btreeGameWinningMove(TreeNode root, int n, int x) {
4 // Find the node with value 'x'.
5 TreeNode xNode = findNode(root, x);
6 // Count the nodes in the left subtree of node 'x'.
7 int leftSubtreeCount = countNodes(xNode.left);
8 // Count the nodes in the right subtree of node 'x'.
9 int rightSubtreeCount = countNodes(xNode.right);
10 // The parent's subtree size is the total nodes minus the ones in the subtree of 'x'.
11 int parentSubtreeCount = n - leftSubtreeCount - rightSubtreeCount - 1;
12 // Check if any subtree has more than half of the nodes. If so, it's a winning move.
13 return Math.max(Math.max(leftSubtreeCount, rightSubtreeCount), parentSubtreeCount) > n / 2;
14 }
15
16 // Helper method to find the node with value 'x' in the tree.
17 private TreeNode findNode(TreeNode root, int x) {
18 if (root == null || root.val == x) {
19 return root;
20 }
21 // Search the left subtree.
22 TreeNode leftFind = findNode(root.left, x);
23 // If not found in the left subtree, search the right subtree.
24 return leftFind != null ? leftFind : findNode(root.right, x);
25 }
26
27 // Helper method to count the number of nodes in the given subtree.
28 private int countNodes(TreeNode root) {
29 if (root == null) {
30 return 0;
31 }
32 // Count the current node plus the nodes in the left and right subtrees.
33 return 1 + countNodes(root.left) + countNodes(root.right);
34 }
35}
36
1// Definition for a binary tree node.
2struct TreeNode {
3 int val;
4 TreeNode *left;
5 TreeNode *right;
6 TreeNode() : val(0), left(nullptr), right(nullptr) {}
7 TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
8 TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
9};
10
11class Solution {
12public:
13 // Determines if there is a winning move in the binary tree game
14 bool btreeGameWinningMove(TreeNode* root, int nodeCount, int target) {
15 // Find the target node in the tree
16 TreeNode* targetNode = findTargetNode(root, target);
17 // Count the nodes in the left and right subtrees of the target node
18 int leftCount = countNodes(targetNode->left);
19 int rightCount = countNodes(targetNode->right);
20 // The parent partition's node count is the remainder when subtracting from the total
21 int parentPartitionCount = nodeCount - leftCount - rightCount - 1;
22 // A winning move is possible if any partition has more than half of the total nodes
23 return max({leftCount, rightCount, parentPartitionCount}) > nodeCount / 2;
24 }
25
26private:
27 // Helper function to find the node with value x using DFS
28 TreeNode* findTargetNode(TreeNode* currentNode, int targetValue) {
29 // If the current node is nullptr or the target node, return it
30 if (!currentNode || currentNode->val == targetValue) {
31 return currentNode;
32 }
33 // Search in the left subtree
34 TreeNode* leftResult = findTargetNode(currentNode->left, targetValue);
35 // If found in the left subtree, return it; otherwise, search in the right subtree
36 return leftResult ? leftResult : findTargetNode(currentNode->right, targetValue);
37 }
38
39 // Helper function to count the nodes in the given subtree
40 int countNodes(TreeNode* currentNode) {
41 // If the current node is nullptr, return 0, as there are no nodes to count
42 if (!currentNode) {
43 return 0;
44 }
45 // Count the current node, then recursively count left and right subtrees
46 return 1 + countNodes(currentNode->left) + countNodes(currentNode->right);
47 }
48};
49
1// TypeScript definition for a binary tree node.
2interface TreeNode {
3 val: number;
4 left: TreeNode | null;
5 right: TreeNode | null;
6}
7
8/**
9 * Determine if there is a winning move in a binary tree game.
10 * @param {TreeNode | null} root - The root node of the binary tree.
11 * @param {number} n - The total number of nodes in the tree.
12 * @param {number} x - The value of the node the first player chooses.
13 * @returns {boolean} - True if there is a winning move, false otherwise.
14 */
15function btreeGameWinningMove(root: TreeNode | null, n: number, x: number): boolean {
16 // Recursive function to find the node with value x.
17 function findNodeWithValueX(node: TreeNode | null): TreeNode | null {
18 if (!node || node.val === x) {
19 return node;
20 }
21
22 // Traverse left and then right in search for the node.
23 return findNodeWithValueX(node.left) || findNodeWithValueX(node.right);
24 }
25
26 // Function to count the nodes in the subtree rooted at the given node.
27 function countNodes(node: TreeNode | null): number {
28 if (!node) {
29 return 0;
30 }
31
32 // Count 1 for the current node and then count the nodes in left and right subtree.
33 return 1 + countNodes(node.left) + countNodes(node.right);
34 }
35
36 // Find the node with value x.
37 const xNode = findNodeWithValueX(root);
38
39 // Count the nodes in the left and right subtree of the node with value x.
40 const leftSubtreeNodeCount = countNodes(xNode.left);
41 const rightSubtreeNodeCount = countNodes(xNode.right);
42
43 // The remaining nodes are those not in x's left subtree, right subtree, nor x itself.
44 const remainingNodes = n - leftSubtreeNodeCount - rightSubtreeNodeCount - 1;
45
46 // The second player wins if they can choose a subtree larger than n / 2 nodes after first move.
47 return Math.max(leftSubtreeNodeCount, rightSubtreeNodeCount, remainingNodes) > n / 2;
48}
49
Time and Space Complexity
Time Complexity
The provided code consists of two main functions: dfs
and count
.
-
dfs
function: This is a pre-order traversal to find the node with valuex
. In the worst-case scenario, it visits each node once, resulting in a time complexity ofO(n)
, wheren
is the total number of nodes in the tree. -
count
function: This function is called for both the left and right subtrees of the node with valuex
to count the number of nodes therein, resulting in a worst-case complexity ofO(n)
, since a tree with a skewed structure could be a single branch. -
After finding the node
x
and counting the left and right subtrees, we evaluate the maximum number of nodes in player 2's three choices (left subtree, right subtree, the rest of the tree) in constant time.
Therefore, the overall time complexity is O(n)
for finding node x
plus O(n)
for counting the nodes in the left subtree and O(n)
for counting the nodes in the right subtree.
Hence, the combined time complexity is O(n) + O(n) + O(n)
which simplifies to O(n)
.
Space Complexity
The space complexity is mainly due to the recursion stack used during the DFS and counting procedures.
-
dfs
function: The recursive stack could in the worst case storeO(h)
frames, whereh
is the height of the tree, resulting in a space complexity ofO(h)
. -
count
function: After thedfs
function has completed, the recursivecount
function is called separately for the left and right subtrees, each consuming space on the call stack. The space taken by both calls will not exceedO(h)
in total at any time because they are called sequentially, not concurrently.
In the case of a balanced binary tree, the height h
is log(n)
, leading to a space complexity of O(log(n))
. However, in the worst-case scenario of a skewed tree (similar to a linked list), where the tree's height is equal to the number of nodes, the space complexity becomes O(n)
.
Therefore, the combined space complexity of the code is O(n)
in the worst case.
Learn more about how to find time and space complexity quickly using problem constraints.
Which data structure is used to implement priority queue?
Recommended Readings
Everything About Trees A tree is a type of graph data structure composed of nodes and edges Its main properties are It is acyclic doesn't contain any cycles There exists a path from the root to any node Has N 1 edges where N is the number of nodes in the tree and
https algomonster s3 us east 2 amazonaws com cover_photos dfs svg Depth First Search Prereqs Recursion Review problems recursion_intro Trees problems tree_intro With a solid understanding of recursion under our belts we are now ready to tackle one of the most useful techniques in coding interviews Depth First Search DFS
Binary Tree Min Depth Prereq BFS on Tree problems bfs_intro Given a binary tree find the depth of the shallowest leaf node https algomonster s3 us east 2 amazonaws com binary_tree_min_depth png Explanation We can solve this problem with either DFS or BFS With DFS we traverse the whole tree looking for leaf nodes and record and update the minimum depth as we go With BFS though since we search level by level we are guaranteed to find the shallowest leaf node
Want a Structured Path to Master System Design Too? Don’t Miss This!