数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。
你可以假设数组是非空的,并且给定的数组总是存在多数元素。
解法1:
最直接的解法就是,将数组排序,取中间的元素(若数组size为奇数)或中间两个元素任意一个(若数组size为偶数)。
因为下标范围是0到size()-1, 所以中间元素的位置取(0 + size() - 1) / 2
class Solution {
public:
int majorityElement(vector<int>& nums) {
sort(nums.begin(), nums.end());
return nums[(nums.size() - 1) / 2];
}
};
解法2:
class Solution {
public:
int majorityElement(vector<int>& nums) {
int i = 0, j = nums.size() - 1, cnt = 0;
while (j - i > cnt) {
if (nums[i] == nums[j]) {
++cnt;
}
else {
if (cnt > 0)
--cnt;
else
--j;
}
++i;
}
return nums[j];
}
};