To find the second largest number in an array, iterate through the array and keep track of the largest and second largest elements.
- Initialize two variables,
first
andsecond
, to-Infinity
. - Iterate through the array, and for each element, check if it is greater than
first
. - If it is, update
second
tofirst
and then updatefirst
to the current element. - If the element is smaller than
first
but greater thansecond
, updatesecond
. - Return
second
as the second largest element.
function findSecondLargest(arr) {
let first = -Infinity, second = -Infinity;
for (let num of arr) {
if (num > first) {
second = first;
first = num;
} else if (num > second && num !== first) {
second = num;
}
}
return second;
}
// Example usage
console.log(findSecondLargest([10, 20, 4, 45, 99])); // Output: 45
console.log(findSecondLargest([1, 1, 1])); // Output: -Infinity
This method has a time complexity of O(n), where n is the length of the array.
Tags: basic, JavaScript, Arrays, Algorithm