leetCode-Majority Element
Description:
Given an array of size n, find the majority element. The majority element is the element that appears more than ⌊ n/2 ⌋ times.
You may assume that the array is non-empty and the majority element always exist in the array.
My Solution:
class Solution { public int majorityElement(int[] nums) { Map<Integer,Integer> map = new HashMap<Integer,Integer>(); int len = nums.length; for(int i = 0;i < len;i++){ map.put(Integer.valueOf(nums[i]),map.get(nums[i]) == null?Integer.valueOf(1):map.get(nums[i]) + 1); } int result = 0; for(Integer i : map.keySet()){ if(map.get(i) > Math.ceil(len/2)){ result = i; } } return result; } }
Better Solution1:
class Solution { public int majorityElement(int[] nums) { Arrays.sort(nums); return nums[nums.length/2]; } }
如图所示,当数组nums元素个数为奇数时,如果Majority
Element(最大数目元素,以下简称ME)最小,那么图中第一行数组中下划线即为ME在nums中的分布,如果Majority
Element(最大数目元素,以下简称ME)最大,那么图中第一行数组中上划线即为ME在nums中的分布。当数组nums元素个数为偶数时,如果Majority
Element(最大数目元素,以下简称ME)最小,那么图中第一行数组中下划线即为ME在nums中的分布,如果Majority
Element(最大数目元素,以下简称ME)最大,那么图中第一行数组中上划线即为ME在nums中的分布。如果ME介于最大与最小之间,那么ME的分布介于两条直线之间。而无论何种情况,n2始终在ME的分布范围内。
Better Solution2:
class Solution { public int majorityElement(int[] nums) { int count = 0; Integer candidate = null; for (int num : nums) { if (count == 0) { candidate = num; } count += (num == candidate) ? 1 : -1; } return candidate; } }
总结:因为ME满足个数大于num数组个数的一半,可以把nums数组想象成分布了两类元素,一类为ME,一类非ME,count始终大于0(实际不是这样,count一般会在大于0和等于0之间波动,不过这样想易于理解),而candidate就可以定位到ME。