LeetCode 169 多数元素
LeetCode 169 多数元素
给定一个大小为n
的数组,找到其中的多数元素。多数元素是指在数组中出现次数大于 n/2
的元素。
你可以假设数组是非空的,并且给定的数组总是存在多数元素。
遍历计数
执行用时:20 ms, 在所有 Java 提交中击败了11.88%的用户
内存消耗:45.1 MB, 在所有 Java 提交中击败了17.74%的用户
class Solution {
public int majorityElement(int[] nums) {
//遍历计数,返回第一个数量大于n/2的元素
HashMap<Integer, Integer> map = new HashMap<>();
int i = 0;
for(; i<nums.length; i++) {
map.put(nums[i], map.getOrDefault(nums[i],0)+1);
if(map.get(nums[i])>(nums.length)/2) {
break;
}
}
return nums[i];
}
}