目录

  1. PHP If…Else 语句概述
  2. 基本的 If 语句
  3. If…Else 语句
  4. If…Elseif…Else 语句
  5. 嵌套 If 语句
  6. 多重条件判断
  7. 参考资料与出站链接

PHP If…Else 语句概述

if...else 语句是 PHP 中的条件判断结构,用于根据条件的真假执行不同的代码块。if 语句首先检查条件表达式,如果条件为真,则执行相应的代码。如果条件为假,则跳过该代码块并执行 else 部分(如果存在)。如果有多个条件需要判断,可以使用 elseifelse if 来连接多个条件。


基本的 If 语句

最简单的 if 语句用于判断某个条件是否为真。如果为真,则执行特定的代码块。

语法:

if (条件) {
    // 条件为真时执行的代码
}

示例:

<?php
$age = 18;
if ($age >= 18) {
    echo "You are eligible to vote.";  // 输出:You are eligible to vote.
}
?>


If…Else 语句

if...else 语句用于处理两个不同的情况。如果条件为真,则执行 if 中的代码块;如果条件为假,则执行 else 中的代码块。

语法:

if (条件) {
    // 条件为真时执行的代码
} else {
    // 条件为假时执行的代码
}

示例:

<?php
$age = 16;
if ($age >= 18) {
    echo "You are eligible to vote.";
} else {
    echo "You are not eligible to vote.";  // 输出:You are not eligible to vote.
}
?>


If…Elseif…Else 语句

if...elseif...else 语句允许多个条件判断。它可以根据多个条件选择不同的代码块执行。

语法:

if (条件1) {
    // 条件1为真时执行的代码
} elseif (条件2) {
    // 条件2为真时执行的代码
} else {
    // 所有条件都不满足时执行的代码
}

示例:

<?php
$age = 20;
if ($age < 18) {
    echo "You are a minor.";
} elseif ($age >= 18 && $age < 60) {
    echo "You are an adult.";  // 输出:You are an adult.
} else {
    echo "You are a senior.";
}
?>


嵌套 If 语句

if 语句内,你可以再次使用 if 语句,这叫做嵌套 if。嵌套 if 语句适用于需要在多个条件下进一步进行判断的情况。

示例:

<?php
$age = 25;
$income = 30000;

if ($age >= 18) {
    if ($income > 20000) {
        echo "You are eligible for the loan.";  // 输出:You are eligible for the loan.
    } else {
        echo "You are not eligible for the loan.";
    }
} else {
    echo "You are not eligible for the loan.";
}
?>


多重条件判断

使用逻辑运算符 &&(与)、||(或)可以在一个 if 语句中判断多个条件。

示例:

<?php
$age = 22;
$income = 25000;
if ($age >= 18 && $income >= 20000) {
    echo "You are eligible for the loan.";  // 输出:You are eligible for the loan.
} else {
    echo "You are not eligible for the loan.";
}
?>

示例(使用 OR):

<?php
$age = 16;
$income = 10000;
if ($age >= 18 || $income >= 15000) {
    echo "You are eligible for the loan.";
} else {
    echo "You are not eligible for the loan.";  // 输出:You are not eligible for the loan.
}
?>


参考资料与出站链接


通过了解 PHP 中的 if...else 语句,你可以有效地控制程序的流程,根据不同的条件执行不同的操作,提升代码的灵活性和可读性。