题目要求:
给定一个整型数组,找出主元素,它在数组中的出现次数严格大于数组元素个数的二分之一。
注意事项
You may assume that the array is non-empty and the majority number always exist in the array.
样例
给出数组[1,1,1,1,2,2,2],返回 1
挑战
要求时间复杂度为O(n),空间复杂度为O(1)
思路:
要想实现这个挑战,就只能循环一遍,而且空间复杂度也要小。所以另申请一个temp,用来记录主元素,一个n,用来记录个数。
遍历,如果nums[i] 和temp不相等,就n--;当n减到0时说明temp一定不是主元素,另temp = nums[i],再继续判断。
当n = nums.size()时,就说明已经达到一半了,此时return temp,就可以了。
class Solution {
public:
/*
* @param nums: a list of integers
* @return: find a majority number
*/
int majorityNumber(vector<int> &nums) {
// write your code here
int temp, n = 1;
for(int i = 1; i < nums.size(); i++){
if(n == nums.size()/2) return temp;
if(temp == nums[i]){
n++;
}
else{
n--;
}
if(n == 0){
temp = nums[i];
n = 1;
}
}
return temp;
}
};