给定一个大小为 n 的数组,找到其中的众数。众数是指在数组中出现次数大于 ⌊ n/2 ⌋
的元素。
你可以假设数组是非空的,并且给定的数组总是存在众数。
示例 1:
输入: [3,2,3] 输出: 3
示例 2:
输入: [2,2,1,1,1,2,2] 输出: 2
个人AC答案 遍历
class Solution {
public:
int majorityElement(vector<int>& nums) {
map<int,int> m;
int ret = 0;
for(auto i : nums)
m[i]++;
for(auto i : m)
if(i.second > static_cast<int>(nums.size()) / 2)
{
ret = i.first;
break;
}
return ret;
}
};