题目
给一个长度为 n 的数组,数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。
例如输入一个长度为9的数组[1,2,3,2,2,2,5,4,2]。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。
数据范围:n≤50000,数组中元素的值 0≤val≤10000
要求:空间复杂度:O(n),时间复杂度 O(n)
输入描述:保证数组输入非空,且保证有解
示例1
输入:
[1,2,3,2,2,2,5,4,2]
返回值:
2
示例2
输入:
[3,3,3,3,2,2,2]
返回值:
3
示例3
输入:
[1]
返回值:
1
思路
遍历一次数组使用哈希表统计各个元素出现的次数,找到出现次数大于数组长度一半的那个数字。
解答代码
#include <unordered_map>
class Solution {
public:
/**
* @param numbers int整型vector
* @return int整型
*/
int MoreThanHalfNum_Solution(vector<int>& numbers) {
// write code here
auto threshold = numbers.size() / 2;
std::unordered_map<int, int> hash;//key:数组元素,value:出现个数
for (auto& num : numbers) {
auto it = hash.find(num);
if (it != hash.end()) {
hash[num] = it->second + 1;
} else {
hash[num] = 1;
}
if (hash[num] > threshold) {
return num;
}
}
return 0;
}
};
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。