标签:初始 == oid else turn 时间 ems void mode
给定一个有相同值的二叉搜索树(BST),找出 BST 中的所有众数(出现频率最高的元素)。
假定 BST 有如下定义:
示例:
例如:
给定 BST [1,null,2,2],
1
2
/
2
返回[2].
题目链接: https://leetcode-cn.com/problems/find-mode-in-binary-search-tree/
二叉搜索树有一个重要的性质:二叉搜索树的中序遍历序列是升序序列。所以我们中序遍历二叉搜索树记录节点值的升序序列,然后根据升序序列找众数。找众数的方法:
代码如下:
/**
* 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> findMode(TreeNode* root) {
if(root==nullptr) return {};
vector<int> v;
inOrder(root, v);
int cnt = 1;
int curMax = 1;
vector<int> ans;
ans.push_back(v[0]);
for(int i=1; i<v.size(); i++){
if(v[i]==v[i-1]){
cnt++;
}else cnt=1;
if(cnt==curMax){
ans.push_back(v[i]);
}else if(cnt>curMax){
curMax = cnt;
ans.clear();
ans.push_back(v[i]);
}
}
return ans;
}
void inOrder(TreeNode* root, vector<int>& v){
if(root==nullptr) return;
inOrder(root->left, v);
v.push_back(root->val);
inOrder(root->right, v);
}
};
标签:初始 == oid else turn 时间 ems void mode
原文地址:https://www.cnblogs.com/flix/p/12694990.html