Skip to content

Latest commit

 

History

History
106 lines (85 loc) · 2.3 KB

897-increasing-order-search-tree.md

File metadata and controls

106 lines (85 loc) · 2.3 KB

897. Increasing Order Search Tree - 递增顺序查找树

给定一个树,按中序遍历重新排列树,使树中最左边的结点现在是树的根,并且每个结点没有左子结点,只有一个右子结点。

 

示例 :

输入:[5,3,6,2,4,null,8,1,null,null,null,7,9]

       5
      / \
    3    6
   / \    \
  2   4    8
 /        / \ 
1        7   9

输出:[1,null,2,null,3,null,4,null,5,null,6,null,7,null,8,null,9]

 1
  \
   2
    \
     3
      \
       4
        \
         5
          \
           6
            \
             7
              \
               8
                \
                 9  

 

提示:

  1. 给定树中的结点数介于 1 和 100 之间。
  2. 每个结点都有一个从 0 到 1000 范围内的唯一整数值。

题目标签:Tree / Depth-first Search

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
cpp 164 ms N/A
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    vector<int> rst;
    void dfs(TreeNode* cur){
        if(cur->left){
            dfs(cur->left);
        }
        cout << cur->val << endl;
        rst.push_back(cur->val);
        if(cur->right){
            dfs(cur->right);
        }
    }
    TreeNode* increasingBST(TreeNode* root) {
        if(!root){
            return root;
        }
        dfs(root);
        TreeNode* _root = root;
        root->left = NULL;
        root->right = NULL;
        root->val = rst[0];
        for(uint i=1; i<rst.size(); i++){
            TreeNode * tmp = new TreeNode(rst[i]);
            root->right = tmp;
            root = tmp;
        }
        return _root;
    }
};