[Question]
Make BST in-order traversal without using recursive calls nor stack.
[Analysis]
Morris Traversal.
[Code]
/ *
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
vector<int> inorderTraversal(TreeNode *root) {
vector<int> v;
if (root==NULL) return v;
TreeNode* cur = root;
TreeNode* pre = NULL;
while (cur!=NULL) {
if (!cur->left) {
v.push_back(cur->val);
cur = cur->right;
}
else {
if (pre && pre->right==cur) {
pre->right = NULL;
v.push_back(cur->val);
cur = cur->right;
} else {
pre = cur->left;
while (pre->right!=NULL && pre->right!=cur) {
pre = pre->right;
}
if (pre->right==NULL) {
pre->right = cur;
cur = cur->left;
}
}
}
}
return v;
}
};
No comments:
Post a Comment