229. 求眾數 II-陣列/眾數-中等
阿新 • • 發佈:2020-10-14
問題描述
給定一個大小為n的陣列,找出其中所有出現超過⌊ n/3 ⌋次的元素。
進階:嘗試設計時間複雜度為 O(n)、空間複雜度為 O(1)的演算法解決此問題。
示例1:
輸入:[3,2,3]
輸出:[3]
示例 2:
輸入:nums = [1]
輸出:[1]
示例 3:
輸入:[1,1,1,3,3,2,2,2]
輸出:[1,2]
提示:
1 <= nums.length <= 5 * 104
-109 <= nums[i] <= 109
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/majority-element-ii
解答
//投票法plusclass Solution { public List<Integer> majorityElement(int[] nums) { int n = nums.length; List<Integer> res = new ArrayList<>(); if(n == 0)return res; int cand1 = 0, cand2 = 0, c1 = 0, c2 = 0; for(int i:nums){ if(c1 == 0){if(c2 != 0 && cand2 == i){ c2++; continue; }else{ cand1 = i; c1++; continue; } } if(cand1 == i){ c1++; continue; } if(c2 == 0){ cand2 = i; c2++; continue; } if(cand2 == i){ c2++; continue; } c1--; c2--; } int min = n/3, num1 = 0, num2 = 0; for(int i:nums){ if(cand1 == i)num1++; else if(cand2 == i)num2++; } if(num1>min)res.add(cand1); if(num2>min)res.add(cand2); return res; } }