To find the second largest element in an array, iterate through the array and keep track of the largest and second largest elements.
- Initialize two variables,
largest
andsecondLargest
, with a very small value (e.g.,-Infinity
). - Iterate through the array, updating
largest
andsecondLargest
as needed. - Return the second largest element.
function findSecondLargest(arr) {
let largest = -Infinity, secondLargest = -Infinity;
for (const num of arr) {
if (num > largest) {
secondLargest = largest;
largest = num;
} else if (num > secondLargest && num < largest) {
secondLargest = num;
}
}
return secondLargest;
}
// Example usage
console.log(findSecondLargest([5, 2, 8, 3, 1])); // Output: 5
console.log(findSecondLargest([10, 10, 9, 8])); // Output: 9
This method has a time complexity of O(n), where n is the length of the array.
Tags: intermediate, JavaScript, Arrays, Algorithm