文章目录
前言
题目出自力扣
 算法练习题:majority Element 多数元素
一、题目
题目链接
示例 1:
输入:[3,2,3]
输出:3
示例 2:
输入:[2,2,1,1,1,2,2]
输出:2
二、解答
1.代码
代码如下(示例):
//方案1 
//leetcode submit region begin(Prohibit modification and deletion)
class Solution {
    public int majorityElement(int[] nums) {
        if (nums.length<=1){
            return nums[nums.length-1];
        }else {
            Map<Integer, Integer> map = new HashMap<>();
            int x = (int) nums.length / 2;
            for (int i = 0; i < nums.length; i++) {
                // if key == nums[i] is exist
                if (map.containsKey(nums[i])) {
                    map.put(nums[i], map.get(nums[i])+1);
                    if (map.get(nums[i]) > x) {
                        return nums[i];
                    }
                } else {
                    map.put(nums[i], 1);
                }
            }
            throw new IllegalArgumentException("No majority element");
        }
    }
}
/*
解答成功:
	执行耗时:18 ms,击败了5.19% 的Java用户
	内存消耗:46 MB,击败了20.45% 的Java用户
*/
//leetcode submit region end(Prohibit modification and deletion)
//方案2 网上的解答 很巧妙 搞得我像个傻子 不过我会了
//leetcode submit region begin(Prohibit modification and deletion)
class Solution {
    public int majorityElement(int[] nums) {
        Arrays.sort(nums);
        return nums[nums.length/2];
    }
}
//leetcode submit region end(Prohibit modification and deletion)
/*
解答成功:
	执行耗时:2 ms,击败了58.89% 的Java用户
	内存消耗:44.5 MB,击败了73.26% 的Java用户
*/
2.复盘
思路还是要活络一些
总结
加油吧










