Problem Description
Design an algorithm to insert a new node to a complete binary tree keeping it complete after the insertion. Implement the CBTInserter
class with the following methods:
CBTInserter(TreeNode root)
: Initializes the data structure with the root of the complete binary tree.int insert(int v)
: Inserts a TreeNode into the tree with value Node.val == val so that the tree remains complete, and returns the value of the parent of the inserted TreeNode.TreeNode get_root()
: Returns the root node of the tree.
Key Insights
- A complete binary tree is filled from top to bottom and left to right.
- The insertion can be done effectively by maintaining a queue to track the nodes at the current level of the tree.
- The new node should always be added as a child to the first available parent node in the queue.
Space and Time Complexity
Time Complexity: O(1) for insert operation, O(n) for get_root operation.
Space Complexity: O(n) for storing the queue that tracks the nodes in the tree.
Solution
To solve this problem, we use a queue to keep track of the nodes on the current level of the complete binary tree. Upon initialization, we traverse the tree level-by-level using a breadth-first search (BFS) approach to populate this queue. When a new value is inserted, we always add the new node as a child of the first node in the queue that has an available position. After insertion, if the parent node is fully occupied, it is removed from the queue, ensuring that the queue always contains nodes that can accept new children.