Problem Description
Given the head of a singly linked list where elements are sorted in ascending order, convert it to a height-balanced binary search tree.
Key Insights
- The linked list is sorted, which allows us to use the middle element as the root of the BST to maintain balance.
- The tree is height-balanced if the depth of the two subtrees of any node never differs by more than one.
- We can use a recursive approach to divide the linked list into two halves, building the tree as we go.
Space and Time Complexity
Time Complexity: O(n), where n is the number of nodes in the linked list, as we visit each node exactly once. Space Complexity: O(log n) for the recursion stack in the case of a balanced tree (worst-case O(n) for an unbalanced tree).
Solution
To convert a sorted linked list to a height-balanced binary search tree, we can use a recursive approach. The steps are as follows:
- Find the middle element of the linked list. This will be the root of the BST.
- Recursively do the same for the left half and the right half of the list.
- The left subtree will be built from the left half, and the right subtree will be built from the right half.
This way, we ensure that the tree is balanced by always choosing the middle element as the root.