时间限制: 1秒 空间限制: 32768K
本题知识点: 数组
题目描述
数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。
思路分析
先遍历数组,用字典将每个数字的次数记录下来,然后遍历字典
C#语言
public int MoreThanHalfNum_Solution(int[] numbers)
{
Dictionary<int, int> dic = new Dictionary<int, int>();
foreach (int num in numbers)
{
if (dic.ContainsKey(num)) ++dic[num];
else dic.Add(num, 1);
}
foreach (var item in dic)
{
if (item.Value > numbers.Length / 2) return item.Key;
}
return 0;
}