Created
April 27, 2018 13:27
-
-
Save tamarous/202ee5b950ad591d742f8dd7d1575060 to your computer and use it in GitHub Desktop.
Recover Binary Search Tree
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
/** | |
* Definition of TreeNode: | |
* class TreeNode { | |
* public: | |
* int val; | |
* TreeNode *left, *right; | |
* TreeNode(int val) { | |
* this->val = val; | |
* this->left = this->right = NULL; | |
* } | |
* } | |
*/ | |
class Solution { | |
public: | |
/** | |
* @param root: the given tree | |
* @return: the tree after swapping | |
*/ | |
TreeNode *findKthNode(TreeNode *root, int k) { | |
if (root == NULL) { | |
return NULL; | |
} | |
TreeNode *res = NULL; | |
stack<TreeNode *> stack; | |
TreeNode *ptr = root; | |
int count = 0; | |
while(ptr != NULL || ! stack.empty()) { | |
if (ptr != NULL) { | |
stack.push(ptr); | |
ptr = ptr->left; | |
} else { | |
ptr = stack.top(); | |
stack.pop(); | |
count++; | |
if (count == k) { | |
res = ptr; | |
break; | |
} | |
ptr = ptr->right; | |
} | |
} | |
return res; | |
} | |
TreeNode * bstSwappedNode(TreeNode * root) { | |
// write your code here | |
if (root == NULL || (root->left == NULL && root->right == NULL)) { | |
return root; | |
} | |
vector<int> values; | |
stack<TreeNode *> stack; | |
TreeNode *ptr = root; | |
while(ptr != NULL || ! stack.empty()) { | |
if (ptr!=NULL) { | |
stack.push(ptr); | |
ptr = ptr->left; | |
} else { | |
ptr = stack.top(); | |
values.push_back(ptr->val); | |
stack.pop(); | |
ptr = ptr->right; | |
} | |
} | |
int size = values.size(); | |
int left = 0, right = size-1; | |
while(left < size) { | |
if (values[left+1] < values[left]) { | |
break; | |
} | |
left++; | |
} | |
while(right >= 0) { | |
if (values[right-1] > values[right]) { | |
break; | |
} | |
right--; | |
} | |
TreeNode *x = findKthNode(root, left+1); | |
TreeNode *y = findKthNode(root, right+1); | |
int t = x->val; | |
x->val = y->val; | |
y->val = t; | |
return root; | |
} | |
}; |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment