算法题--投票算法 2022-02-23 14:02 投票算法 ### 题目: 给定一个大小为 n 的数组,找到其中的多数元素。多数元素是指在数组中出现次数 大于 ⌊ n/2 ⌋ 的元素。 你可以假设数组是非空的,并且给定的数组总是存在多数元素。 来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/majority-element 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。 **输入:**[2,2,1,1,1,2,2] **输出:** 2 ### 代码: ```Java package com.example.demo.core.Leecode; import java.util.Arrays; import java.util.HashMap; /** * @author: HanXu * on 2022/2/22 * Class description: 数组中出现次数最多的元素。最多指的是出现次数大于n/2 */ public class MaxCountDemo { public static void main(String[] args) { int[] arr = {2, 2, 1, 1, 1, 2, 2}; System.out.println(majorityElement(arr)); System.out.println(majorityElement2(arr)); System.out.println(majorityElement3(arr)); } /** * 暴力解法,使用map储存元素和出现次数 * @param nums * @return */ public static int majorityElement3(int[] nums) { HashMap<Integer, Integer> map = new HashMap<Integer, Integer>(); for (int i = 0; i < nums.length; i++) { map.put(nums[i], map.getOrDefault(nums[i], 0) + 1); if (map.get(nums[i]) > nums.length/2) { return nums[i]; } } return -1; } /** * 排序,然后取中间值 * 1 1 2 * 1 1 1 3 * * @param nums * @return */ public static int majorityElement2(int[] nums) { Arrays.sort(nums); return nums[nums.length / 2]; } /** * 投票算法:数组中只有两种元素:我和我之外的元素,每次只记住我这种元素的个数 * * @param nums * @return */ public static int majorityElement(int[] nums) { int temp = nums[0]; int count = 1; for (int i = 1; i < nums.length; i++) { if (nums[i] == temp) { count++; } else { count--; } //如果计数器回到0了,说明当前元素和之前的元素有同样的成为出现次数最多元素的概率 if (count == 0) { temp = nums[i]; count = 1; } } return temp; } } ``` --END--
发表评论