- 數組中有一個數字出現的次數超過數組長度的一半,請找出這個數字。例如輸入一個長度爲9的數組{1,2,3,2,2,2,5,4,2}。因爲數字2在數組中出現了5次,超過數組長度的一半,所以輸出2。若是不存在則輸出0。
public class Solution {
public int MoreThanHalfNum_Solution(int[] array) {
if (array.length == 0)
return 0;
int num = array[0], count = 1;
for (int i = 1; i < array.length; ++i) {
if (array[i] == num) {
count++;
} else {
count --;
if(count == 0){
num = array[i];
count = 1;
}
}
}
//因爲留下來的不必定是最小的,因此要檢查一下
count = 0;
for(int i = 0; i < array.length; ++i)
if(array[i] == num)
count++;
if(count > array.length/2)
return num;
return 0;
}
}