《剑指offer》39.数组中出现次数超过一半的数字
作者:互联网
题目描述
数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。
思路
第一步:找出数组中出现次数最多的数(记为majority)
第二步:判断这个数出现的次数(记为count)是否超过数组长度的一半
用majority记录出现次数最多的值,count表明当前值出现的次数,如果下一个值和当前值相同那么count++;如果不同count--,减到0的时候就要更换新的majority值了,因为如果存在超过数组长度一半的值,那么最后majority一定会是该值。
public class $39_MoreThanHalfNum {
public int MoreThanHalfNum_Solution(int[] array) {
if (array == null || array.length == 0) return 0;
int majority = array[0];//用来记录出现最多的值,初始值为第一个
int count = 1;//majority出现的次数,初始值为1
for (int i = 1; i < array.length; i++) {
if (array[i] == majority)
count++;
else {
count--;
if (count == 0) {
majority = array[i];
count = 1;
}
}
}
System.out.println("majority num:" + majority);
int num = 0;//需要判断是否真的是大于数组长度的一半
for (int i = 0; i < array.length; i++)
if (array[i] == majority)
num++;
return (num > array.length / 2) ? majority : 0;
}
public static void main(String[] args) {
$39_MoreThanHalfNum solution = new $39_MoreThanHalfNum();
int[] arr = {1, 2, 3, 2, 2, 2, 5, 4, 2};
int res = solution.MoreThanHalfNum_Solution(arr);
System.out.println("more than half num:"+res);
}
}
Kevin涛 发布了1 篇原创文章 · 获赞 0 · 访问量 6786 私信 关注
标签:count,39,MoreThanHalfNum,offer,int,majority,数组,array 来源: https://blog.csdn.net/qq_36452584/article/details/104187619