forked from Wang-Jun-Chao/coding-interviews
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Test29.java
89 lines (77 loc) · 2.48 KB
/
Test29.java
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
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
/**
* Author: 王俊超
* Date: 2015-05-06
* Time: 08:44
* Declaration: All Rights Reserved !!!
*/
public class Test29 {
/**
* 题目:数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字
*
* @param numbers 输入数组
* @return 找到的数字
*/
public static int moreThanHalfNum(int[] numbers) {
// 输入校验
if (numbers == null || numbers.length < 1) {
throw new IllegalArgumentException("array length must large than 0");
}
// 用于记录出现次数大于数组一半的数
int result = numbers[0];
// 于当前记录的数不同的数的个数
int count = 1;
// 从第二个数开始向后找
for (int i = 1; i < numbers.length; i++) {
// 如果记数为0
if (count == 0) {
// 重新记录一个数,假设它是出现次数大于数组一半的
result = numbers[i];
// 记录统计值
count = 1;
}
// 如果记录的值与统计值相等,记数值增加
else if (result == numbers[i]) {
count++;
}
// 如果不相同就减少,相互抵消
else {
count--;
}
}
// 最后的result可能是出现次数大于数组一半长度的值
// 统计result的出现次数
count = 0;
for (int number : numbers) {
if (result == number) {
count++;
}
}
// 如果出现次数大于数组的一半就返回对应的值
if (count > numbers.length / 2) {
return result;
}
// 否则输入异常
else {
throw new IllegalArgumentException("invalid input");
}
}
public static void main(String[] args) {
// 存在出现次数超过数组长度一半的数字
int numbers[] = {1, 2, 3, 2, 2, 2, 5, 4, 2};
System.out.println(moreThanHalfNum(numbers));
// 出现次数超过数组长度一半的数字都出现在数组的前半部分
int numbers2[] = {2, 2, 2, 2, 2, 1, 3, 4, 5};
System.out.println(moreThanHalfNum(numbers2));
// 出现次数超过数组长度一半的数字都出现在数组的后半部分
int numbers3[] = {1, 3, 4, 5, 2, 2, 2, 2, 2};
System.out.println(moreThanHalfNum(numbers3));
// 只有一个数
int numbers4[] = {1};
System.out.println(moreThanHalfNum(numbers4));
// 输入空指针
moreThanHalfNum(null);
// 不存在出现次数超过数组长度一半的数字
int numbers5[] = {1, 2, 3, 2, 4, 2, 5, 2, 3};
moreThanHalfNum(numbers5);
}
}