Given an array nums of size n, return the majority element.
LeetCode-169: Given an array nums
of size n
, return the majority element.
The majority element is the element that appears more than \(\Bigl\lfloor\frac{n}{2}\Bigr\rfloor\) times. You may assume that the majority element always exists in the array.
The majority element is the element that appears more than \(\Bigl\lfloor\frac{n}{2}\Bigr\rfloor\) times. This means that the majority element will have a frequency greater than \(\Bigl\lfloor\frac{n}{2}\Bigr\rfloor\).
A simple approach to find the majority element is to use a HashMap
to store the frequency of each element in the array. We can iterate over the array and store the frequency of each element in the HashMap
. Finally, we can iterate over the HashMap
and return the element with a frequency greater than \(\Bigl\lfloor\frac{n}{2}\Bigr\rfloor\).
But a better approach is to use the Boyer-Moore Voting Algorithm to find the majority element in the array. It works based on the intuition of canceling out non-majority elements, leaving only the majority element in the end.
count
is greater than all other elements combined.First Pass (Finding a Candidate):
majorityCandidate
to the first element of the array and a variable freq
to 1.majorityCandidate
, increment the freq
by 1.majorityCandidate
, decrement the freq
by 1.freq
becomes 0, update the majorityCandidate
to the current element and set the freq
to 1.majorityCandidate
at the end of the iteration will be the majority element.Second Pass (Verification):
Here is the code implementation for the approach:
public int majorityElement(int[] nums) {
int majorityCandidate = nums[0];
int freq = 1;
for(int i=1; i < nums.length; i++){
if(nums[i] == majorityCandidate){
freq++;
}else{
freq--;
}
if(freq == 0){
majorityCandidate = nums[i];
freq = 1;
}
}
return majorityCandidate;
}
The time complexity for this approach is \(O(N)\), where \(N\) is the number of elements in the array nums
.
It is given in the problem statement that the majority element always exists in the input array. But just in case, there is no majority element, the algorithm will still return a candidate. Example: [1, 2, 3, 4]
(no element appears more than ⌊4/2⌋ = 2
times).
In such cases, the optional verification should be able to handle.
Be notified of new posts. Subscribe to the RSS feed.