题目
数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。
方法一:利用统计学中的中位数法
数组的特性:数组中有一个数字出现的次数超过了数组长度的一半。如果把这个数组排序,那么排序之后位于数组中间的数字一定就是那个出现次数超过数组长度一半的数字。
class Solution:
def MoreThanHalfNum_Solution(self, numbers):
# write code here
numbers.sort()
l=len(numbers)
mm=numbers[l/2]
k=0
for i in range(l):
if numbers[i]==mm:
k+=1
if k>l/2:
return mm
else:
return 0
方法二:利用collections模块中的Counter函数
coullections模块中的Counter函数
import collections
numbers=[1,1,1,3,4,5,6,2,2,2,2,3,4,2,2,1]
tmp=collections.Counter(numbers)
print(tmp)
输出:
Counter({2: 6, 1: 4, 3: 2, 4: 2, 5: 1, 6: 1})
可见Counter可以统计列表中字符出现的数字,返回的是字典。
解答
class Solution:
def MoreThanHalfNum_Solution(self, numbers):
# write code here
import collections
tmp=collections.Counter(numbers)
for value,num in tmp.items():
if num>(len(numbers)/2):
return value
return 0