Problem Description
Given a root node reference of a BST and a key, delete the node with the given key in the BST. Return the root node reference (possibly updated) of the BST. The deletion can be divided into two stages: Search for a node to remove, and if the node is found, delete the node.
Key Insights
- A Binary Search Tree (BST) maintains the property that for any given node, all values in its left subtree are less than its value, and all values in its right subtree are greater.
- Deleting a node can have three cases:
- The node is a leaf (no children).
- The node has one child.
- The node has two children (in which case we need to find the in-order predecessor or successor to replace the node).
- The deletion operation must maintain the BST properties.
Space and Time Complexity
Time Complexity: O(height of tree), where height is the depth of the tree.
Space Complexity: O(height of tree) due to the recursion stack.
Solution
To solve this problem, we will use a recursive approach. We will traverse the tree to find the node with the given key. Once found, we will handle the three cases of deletion:
- If the node is a leaf, simply remove it.
- If the node has one child, replace it with its child.
- If the node has two children, find the in-order predecessor (maximum node in the left subtree) or in-order successor (minimum node in the right subtree), replace the node's value with that of the predecessor/successor, and then delete the predecessor/successor.
We will return the updated root of the BST after deletion.