To find the largest number in a JavaScript array using a program, you can use the Math.max()
method, which returns the largest of zero or more numbers:
var numbers = [1, 2, 3, 4, 5];
var largest = Math.max(...numbers);
console.log(largest); // Output: 5
In this example, Math.max()
is called with the spread operator ...
to spread the elements of the numbers
array into separate arguments. The result of the Math.max()
call is the largest number in the numbers
array.
Alternatively, you can loop through the array and keep track of the largest number so far:
var numbers = [1, 2, 3, 4, 5];
var largest = Number.NEGATIVE_INFINITY;
for (var i = 0; i < numbers.length; i++) {
if (numbers[i] > largest) {
largest = numbers[i];
}
}
console.log(largest); // Output: 5
In this example, largest
is a variable that keeps track of the largest number found so far. The for
loop iterates through each element in the numbers
array, and the if
statement checks whether the current element is greater than the largest number found so far, and updates largest
if it is.
+ There are no comments
Add yours