LT简单题169-多数元素

题目链接

题目描述:

给定一个大小为 n 的数组 nums ,返回其中的多数元素。多数元素是指在数组中出现次数 大于 ⌊ n/2 ⌋ 的元素。

你可以假设数组是非空的,并且给定的数组总是存在多数元素。

示例:

输入:nums = [3,2,3]
输出:3

方法一:Boyer-Moore 投票算法(C++代码)

class Solution {

public:

    int majorityElement(vector& nums) {                        //方法一:Boyer-Moore 投票算法

        int candidate = -1;

        int count = 0;

        for(int num : nums){

            if(num == candidate){

                count++;

            }else if(--count < 0){

                candidate = num;

                count = 1;

            }

        }

        return candidate;

    }

};

时间复杂度:O(n)

空间复杂度:O(1)

你可能感兴趣的:(刷题,力扣)