数组中出现次数超过一半的数字

时间:2021-01-04 11:06:58

题目描述

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

import java.util.HashMap;
public class Solution {
    public int MoreThanHalfNum_Solution(int [] array) {
        int number = 0;
        HashMap<Integer, Integer> hashMap = new HashMap<Integer, Integer>();
        for (int i=0; i<array.length; ++i) {
        	if (hashMap.containsKey(array[i])) {
        		int values = hashMap.get(array[i]);
        		++values;
        		hashMap.put(array[i], values);
        	} else {
        		hashMap.put(array[i], 1);
        	}
        }
        for (int i=0; i<array.length; ++i) {
        	if (hashMap.get(array[i])>array.length/2) {
        		number = array[i];
        	}
        }
 		return number;
    }
}