数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。
使用字典,数组中的值作为key,出现的次数作为value,根据value统计。
function MoreThanHalfNum_Solution($numbers)
{
// write code here
$dict = array();
foreach($numbers as $key){
if($dict[$key]==null){
$dict[$key]=1;
}
else{
$dict[$key]+=1;
}
if($dict[$key]*2 > count($numbers)){
return $key;
}
}
foreach($dict as $key=>$value){
if($value*2>count($numbers)){
return $key;
}
}
return 0;
}