169. Majority Element
Intuition
Given an list of numbers of size n
, return the element that appears more than ⌊n / 2⌋
times.
- You may assume that the majority element always exists in the array.
- There is only one majority element in the given array.
- An array of Integer
n == nums.length
1 <= n <= 5 * 10^4
-10^9 <= nums[i] <= 10^9
Solution 1 HashMap
Approach
- Step 1: Create a hash map
res
to store the stats of elements in the given array - Step 2: During the loop iteration, for
nums[i]
- If
res
does not contain a keynums[i]
, add it and set its value as the number of appearance, initializing as 1. - If
res
contains a keynums[i]
, update its number of appearance.
- If
- Step 3: When we encounter a key whose value is greater than
⌊n / 2⌋
, return this key.
Complexity
- Time complexity: \(O(n)\)
- Space complexity: \(O(k)\) for k distinct element in array
Code
Solution 2 "Vote"
Approach
There is a "clever" approach to solve this problem,
- Firstly, we set
nums[0]
as candidateres
, and initialize the candidate's votecount
to 1. - When we encounter the same number as
res
is , the votecount++
, otherwise the votecount--
. - When the vote
count
is 0, change the candidate and reset the votecount
to 1. - After traversing the array, our candidate number
res
is the final answer.
Why? This is equivalent to each ‘majority element’ canceling out with other elements in pairs. By the end, there will definitely be at least one ‘majority element’ remaining.
For this solution, as we simply traverse the array without implementing any other extra data structure, we optimize the space complexity!
Reference: 🔗 Boyer-Moore Majority Vote Algorithm
Complexity
- Time complexity: \(O(n)\)
- Space complexity: \(O(1)\)