链接:https://www.nowcoder.com/questionTerminal/e8a1b01a2df14cb2b228b30ee6a92163
来源:牛客网
数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为 9 的数组 {1, 2, 3, 2, 2, 2, 5, 4, 2}。由于数字 2 在数组中出现了 5 次,超过数组长度的一半,因此输出 2。如果不存在则输出 0。
【解题思路】:
方法一:直接对数组进行排序,中间元素即为要求元素。
方法二:采用阵地攻守的思想:第一个数字作为第一个士兵,守阵地;count = 1;遇到相同元素时 count++;遇到不相同元素时 count–;当 count 减为 0 时,又以新的 i 值作为守阵地的士兵,继续下去,到最后还留在阵地上的士兵,有可能是主元素。因为主元素数目超过了整个数组的一半,因此其他的数字是不能把主数字给减为 0 的。再加一次循环,记录这个士兵的个数看是否大于数组一半即可。
方法三:利用 Map 存储键值对的特性,key 用于存储数组中的每个元素,value 存储每个元素出现的次数,找到 value 值大于数组长度的一半的对应的 key。
【代码展示】:
//方法一
import java.util.*;
public class Solution {
public int MoreThanHalfNum_Solution(int[] array) {
Arrays.sort(array);
int count = 0;
for(int i = 0; i < array.length; i++) {
if(array[i] == array[array.length/2]) {
count++;
}
}
if(count > array.length/2) {
return array[array.length/2];
}else {
return 0;
}
}
}
//方法二
public class Solution {
public int MoreThanHalfNum_Solution(int [] array) {
int n = array.length;
if(n == 0) {
return 0;
}
int num = array[0];
int count = 1;
for(int i = 1; i < n; i++) {
if(array[i] == num) {
count++;
}else {
count--;
}
if(count == 0) {
num = array[i];
count = 1;
}
}
//经过上面的操作已经找到num了
//下面的操作时为了确认num出现次数超过了数组长度的一半
count = 0;
for(int i = 0; i < n; i++) {
if(array[i] == num) {
count++;
}
}
if(count > n/2) {
return num;
}else {
return 0;
}
}
}
//方法三
import java.util.*;
public class Solution {
public int MoreThanHalfNum_Solution(int[] array) {
Map<Integer, Integer> map = new HashMap<>();
for(int i = 0; i < array.length; i++) {
if(!map.containsKey(array[i])) {
map.put(array[i], 1);
}else {
map.put(array[i], map.get(array[i]) + 1);
}
}
for(Map.Entry<Integer, Integer> i : map.entrySet()) {
if(i.getValue() > array.length/2) {
return i.getKey();
}
}
return 0;
}
}