To find the majority element in an array (an element that appears more than n/2 times), use the Boyer-Moore Voting Algorithm.
- Initialize a
candidate
variable and acount
variable. - Iterate through the array. If the count is 0, set the current element as the
candidate
and setcount
to 1. If the current element is thecandidate
, increment the count, otherwise decrement it. - Return the
candidate
.
function majorityElement(nums) {
let candidate = null, count = 0;
for (let num of nums) {
if (count === 0) {
candidate = num;
}
count += (num === candidate) ? 1 : -1;
}
return candidate;
}
// Example usage
console.log(majorityElement([3, 2, 3])); // Output: 3
console.log(majorityElement([1, 2, 3, 4])); // Output: null
This method has a time complexity of O(n), where n is the length of the array.
Tags: intermediate, JavaScript, Arrays, Algorithm