Largest of Three Numbers Program
In this tutorial, you are given three numbers. Write a JavaScript program with a function that takes three numbers as arguments, finds the largest of these three numbers, and returns the largest number.
Solution
To find the largest of three numbers in JavaScript,
- Consider that
num1
,num2
, andnum3
are the three numbers - If
num1
is greater than bothnum2
andnum3
, thennum1
is the largest, - Else if
num2
is greater thannum3
, thennum2
is the largest, - Else
num3
is the largest
Program
1. In the following program, we find largest of three numbers using if-else-if statement.
function findLargest(num1, num2, num3) {
if (num1 > num2 && num1 > num3) {
return num1;
} else if (num2 > num3) {
return num2;
} else {
return num3;
}
}
var num1 = 5;
var num2 = 8;
var num3 = 2;
const result = findLargest(num1, num2, num3);
console.log('Largest : ' + result);