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

501. 二叉搜索树中的众数

程序员文章站 2022-05-20 16:18:35
...

给定一个有相同值的二叉搜索树(BST),找出 BST 中的所有众数(出现频率最高的元素)。

假定 BST 有如下定义:

  • 结点左子树中所含结点的值小于等于当前结点的值

  • 结点右子树中所含结点的值大于等于当前结点的值

  • 左子树和右子树都是二叉搜索树
    例如:
    给定 BST [1,null,2,2],

     1
      \
       2
      /
     2
    

返回[2].

提示: 如果众数超过1个,不需考虑输出顺序

进阶: 你可以不使用额外的空间吗?(假设由递归产生的隐式调用栈的开销不被计算在内)

解答

先不考虑复杂度的问题,最容易想到的方法就是中序遍历得到排序数组,遍历数组得到出现最多的次数,再遍历将等于最大出现次数的值添加进结果数组

/**
 * 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> all;
    vector<int> findMode(TreeNode* root) {
        int max_count=1, temp_count=1;
        vector<int> result;
        if(!root)
            return result;
        helper(root, all);
        for(int i=1;i<all.size();i++){
            if(all[i]==all[i-1]){
                temp_count++;
                max_count = max(max_count, temp_count);
            }
            else{
                temp_count = 1;
            }
        }
        if(max_count==1)
        {
            result.push_back(all[0]);
        }
        temp_count = 1;      
        for(int i=1;i<all.size();i++){
            if(all[i]==all[i-1]){
                temp_count++;
            }
            else{
                temp_count = 1;
            }
            
            if(temp_count==max_count){
                result.push_back(all[i]);
            }
        }
        return result;

    }
    void helper(TreeNode* node, vector<int>& all){
        if(!node)
            return;
        helper(node->left, all);
        all.push_back(node->val);
        helper(node->right, all);
    }
};

显然上面的方法复杂度很高,实际上在第一次中序遍历的时候我们就可以得到结果了,每得到一个更大的出现次数,就将结果数组清空并重新添加;等于最大出现次数就在结果数组基础上直接添加。

/**
 * 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:
    int last;
    int temp_count, max_count;
    vector<int> findMode(TreeNode* root) {
        last = INT_MAX;
        temp_count=0, max_count = 0;
        vector<int> result;
        if(!root)
            return result;
        helper(root, result);
        return result;
    }
    void helper(TreeNode* node, vector<int>& result){
        if(!node)
            return;
        helper(node->left, result);
        if(node->val==last){
            temp_count++;
        }
        else{
            temp_count = 1;
        }
        if(temp_count > max_count){
            result.clear();
            max_count = temp_count;
            result.push_back(node->val);
        }
        else if(temp_count == max_count){
            result.push_back(node->val);
        }
        last = node->val;
        helper(node->right, result);
    }
};