Given a Binary Tree (BT), convert it to a Doubly Linked List(DLL) In-Place. The left and right pointers in nodes are to be used as previous and next pointers respectively in converted DLL. The order of nodes in DLL must be same as Inorder of the given Binary Tree. The first node of Inorder traversal (leftmost node in BT) must be the head node of the DLL.

Example 1:
Input:
1
/ \\
3 2
Output:
3 1 2
2 1 3
Explanation: DLL would be 3<=>1<=>2
Example 2:
Input:
10
/ \\
20 30
/ \\
40 60
Output:
40 20 60 10 30
30 10 60 20 40
Explanation: DLL would be
40<=>20<=>60<=>10<=>30.
Binary Tree to DLL | Practice | GeeksforGeeks
// This function should return head to the DLL
class Solution
{
public:
//Function to convert binary tree to doubly linked list and return it.
Node * bToDLL(Node *root)
{
Node *head = NULL, *prev = NULL;
solve(head,prev,root);
return head;
}
void solve(Node *&head,Node *&prev,Node *curr) //inorder traversal
{
if(!curr)
return;
solve(head,prev,curr->left);
if(!prev)
head = curr;
else
{
curr->left = prev;
prev->right = curr;
}
prev = curr;
solve(head,prev,curr->right);
}
};