循环语句与条件语句
As mentioned earlier, the looping statement is executing a particular code as long as a condition is true. On the order hand, conditional statements are statements that can only be executed based on the fulfillment of a particular condition(s).
如前所述,只要条件为真, 循环语句就会执行特定的代码。 在顺序方面, 条件语句是只能基于满足特定条件才能执行的语句。
Example:
例:
We have 3 phones and 3 laptops altogether 6 gadgets. Let's write a basic program that displays "phone" 3 times and "laptop" 3 times assuming the phones are labeled 1 to 3 and the laptops 4 to 6.
我们有3部手机和3台笔记本电脑,共6个小工具。 让我们编写一个基本程序,假设手机分别标记为1到3以及笔记本电脑4到6,它会显示3次“手机”和3次“笔记本电脑”。
We are going to see how we can use the conditional statements and the loop statements to accomplish this. Since we have had a mastery of the syntaxes form the previous articles we will go straight to their implementation.
我们将看到如何使用条件语句和循环语句来完成此任务。 由于我们已经掌握了前几篇文章中的语法,因此我们将直接介绍它们的实现。
使用for循环和if ... else (Using for loop and if...else)
<?php
for ($l = 1;$l <= 6;$l++) {
if ($l <= 3) {
echo "<br>phone";
} else {
echo "<br>laptop";
}
}
?>
Output
输出量
phone
phone
phone
laptop
laptop
laptop
使用while循环以及if ... else (Using while loop and if...else)
<?php
$x = 1;
while ($x <= 6) {
if ($x <= 3) {
echo "<br>phone";
} else {
echo "<br>laptop";
}
$x++;
}
?>
Output
输出量
phone
phone
phone
laptop
laptop
laptop
使用do while循环和if ... else (Using do while loop and if...else)
<?php
$x = 1;
do {
if ($x <= 3) {
echo "<br>phone";
} else {
echo "<br>laptop";
}
$x++;
} while ($x <= 6);
?>
Output
输出量
phone
phone
phone
laptop
laptop
laptop
翻译自: https://www.includehelp.com/php/mixing-conditional-statements-and-loops.aspx
循环语句与条件语句