Skip to content

Latest commit

 

History

History
102 lines (84 loc) · 2.63 KB

501-find-mode-in-binary-search-tree.md

File metadata and controls

102 lines (84 loc) · 2.63 KB

501. Find Mode in Binary Search Tree - 二叉搜索树中的众数

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

假定 BST 有如下定义:

  • 结点左子树中所含结点的值小于等于当前结点的值
  • 结点右子树中所含结点的值大于等于当前结点的值
  • 左子树和右子树都是二叉搜索树

例如:
给定 BST [1,null,2,2],

   1
    \
     2
    /
   2

返回[2].

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

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


题目标签:Tree

题目链接:LeetCode / LeetCode中国

题解

比较常规的思路:遍历树,进行频次统计,然后得到众数。没有利用题目是BST的特点,也使用了额外的空间。

Language Runtime Memory
cpp 20 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:
    unordered_map<int, int> cnt;
    void dfs(TreeNode* node){
        if(!node){
            return;
        }
        if(!cnt.count(node->val)){
            cnt[node->val] = 1;
        }else{
            cnt[node->val] += 1;
        }
        if(node->left){
            dfs(node->left);
        }
        if(node->right){
            dfs(node->right);
        }
    }
    vector<int> findMode(TreeNode* root) {
        vector<int> res;
        if(!root){
            return res;
        }
        dfs(root);
        vector<pair<int, int>> ccnt;
        for(auto item : cnt){
            ccnt.push_back(item);
        }
        if(ccnt.empty()){
            return res;
        }else{
            sort(ccnt.begin(), ccnt.end(), [](pair<int, int> a, pair<int, int> b){ return a.second > b.second; });
            int max_cnt = ccnt[0].second;
            for(auto item : ccnt){
                if(item.second == max_cnt){
                    res.push_back(item.first);
                }else{
                    break;
                }
            }
            return res;
        }
    }
};