代码随想录算法训练营Day21 | 二叉树part07

发布时间:2024年01月19日

530.二叉搜索树的最小绝对差

leetcode链接
代码随想录链接
一刷状态:通过

思路

二叉搜索树,中序排列后就是有序数组,使用前后指针的方法,计算出最小差值。

class Solution {
public:
    int result = INT_MAX;
    TreeNode* pre = nullptr;
    void traversal(TreeNode* root)
    {
        if(root==nullptr) return;

        traversal(root->left);

        if(pre!=nullptr)
        {
            result = min(result,abs(root->val-pre->val));
        }
        pre = root;

        traversal(root->right);
        
    }
    

    int getMinimumDifference(TreeNode* root) {
        traversal(root);
        return result;
    }
};

501.二叉搜索树中的众数

leetcode链接
代码随想录链接
一刷状态:通过

思路

使用结果集记录众数,再使用maxCount 记录众数的数量,当出现同样数量的数则记录到结果集中,出现超过数量的树,则清空结果集重新记录,同时更新maxCount 。

class Solution {
public:
    vector<int> result;
    int count = 0;
    int maxCount = 1;
    TreeNode* pre = nullptr;
    void traversal(TreeNode* root)
    {
        if(root==nullptr) return;

        traversal(root->left);

        if(pre==nullptr)        // 第一个数
        {
            count = 1;
        }
        else if(pre!=nullptr)   
        {
            if(pre->val==root->val) count++;
            else count = 1;
        }
        if(count==maxCount)     // 达到众数的数量
        {
            result.push_back(root->val);
        }
        if(count>maxCount)      // 超过众数的数量
        {
            maxCount = count;   // 更新众数的数量
            result.clear();     // 删除结果集,更新
            result.push_back(root->val);    //添加新结果
        }
        pre = root;

        traversal(root->right);
    }

    vector<int> findMode(TreeNode* root) {
        traversal(root);
        return result;

    }
};

236. 二叉树的最近公共祖先

leetcode链接
代码随想录链接
一刷状态:通过(理解较浅)

思路

后序遍历,找到p和q节点,然后返回其节点,遇到左右均找到节点的,即为最近公共祖先。

class Solution {
public:
    TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
        if(root==NULL||root==p||root==q) return root;
        TreeNode* left = lowestCommonAncestor(root->left, p, q);
        TreeNode* right = lowestCommonAncestor(root->right, p, q);
        if(left!=NULL&&right!=NULL) return root;
        if(left!=NULL) return left;
        else if(right!=NULL) return right;
        return NULL;
        
    }
};
文章来源:https://blog.csdn.net/EE_Bee/article/details/135619293
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。