LeetCode-1038. 从二叉搜索树到更大和树

题目描述 从二叉搜索树到更大和树

给出二叉搜索树的根节点,该二叉树的节点值各不相同,修改二叉树,使每个节点 node 的新值等于原树中大于或等于 node.val 的值之和。

提醒一下,二叉搜索树满足下列约束条件:

节点的左子树仅包含键小于节点键的节点。
节点的右子树仅包含键大于节点键的节点。
左右子树也必须是二叉搜索树

示例


输入:[4,1,6,0,2,5,7,null,null,null,3,null,null,null,8]
输出:[30,36,21,36,35,26,15,null,null,null,33,null,null,null,8]

解题思路

  • 想的是先把所有节点的和加起来
  • 然后中序遍历,把当前节点的值变成所有节点和减去自己左子树的和就行

看了一下大佬们的思想,直接后序遍历就得了。果然简洁很多,所以题目写出来之后还是要多优化啊,就加分很多。

代码

/**
 * 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:
    TreeNode* bstToGst(TreeNode* root) {
        int sum=cal_sum(root);
        int temp=0;
        putnum(root, sum, temp);
        return root;
    }

    void putnum(TreeNode* root, int sum, int &temp){
        if(!root) return ;
        putnum(root->left, sum, temp);
        temp += root->val;
        root->val += sum - temp;
        putnum(root->right, sum, temp);
    }

    int cal_sum(TreeNode* root){
        int res=0;
        if(!root) return 0;
        res = root->val + cal_sum(root->left) + cal_sum(root->right);
        return res;
    }
};

优化代码

class Solution {
public:
    int val;
    TreeNode* bstToGst(TreeNode* root) {
        set(root);
        return root;
    }
    void set(TreeNode* root) {
        if(root) {
            set(root->right);
            root->val += val;
            val = root->val;
            set(root->left);
        }
    }
};

你可能感兴趣的:(LeetCode-1038. 从二叉搜索树到更大和树)