426. Convert Binary Search Tree to Sorted Doubly Linked List - Detailed Explanation
Problem Statement
Given the root of a Binary Search Tree (BST), convert the tree to a sorted circular doubly-linked list in-place. Each tree node should be rearranged so that its left pointer points to its in-order predecessor and its right pointer points to its in-order successor. The linked list should be circular, meaning the smallest element (head of the list) has its left pointer pointing to the largest element (tail of the list), and the largest element's right pointer points back to the smallest element. The function should return the pointer to the smallest node (head of the doubly-linked list).
- In-order (sorted) order: The nodes in the doubly-linked list must appear in ascending order (which is the in-order traversal order for BST).
- In-place conversion: Do not create new nodes; modify the pointers of the existing tree nodes to form the doubly-linked list.
- Return value: Return the head of the doubly-linked list (or
null
/None
if the tree is empty).
Constraints:
- The number of nodes
N
is in the range[0, 2000]
. -1000 <= Node.val <= 1000
(integer values).- All Node.val are unique (so the BST has a strict in-order sequence with no duplicates).
- The tree is a valid Binary Search Tree.
Example 1:
- Input:
root = [4,2,5,1,3]
(This represents the BST structure: 4 is root, 2 is left child of 4, 5 is right child of 4, 1 is left child of 2, 3 is right child of 2). - Output:
[1,2,3,4,5]
- Explanation: The BST is converted to a circular doubly linked list. The nodes are in ascending order: 1 ⇄ 2 ⇄ 3 ⇄ 4 ⇄ 5 (where ⇄ indicates double links). The head of the list is the node with value 1, and the node with value 5 links back to 1 to complete the circle.
Example 2:
- Input:
root = [2,1,3]
(BST with 2 as root, 1 as left child, 3 as right child). - Output:
[1,2,3]
- Explanation: The BST is already small. The in-order traversal gives 1 → 2 → 3, so the doubly linked list is 1 ⇄ 2 ⇄ 3 (circularly, 3 links back to 1).
Example 3:
- Input:
root = [1]
(Single-node tree). - Output:
[1]
- Explanation: A single node becomes a circular doubly linked list of length 1. The node’s left and right pointers both point to itself, forming a trivial circle.
Example 4:
- Input:
root = []
(Empty tree). - Output:
[]
(ornull
/None
) - Explanation: An empty tree converts to an empty list. The function should return
null
(orNone
in Python) when the input tree is empty.
Hints
-
Use In-Order Traversal: Recall that an in-order traversal of a BST visits nodes in sorted order (ascending). This property is crucial – if you traverse the BST in-order, you will encounter the nodes in the exact order they should appear in the sorted doubly-linked list.
-
Link Nodes During Traversal: As you perform the in-order traversal, you can rearrange the pointers on the fly. Keep track of the previous node you visited. When visiting the current node, link the previous node and current node together (previous node’s right pointer to current, and current node’s left pointer to previous). This will start forming the doubly-linked list in sorted order.
-
Identify the Head of the List: The smallest element (leftmost node in the BST) will become the head of the doubly-linked list. If you are doing an in-order traversal, the first node you process (when there is no “previous” node yet) will be the head of the list.
-
Handle Recursion or Use a Stack: You have two main ways to perform in-order traversal – recursively (which is straightforward if you're comfortable with recursion) or iteratively using a stack. If recursion is confusing, try simulating the traversal with a stack (push all left nodes, then process nodes, then go right).
-
Remember to Close the Loop: After traversal, don’t forget to make the list circular by connecting the last node (largest element) back to the head, and vice versa. This means setting
head.left = last_node
andlast_node.right = head
at the end of the process. -
Edge Cases: Always check for an empty tree (
root == null
). If there are no nodes, simply return null (or None). If there's only one node, ensure your logic correctly sets that node’s left and right to itself so that it forms a circular list of one element.
Multiple Approaches
There are a few ways to solve this problem. All approaches rely on the BST’s in-order traversal order to achieve the sorted sequence. Below we discuss two primary approaches: a recursive depth-first traversal and an iterative traversal using a stack. Both will have the same time complexity, but they differ in implementation style. We’ll also mention a conceptual approach using an intermediate list for understanding, and note some advanced variations.
Approach 1: Recursive In-Order Traversal (DFS-Based)
Idea: Perform a DFS in-order traversal of the BST using recursion. As you visit each node in sorted order, link it with the previously visited node to build the doubly linked list. This approach leverages the call stack to handle traversal.
How it works:
-
Traverse Left Subtree: Recursively traverse the left subtree first. This will ensure all nodes in the left subtree (which are smaller than the current node in a BST) are processed and added to the list before the current node.
-
Process Current Node: When the recursion returns to the current node (after finishing left subtree):
- If this is the first node being visited (there was no "previous" node stored), that means the current node is the smallest value. Mark this node as the
head
of the doubly linked list (it will be the smallest element). - If a previous node (
prev
) exists, link it with the current node: setprev.right = current
andcurrent.left = prev
. This appends the current node to the doubly linked list right after the previous node. - Then update
prev
to point to the current node, because now the current node becomes the last node in the formed list so far.
- If this is the first node being visited (there was no "previous" node stored), that means the current node is the smallest value. Mark this node as the
-
Traverse Right Subtree: Recursively traverse the right subtree. This will process all nodes greater than the current node and append them to the list in sorted order.
-
Finalize Circular Links: The recursion will eventually visit all nodes in ascending order. The last visited node will be the largest element in the BST. After the entire traversal, connect this last node with the head node to make the list circular: set
last.right = head
andhead.left = last
. Herehead
is the smallest node (saved from when we encountered the first node), andlast
is theprev
pointer after processing all nodes.
This approach uses a pointer (or reference) prev
to keep track of the last processed node, and a pointer head
to remember the first node. We often use a global or outer-scope variable for prev
and head
(or use them as nonlocal variables in Python nested function) so that they persist across recursive calls.
Key points:
- The recursion naturally visits nodes in sorted order (left-root-right).
- The first node visited becomes
head
. Every subsequent node is linked to theprev
. - Make sure to handle the base case: if the input
root
isnull
, simply returnnull
(no list to form). - At the end of traversal, don't forget to complete the circle by linking head and tail.
This recursive approach is intuitive and concise. Essentially, we do an in-order traversal and at each step, attach the current node to the growing doubly-linked list. The conversion is done in place, modifying the original node pointers.
Approach 2: Iterative In-Order Traversal (Using a Stack)
Idea: If you're not comfortable with recursion, you can achieve the same in-order traversal using an explicit stack. This manually manages the traversal process. The linking logic (updating prev
and head
) is the same as in the recursive approach.
How it works:
- Initialize: Create an empty stack to assist with the traversal. Also, have variables
prev
(to track the last node in the list) andhead
(to store the head of the list) ready. Start withcurrent = root
. - Traverse Left Branches: Push all the left children of the current node onto the stack, moving as far left as possible. Do this in a loop: while
current
is not null, push it onto the stack and setcurrent = current.left
. This will eventually push the leftmost node (smallest value) onto the stack. - Process Nodes from Stack: Once you can’t go left anymore (current becomes null), pop the top node from the stack. This node is the next in sorted order (the in-order traversal). Let’s call it
node
.-
If
prev
is not null, linkprev
and thisnode
(setprev.right = node
andnode.left = prev
). -
If
prev
is null, it means thisnode
is the smallest element and is the first node being processed — sethead = node
. -
Update
prev = node
to mark this node as the last processed.
-
- Traverse Right Subtree: After processing
node
, setcurrent = node.right
. Then repeat the left-traversal process: go to step 2 (push all left children of this right subtree). - Continue Loop: Keep looping steps 2–4 as long as either the stack is not empty or
current
is not null. This ensures all nodes are processed in-order. - Finalize Circular Links: After the loop ends (all nodes have been visited and linked in sorted order), use
prev
(which now points to the largest node) andhead
(smallest node) to connect the ends. Setprev.right = head
andhead.left = prev
to make the list circular.
Key points:
- The stack manages the traversal order: it ensures we visit nodes in ascending order by controlling the flow (go left as much as possible, then backtrack).
- The linking logic (
prev
andhead
) is identical to the recursive approach. - Be careful with the loop conditions and pushing/popping from the stack to not skip any nodes.
- Like before, handle the empty tree case upfront (if
root
is null, just return null without modifying anything).
This iterative approach avoids recursion, which can be helpful to avoid recursion depth issues or if you find it easier to visualize the traversal with a stack. The trade-off is you manage the stack yourself. Conceptually, however, it’s doing the same in-order sequence.
Additional Approaches and Thoughts
-
Using an Intermediate List (Brute-force approach): For understanding, one simple (but less efficient in space) approach is:
- Perform an in-order traversal collecting all nodes or values into a list or array.
- Then iterate through that list to re-link the nodes as a doubly linked list (setting each node’s left and right to its neighbors). Finally, connect the last and first to make it circular.
This approach is straightforward and ensures the nodes are sorted (because of in-order), but it uses O(N) extra space to store the list of nodes. Given the problem constraint of doing it in-place, this is not ideal for the final solution (and in an interview setting, you'd be expected to do it in-place). However, it's a valid approach for verification or if constraints were looser on memory.
-
Morris Traversal (Threaded Tree): An advanced approach to achieve in-order traversal without recursion or a stack is Morris traversal (which manipulates tree pointers to thread through the tree). Morris traversal can do in-order in O(N) time with O(1) extra space. It’s possible (though complex) to adapt Morris traversal to also link nodes into a doubly list as you go. This would satisfy in-place requirements with minimal extra space, but the implementation is tricky for beginners and not necessary here.
-
Recursive Subtree Merging: Another alternative recursive strategy is to treat the left and right subtrees as already converted doubly linked lists, then merge them with the root node. For example, recursively convert the left subtree to a circular DLL, do the same for the right subtree, then connect the left list, root, and right list together. This approach involves writing a helper to concatenate two circular linked lists. It’s a bit more involved but achieves the same end result. (This is essentially what some divide-and-conquer solutions do.)
In most cases, the in-order traversal approaches (recursive or iterative) are the simplest to implement and understand for this problem. We will focus on those in the code implementations below.
Code Implementations
Python – Recursive In-Order DFS Solution
In this Python code, we use an inner helper _dfs_inorder
for recursion. We utilize self.prev
and self.head
as described. After conversion, the print_doubly_linked_list
function traverses the circular list from the head and collects values; we limit to a certain count to avoid an infinite loop, but since we know the number of nodes (5 in the example), it prints exactly those.
Python – Iterative In-Order Solution
The iterative solution produces the same result. It explicitly uses a stack to perform the in-order traversal and links nodes as it goes. The print_doubly_linked_list
function is reused to display the outcome.
Java – Recursive In-Order DFS Solution
In this Java code:
- We define a
Node
class for tree nodes. SolutionRecursive.treeToDoublyList
performs the in-order DFS using a private helperdfsInOrder
.- We use two member variables
head
andprev
inSolutionRecursive
to keep track of the list construction, similar to the Python version. - The
MainRecursiveDemo
class builds a sample tree and prints the doubly linked list by traversing it and collecting values into a string for display.
Java – Iterative In-Order Solution
The iterative solution in Java uses a stack (here a Deque
for efficiency) to simulate the in-order traversal and links nodes similarly. We reused the traverseList
helper (made static
in MainRecursiveDemo
) to print the outcome.
Both the recursive and iterative implementations in Python and Java produce the same correct result. You can test them with different BST inputs, including edge cases, to ensure they handle all scenarios.
Complexity Analysis
Regardless of the approach, the problem essentially performs an in-order traversal of the tree and adjusts pointers. Let N
be the number of nodes in the BST.
- Time Complexity: O(N) for all approaches. We visit each node exactly once to adjust pointers (in-order traversal). Linking pointers is O(1) work per node. For instance, in the recursive and iterative solutions, each node is processed one time in the traversal. Even if using the intermediate list approach, collecting nodes is O(N) and linking them is another O(N), which is still O(N) overall.
- Space Complexity:
- Recursive DFS: O(H) on the call stack, where H is the height of the tree. In the worst case (skewed tree), H = N (so O(N) stack space). If the tree is balanced, H ≈ log N. Aside from recursion stack, we use a constant number of pointers for linking.
- Iterative with Stack: O(H) for the explicit stack in the best/average case. In worst case (skewed tree), the stack could hold O(N) nodes if all nodes are in one path. So worst-case space is O(N), but for balanced trees it's O(log N).
- In-place modification: We are not creating new nodes, just repurposing pointers, so the space for nodes themselves is not extra (we modify in place). We only count auxiliary data structures. The final doubly linked list uses the same nodes as the tree.
- Using an intermediate list: O(N) extra space for the list of nodes or values, plus O(N) for linking (if linking new Node objects, that’d be additional, but if reusing existing nodes then just the list cost). This is less space-efficient compared to the in-place methods above.
- Additional note: The output itself is using the same N nodes, arranged in a list. If we consider the circular list pointers as part of output, that’s still just the given nodes rearranged, so no extra memory beyond the original tree’s nodes.
In summary, the in-order traversal methods are linear in time and use O(N) space in the worst case (due to recursion or stack). This is optimal for this problem, since any solution must at least touch all N nodes to adjust pointers.
Step-by-Step Example Walkthrough
Let’s walk through Example 1 (BST with nodes 4,2,5,1,3) using the recursive in-order approach, to see how the pointers are updated at each step:
4
/ \
2 5
/ \
1 3
This is the initial BST structure. We will convert it into a sorted doubly linked list. The in-order traversal of this tree should visit nodes in the order: 1, 2, 3, 4, 5.
- Start at root (4): We begin an in-order traversal. The current node is 4. We first traverse its left subtree.
- Go left to node 2: Now current node is 2. Again, go left first (in-order).
- Go left to node 1: Current node is 1. Attempt to go left – but 1 has no left child, so we hit a leaf.
- Visit node 1: Since 1 has no left child, we process node 1. At this point, there is no previous node yet (this is the smallest node). So:
- Set
head = 1
. (The head of our list will be the node with value 1.) - There is no
prev
to link to, because 1 is the first node. So we just setprev = 1
.
- Set
- Traverse right of 1: Node 1 has no right child. So we return back up to its parent.
- Back at node 2: We've finished the left subtree of 2 (which was just node 1). Now we process node 2:
- The
prev
is currently 1 (from the last step). So we link 1 and 2. Set1.right = 2
and2.left = 1
. Now 1 ⇄ 2 are linked. - Update
prev
to 2 (the last node in our list is now 2). - Set
head
remains 1 (unchanged, as 1 is still the smallest).
- The
- Go right to node 3: Now traverse the right subtree of 2. Node 3 becomes the current node.
- Node 3 has no left child: So we process 3 immediately:
prev
is 2. Link 2 and 3: set2.right = 3
and3.left = 2
. Now the list links 1 ⇄ 2 ⇄ 3.- Update
prev
to 3. head
is still 1.
- Node 3 has no right child: Return back up. We finished processing node 2 and its subtrees (so the entire left subtree of 4 is done, and we have 1 ⇄ 2 ⇄ 3 linked).
- Back at root 4: Now process node 4:
prev
is 3. Link 3 and 4: set3.right = 4
and4.left = 3
. The list is now 1 ⇄ 2 ⇄ 3 ⇄ 4.- Update
prev
to 4. head
stays 1.
- Go right to node 5: Traverse the right subtree of 4. Current node becomes 5.
- Node 5 has no left child: Process 5:
prev
is 4. Link 4 and 5: set4.right = 5
and5.left = 4
. Now we have 1 ⇄ 2 ⇄ 3 ⇄ 4 ⇄ 5.- Update
prev
to 5. head
remains 1.
- Node 5 has no right child: The traversal is now complete.
prev
is pointing to 5 (the last node in sorted order).head
is pointing to 1 (the first node). - Make it circular: Finally, link the ends to make it a circular list:
- Set
5.right = 1
(last node's next is head). - Set
1.left = 5
(head's previous is the last node).
- Set
Now the structure is a circular doubly linked list:
1 ⇄ 2 ⇄ 3 ⇄ 4 ⇄ 5
^ ^
|_______________| (circular connection between 1 and 5)
- The head of the list is 1.
- 1.right → 2, 2.right → 3, 3.right → 4, 4.right → 5, and 5.right → 1 (circularly back to head).
- Similarly, 1.left → 5, 5.left → 4, 4.left → 3, 3.left → 2, 2.left → 1.
If we traverse starting at head (1) and follow right pointers, we get 1 → 2 → 3 → 4 → 5 and then back to 1, as expected. This matches the output [1,2,3,4,5]
.
The iterative approach would follow the same sequence of processing, though the mechanics (using a stack) differ internally. The end result and the order of linking would be the same.
Common Mistakes and How to Avoid Them
Beginners might run into a few pitfalls with this problem. Here are some common mistakes and tips to avoid them:
-
Not handling the empty tree: Forgetting to check if
root
is null at the start. If you don’t handle this, your function might attempt to access properties of a null object. Always returnnull
/None
immediately for an empty input. -
Forgetting to set the head (smallest element): If your logic doesn’t correctly identify the first node in in-order traversal, you might never set the head of the list. This can lead to a null reference when you try to return or use the head. Ensure that when
prev
is null (meaning the node you’re visiting is the smallest so far), you record that node ashead
. -
Not updating the prev pointer: If you forget to update
prev = current
after linking, your next link will be wrong. Theprev
pointer should always point to the last node that was added to the list. Double-check that you update it in the loop or recursion after processing a node. -
Missing the final circular connection: A very common mistake is to build the doubly linked list in sorted order but forget to connect the tail and head at the end. The result in that case would be a straight doubly linked list (not circular). Always remember to do
prev.right = head
andhead.left = prev
after traversal is done. (Also ensure thatprev
andhead
are not null at that point — if the tree was empty, you should not perform this step.) -
Altering the tree structure incorrectly: Some might mistakenly attempt to detach nodes or create new nodes. Remember, we want an in-place conversion. You should only be reassigning the
left
andright
pointers of existing nodes. Don’t create new Node objects or remove nodes from the tree; just relink them. -
Stack misuse in iterative approach: If using a stack, be careful with the loop conditions. A common bug is forgetting one of the conditions in the
while
loop (it should run while there are nodes to process or nodes in the stack). Also ensure you push all left descendants and correctly move to the right node after popping. Off-by-one errors in this process can lead to skipping nodes or infinite loops. Tracing the algorithm with a simple tree on paper can help verify your stack logic. -
Using global variables without resetting (in multiple test cases): If you implement this in a class with global
prev
andhead
(like the Java solution), and then call the function multiple times on different trees using the same instance, you might carry over state. To avoid this, reset or reinitialize yourprev
andhead
at the start oftreeToDoublyList
each time (or create a new Solution object per call). In our implementations, we handled this by setting them anew in each call. -
Not considering single-node behavior: Ensure that if the tree has one node, your logic sets that node’s left and right to itself. If you forget the circular step, a single node’s pointers might remain
null
which is incorrect (it should point to itself in a circular list). Our approach naturally handles this because for a single node,head
andprev
will be that node, and then we link it to itself at the end.
By keeping these points in mind and thoroughly testing with small cases (including edge cases like empty or single-node trees), you can avoid most of these common issues.
Edge Cases to Consider
Make sure your solution handles the following scenarios:
-
Empty Tree: As discussed, if
root
is null, just return null (the resulting list is empty). No pointers to connect. -
Single Node Tree: The result should be a circular doubly linked list of length 1. The single node’s left and right pointers should both point to itself. (After our logic,
head
andprev
will be this node, and we donode.right = node
andnode.left = node
in the final step.) -
BST with Only Left Subtree (Skewed Left): e.g., a tree where each node only has a left child (like 5 <- 4 <- 3 <- 2 <- 1). This is essentially a descending linked list as a tree. The in-order traversal of this will visit nodes from the bottom (1) up to the top (5) in ascending order. The resulting doubly linked list should handle this gracefully (it will end up being the mirror of the tree: 1 ⇄ 2 ⇄ 3 ⇄ 4 ⇄ 5). Ensure that your recursion/iteration can handle the depth and that you properly link each node. The head should be the bottom-left node.
-
BST with Only Right Subtree (Skewed Right): Opposite of above, like 1 -> 2 -> 3 -> 4 -> 5 (each node only has a right child). In-order traversal will visit 1, then 2, etc., already in ascending order (since the tree itself is like an ascending list). The algorithm should link them in the same sequence. The head will be the root in this case (since root is the smallest in such a skewed tree). Check that your loop/recursion handles this (especially the iterative stack approach — if you only go right, you need to ensure the left pushing mechanism works when there are no left children).
-
Two Nodes: This is a simple check – for example, a root with one child. If the child is left of root, then the list should be [child, root]. If the child is right of root, the list should be [root, child]. Make sure you handle setting head and linking for these small trees correctly.
-
Duplicate Values: By constraint, this BST doesn’t have duplicates. But if it did (or in a binary tree that’s not a BST), in-order could still be used but defining sorted order with duplicates would need a convention (e.g., all duplicates appear consecutively). This is not applicable here due to unique values, so it simplifies things.
-
Large Trees: With up to 2000 nodes, a recursive approach could potentially hit recursion depth issues if the tree is extremely skewed (depth 2000 might be okay, but near the limit for some languages). In Python, a skewed tree of 2000 might work but anything significantly larger could hit recursion depth limits. Our constraint is moderate, but it’s good to be aware. The iterative approach would handle skewed trees without recursion risk (but uses a large stack). Both should be fine for 2000 nodes, which is not huge. Just ensure efficiency (O(N)) which we have.
Testing various shapes of BST (balanced, skewed, etc.) will ensure your solution is robust across these edge cases.
Alternative Variations and Related Problems
This problem is a specific instance of tree-to-linked-list conversion. Here are some variations and related problems that you might find interesting for further practice:
-
Flatten Binary Tree to Singly Linked List (LeetCode 114): This is a similar problem where you flatten a binary tree to a linked list in-place, but the catch is it’s a singly linked list using the right pointer (and you typically follow a pre-order traversal order). It’s a different traversal (pre-order vs in-order) and results in a singly linked list (not circular). The approach also uses recursion or iteration.
-
Increasing Order Search Tree (LeetCode 897): This problem is almost like a simplified version of our BST-to-DLL, but it asks to rearrange the BST into a chain where each node has only a right child (like a singly linked list in ascending order). Essentially, it’s an in-order traversal that creates a right-skewed tree (or singly linked list) of all nodes in increasing order. You could solve it with the same in-order traversal idea, linking nodes via right pointers and ignoring left pointers.
-
Convert Sorted Doubly Linked List to BST: While not a direct LeetCode problem, the inverse of what we did is a common interview question: Given a sorted doubly linked list, can you convert it back into a height-balanced BST? This would involve finding the middle element to be the root, etc. A related LeetCode problem is Convert Sorted List to BST (LC 109), where you’re given a sorted singly linked list and need to make a height-balanced BST. These problems explore the relationship in the opposite direction.
-
Binary Tree to Doubly Linked List (Not necessarily BST): Some variations ask you to flatten a binary tree (not necessarily a BST) to a doubly linked list following the in-order sequence. The approach is basically the same (perform in-order traversal and link nodes). The difference is that the resulting list won’t be sorted unless the tree was a BST, but it will reflect the in-order ordering of the original tree. This is a common question on platforms like GeeksforGeeks for practicing pointer manipulation.
-
Populating Next Right Pointers (LeetCode 116/117): While not an in-order problem, these tasks involve linking nodes at the same level in a binary tree (using a next pointer). It’s a different concept (level order and next pointers), but it’s another instance of pointer manipulation in trees to create linked structures. It can broaden your understanding of tree pointer problems.
-
Threaded Binary Trees: The concept of a threaded tree is where null pointers of a binary tree are used to point to the in-order successor (or predecessor). This is related to the idea of converting to a linked list because essentially you’re linking nodes in order. Our problem fully converts the structure to a linked list, but learning about threaded trees (and Morris traversal) can be an interesting advanced topic that stems from similar ideas of linking inorder successors.
GET YOUR FREE
Coding Questions Catalog
