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

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

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

    1. 1
    2. \
    3. 2
    4. /
    5. 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:
        unordered_map<int, int> hashMap;
        vector<int> findMode(TreeNode* root) {
            dfs(root);
            unordered_map<int, int>::iterator it;
            vector<int> res;
            int maxFreq = 0;
            for(it = hashMap.begin(); it != hashMap.end(); it++){
                if(maxFreq < it->second){
                    maxFreq = it->second;
                    res.clear();
                    res.push_back(it->first);
                }else if(maxFreq == it->second){
                    res.push_back(it->first);
                }
            }
    
            return res;
        }
        void dfs(TreeNode* root){
            if(root == NULL) return ;
            hashMap[root->val]++;
            dfs(root->left);
            dfs(root->right);
        }
    };
    
    class Solution {
    public:
        vector<int> answer;
        int base, count, maxCount;
    
        void update(int x) {
            if (x == base) {
                ++count;
            } else {
                count = 1;
                base = x;
            }
            if (count == maxCount) {
                answer.push_back(base);
            }
            if (count > maxCount) {
                maxCount = count;
                answer = vector<int> {base};
            }
        }
    
        void dfs(TreeNode* o) {
            if (!o) {
                return;
            }
            dfs(o->left);
            update(o->val);
            dfs(o->right);
        }
    
        vector<int> findMode(TreeNode* root) {
            dfs(root);
            return answer;
        }
    };
    
    作者:LeetCode-Solution
    链接:https://leetcode-cn.com/problems/find-mode-in-binary-search-tree/solution/er-cha-sou-suo-shu-zhong-de-zhong-shu-by-leetcode-/
    来源:力扣(LeetCode)
    著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。