剑指Offer_28

题目

数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。

解题思路

O(n)时间复杂度:

a. 遍历数组,并找出num。通过更新cnt的值,记录num的值
b. 检查,确认num的值数数cnt的值

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
public class Solution {
public int MoreThanHalfNum_Solution(int [] array) {
if(array == null || array.length == 0){
return 0;
}
int num = array[0];
int cnt = 1;
for(int i = 1; i < array.length; ++i){
if(array[i] == num){
++cnt;
}
else{
--cnt;
if(cnt == 0){
num = array[i];
cnt = 1;
}
}
}
cnt = 0;
for(int i = 0; i < array.length; ++i){
if(array[i] == num){
++cnt;
}
}
if(cnt*2 > array.length){
return num;
}
return 0;
}
}