Created
October 19, 2015 10:21
-
-
Save goldsborough/6e84a5be212efcfc5e29 to your computer and use it in GitHub Desktop.
Convert a binary tree to a doubly-linked list.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
template<typename Node> | |
class TreeToList | |
{ | |
public: | |
Node* operator()(Node* root) | |
{ | |
_transform(root, root); | |
while (root->left) root = root->left; | |
return root; | |
} | |
private: | |
using pair_t = std::pair<Node*, Node*>; | |
pair_t _transform(Node* node, Node* root, bool on_left = true) | |
{ | |
if (! node) return {nullptr, nullptr}; | |
auto left = _transform(node->left, root, true); | |
node->left = left.first; | |
if (node->left) node->left->right = node; | |
auto right = _transform(node->right, root, false); | |
node->right = right.first; | |
if (node->right) node->right->left = node; | |
if (node == root) return {root, root}; | |
if (! right.second) right.second = node; | |
if (on_left && node->right) | |
{ | |
return {right.second, right.second}; | |
} | |
else if (! on_left && node->left) | |
{ | |
return _rotate_right(node, right); | |
} | |
return {node, node}; | |
} | |
pair_t _rotate_right(Node* node, const pair_t& pair) | |
{ | |
node->left->right = node; | |
return {node->left, pair.second}; | |
} | |
}; | |
template<typename Node> | |
Node* tree_to_list(Node* root) | |
{ | |
TreeToList<Node> transform; | |
return transform(root); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment