欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Leetcode897. 递增顺序查找树

程序员文章站 2022-06-29 18:35:19
...

题目链接:https://leetcode-cn.com/problems/increasing-order-search-tree/
给你一个树,请你 按中序遍历 重新排列树,使树中最左边的结点现在是树的根,并且每个结点没有左子结点,只有一个右子结点。
Leetcode897. 递增顺序查找树
Leetcode897. 递增顺序查找树
思路:将中序遍历的结果存储下来,再按照要求建立右单分支结点,创建的时候要用new

/**
 * 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:
//中序遍历结果
    void inorder(TreeNode *root,vector<int> &path){
        if(!root)  return;
        inorder(root->left,path);
        path.push_back(root->val);
        inorder(root->right,path);
    }
    TreeNode* increasingBST(TreeNode* root) {
        vector<int> inorder_path;
        inorder(root,inorder_path);
        TreeNode *temp=new TreeNode(0),*node=temp;
        for(auto it:inorder_path){
            node->right=new TreeNode(it);//一定要用new创建右孩子结点
            node=node->right;
        }
        return temp->right;
    }
};
相关标签: 今天刷题了吗