这些小活动你都参加了吗?快来围观一下吧!>>
电子产品世界 » 论坛首页 » 嵌入式开发 » STM32 » recover-binary-search-tree

共1条 1/1 1 跳转至

recover-binary-search-tree

高工
2018-01-16 13:43:22     打赏

Two elements of a binary search tree (BST) are swapped by mistake.

Recover the tree without changing its structure.

Note: 
A solution using O(n ) space is pretty straight forward. Could you devise a constant space solution?


confused what"{1,#,2,3}"means? > read more on how binary tree is serialized on OJ.


OJ's Binary Tree Serialization:

The serialization of a binary tree follows a level order traversal, where '#' signifies a path terminator where no node exists below.

Here's an example:

   1
  / \
 2   3
    /
   4
    \
     5
The above binary tree is serialized as"{1,2,3,#,#,4,#,#,5}".题意:二叉搜索树中有两个元素是乱序的,请将他们转换成为真正的二叉搜索树;
思路:首先我们想到最直接的想法是中序遍历得到的中序序列,搜索二叉树中的中序遍历是非递减序列。那么问题就转化为在非递减有序列中交换两个数的位置,找出这两个数并恢复有序序列。
这个问题可以分为两步1.首先找到第一个错误的数first,即第一个比它后缀的数大的数;2.然后找到第一个错误位置应该在的位置,即第二个错误数的位置,也就是说找到第一个比first大数的前驱;
这个前驱就是第一个错误的数应该放的位置,也就是第二个错误的位置。
注意:这里有一个特殊情况,(0,1)first为1,没有找到比first大的数,这时second就是0[cpp] view plain copy
  1. class Solution  

  2. {  

  3. public:  

  4.     void recoverTree(TreeNode* root)  

  5.     {  

  6.         TreeNode* pre = NULL;  

  7.         TreeNode* first = NULL;  

  8.         TreeNode* second = NULL;  

  9.   

  10.         inorder(root, pre, first, second);  

  11.         if (first!=NULL)  

  12.         {  

  13.             if (second==NULL)  

  14.             {  

  15.                 second = pre;  

  16.             }  

  17.   

  18.             int tmp = first->val;  

  19.             first->val = second->val;  

  20.             second->val = tmp;  

  21.         }  

  22.     }  

  23.   

  24.     void inorder(TreeNode* root, TreeNode* &pre,   

  25.                         TreeNode* &first, TreeNode* & second)  

  26.     {  

  27.         if (root==NULL)  

  28.         {  

  29.             return;  

  30.         }  

  31.   

  32.         if (root->left)  

  33.         {  

  34.             inorder(root->left, pre, first, second);  

  35.         }  

  36.   

  37.         if (pre!=NULL)  

  38.         {  

  39.             if (first==NULL && root->val<pre->val)  

  40.             {  

  41.                 first = pre;  

  42.             }  

  43.             else if (first && root->val>=first->val)  

  44.             {  

  45.                 second = pre;  

  46.                 return;  

  47.             }  

  48.         }  

  49.   

  50.         pre = root;  

  51.         if (root->right)  

  52.         {  

  53.             inorder(root->right, pre, first, second);  

  54.         }  

  55.     }  

  56. };  




共1条 1/1 1 跳转至

回复

匿名不能发帖!请先 [ 登陆 注册 ]