if...else...elseif Statements in PHP
If & else statement also knows as conditional statements. In this blog we will learn how to use conditional statements in PHP.
We can use conditional statements in PHP by following ways:
- if statement - executes some code if one condition is true
- if...else statement - executes some code if a condition is true and another code if that condition is false
- if...elseif...else statement - executes different codes for more than two conditions
- switch statement - selects one of many blocks of code to be executed
if statement in PHP:
Syntax:
if (condition) {
code to be executed if condition is true;
}
Example: Check Currently AM
<?php
$t = date("H");
if ($t < "12") {
echo "It is currently AM";
}
?>
if...else statement in PHP:
Syntax:
if (condition) {code to be executed if condition is true;} else {code to be executed if condition is false;}
Example: Check Currently AM or PM
<?php
$t = date("H");
if ($t < "20") {
echo "Have a good day!";
} else {
echo "Have a good night!";
}
?>
if...elseif...else statement in PHP:
Syntax:
if (condition) {code to be executed if this condition is true;} elseif (condition) {code to be executed if first condition is false and this condition is true;} else {code to be executed if all conditions are false;}
Example: Output "Have a good morning!" if the current time is less than 10, and "Have a good day!" if the current time is less than 20. Otherwise it will output "Have a good night!":
<?php
$t = date("H");
if ($t < "10") {
echo "Have a good morning!";
} elseif ($t < "20") {
echo "Have a good day!";
} else {
echo "Have a good night!";
}
?>
Comments
Post a Comment