题目描述
数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。
思路
和之前几题数组以及字符串的解题思路非常类似,也是利用到了python的count计数方法;或者利用collection模块的Counter方法。
解答
方法一
class Solution:
def MoreThanHalfNum_Solution(self, numbers):
# write code here
for num in numbers:
if numbers.count(num)>(len(numbers)/2):
return num
return 0
方法二
import collections
class Solution:
def MoreThanHalfNum_Solution(self, numbers):
# write code here
dic = collections.Counter(numbers)
for key,value in dic.items():
if value>(len(numbers)/2):
return key
return 0