class Solution {
public:
int majorityElement(vector<int>& nums) {
}
};
169. 多数元素
给定一个大小为 n
的数组 nums
,返回其中的多数元素。多数元素是指在数组中出现次数 大于 ⌊ n/2 ⌋
的元素。
你可以假设数组是非空的,并且给定的数组总是存在多数元素。
示例 1:
输入:nums = [3,2,3] 输出:3
示例 2:
输入:nums = [2,2,1,1,1,2,2] 输出:2
提示:
n == nums.length
1 <= n <= 5 * 104
-109 <= nums[i] <= 109
进阶:尝试设计时间复杂度为 O(n)、空间复杂度为 O(1) 的算法解决此问题。
原站题解
golang 解法, 执行用时: 16 ms, 内存消耗: 6 MB, 提交时间: 2021-07-30 10:10:05
func majorityElement(nums []int) int { candidate := 0 k := 0 for _, num := range nums { if k == 0 { candidate = num } if num == candidate { k++ } else { k-- } } return candidate }
php 解法, 执行用时: 64 ms, 内存消耗: 20.7 MB, 提交时间: 2021-05-14 17:05:59
class Solution { /** * @param Integer[] $nums * @return Integer */ function majorityElement($nums) { $count = 0; $candidate = null; // 遍历过程中, 众数的出现$count+1, 非众数出现$count-1, 最终$count>0 foreach ( $nums as $num ) { if ( $count == 0 ) $candidate = $num; $count += $num == $candidate ? 1 : -1; } return $candidate; } }