PHP Program - Find Smallest Number among three Numbers
Three numbers x, y and z are given and the smallest number among these three numbers can be found out using below methods.
Method 1: Using If statement
In the example below, only if conditional statements are used.
<?php function smallest($x, $y, $z) { $min = $x; if ($x <= $y && $x <= $z) {$min = $x;} if ($y <= $x && $y <= $z) {$min = $y;} if ($z <= $x && $z <= $y) {$min = $z;} echo "Smallest number among $x, $y and $z is: $min\n"; } smallest(100, 50, 25); smallest(50, 50, 25); ?>
The above code will give the following output:
Smallest number among 100, 50 and 25 is: 25 Smallest number among 50, 50 and 25 is: 25
Method 2: Using If-else statement
It can also be solved using If-else conditional statements.
<?php function smallest($x, $y, $z) { $min = $x; if ($x <= $y && $x <= $z) $min = $x; elseif ($y <= $x && $y <= $z) $min = $y; else $min = $z; echo "Smallest number among $x, $y and $z is: $min\n"; } smallest(100, 50, 25); smallest(50, 50, 25); ?>
The above code will give the following output:
Smallest number among 100 , 50 and 25 is: 25 Smallest number among 50 , 50 and 25 is: 25
Method 3: Using Nested If-else statement
The above problem can also be solved using nested if-else conditional statements.
<?php function smallest($x, $y, $z) { $min = $x; if ($x <= $y) { if($x <= $z) $min = $x; else $min = $z; } else { if($y <= $z) $min = $y; else $min = $z; } echo "Smallest number among $x, $y and $z is: $min\n"; } smallest(100, 50, 25); smallest(50, 50, 25); ?>
The above code will give the following output:
Smallest number among 100 , 50 and 25 is: 25 Smallest number among 50 , 50 and 25 is: 25
Method 4: Using ternary operator
The ternary operator can also be used here.
<?php function smallest($x, $y, $z) { $min = $x; $min = ($x < $y)? (($x < $z)? $x : $z) : (($y < $z)? $y : $z); echo "Smallest number among $x, $y and $z is: $min\n"; } smallest(100, 50, 25); smallest(50, 50, 25); ?>
The above code will give the following output:
Smallest number among 100 , 50 and 25 is: 25 Smallest number among 50 , 50 and 25 is: 25
Recommended Pages
- PHP Program - To Check Prime Number
- PHP Program - Bubble Sort
- PHP Program - Selection Sort
- PHP Program - Maximum Subarray Sum
- PHP Program - Reverse digits of a given Integer
- PHP - Swap two numbers
- PHP Program - Fibonacci Sequence
- PHP Program - Insertion Sort
- PHP Program - Find Factorial of a Number
- PHP Program - Find HCF of Two Numbers
- PHP Program - To Check Whether a Number is Palindrome or Not
- PHP Program - To Check Whether a String is Palindrome or Not
- PHP Program - Heap Sort
- PHP Program - Quick Sort
- PHP - Swap Two Numbers without using Temporary Variable
- PHP Program - To Check Armstrong Number
- PHP Program - Counting Sort
- PHP Program - Radix Sort
- PHP Program - Find Largest Number among Three Numbers
- PHP Program - Print Floyd's Triangle