Php 简明教程
PHP - While Loop
在 PHP 脚本中创建循环的最简单的办法是使用 while 结构。PHP 中 while 循环的语法与 C 语言中的类似。只要 while 语句中的布尔表达式为 true,循环体块就会被反复执行。
以下流程图有助于理解 PHP 中 while 循环如何运行 −
表达式中的值在每次循环开始之前都会被检查。如果 while 表达式从一开始就评估为 false,那么循环甚至不会运行一次。即使表达式在执行块期间变成了 false,在迭代结束之前也不会停止执行。
while 循环的语法可以这样表示 −
while (expr){
statements
}
Example
以下代码展示了一个 while 循环在 PHP 中如何工作的简单示例。变量 $x 在循环开始之前被初始化为 1。只要变量小于或等于 10,循环体就会被要求执行。循环体中的 echo 语句打印当前的迭代次数并增加 x 的值,这样条件最终会变成 false。
<?php
$x = 1;
while ($x<=10) {
echo "Iteration No. $x \n";
$x++;
}
?>
它将生成以下 output −
Iteration No. 1
Iteration No. 2
Iteration No. 3
Iteration No. 4
Iteration No. 5
Iteration No. 6
Iteration No. 7
Iteration No. 8
Iteration No. 9
Iteration No. 10
请注意测试条件在每次迭代的开头都会被检查。即使条件在循环内变成了 false,执行也会继续到迭代的结尾。
Example
在以下示例中,“x” 在每次迭代中都会增加 3。在第三次迭代中,“x” 变成 9。由于测试条件仍然为 true,所以下一轮会发生,“x” 变成 12。由于条件变为 false,所以循环会停止。
<?php
$x = 0;
while ($x<=10){
$x+=3;
echo "Iteration No. $x \n";
}
?>
它将生成以下 output −
Iteration No. 3
Iteration No. 6
Iteration No. 9
Iteration No. 12
Example
不一定总是让循环变量增加。如果循环变量的初始值大于循环应该结束时的值,那么需要对其进行减少。
<?php
$x = 5;
while ($x>0) {
echo "Iteration No. $x \n";
$x--;
}
?>
它将生成以下 output −
Iteration No. 5
Iteration No. 4
Iteration No. 3
Iteration No. 2
Iteration No. 1
Iterating an Array with "while"
PHP 中的一个索引数组是一个元素集合,其中每个元素都通过一个从 0 开始的递增索引进行标识。
你可以通过组成一个 while 循环来遍历一个数组,重复访问 xth 索引处的元素,直到“x”达到数组的长度。这里“x”是一个计数变量,在每次迭代中都会增加。我们还需要一个 count() 函数来返回数组的大小。
Example
请看以下示例:
<?php
$numbers = array(10, 20, 30, 40, 50);
$size = count($numbers);
$x=0;
while ($x<$size) {
echo "Number at index $x is $numbers[$x] \n";
$x++;
}
?>
它将生成以下 output −
Number at index 0 is 10
Number at index 1 is 20
Number at index 2 is 30
Number at index 3 is 40
Number at index 4 is 50
Traversing the Characters in a String
在 PHP 中,一个字符串可以被认为是有序的字符集合。因此,一个 while 循环,其中一个计数变量从“0”到字符串的长度,可以用来一次获取一个字符。
Example
以下示例统计给定字符串中的元音数量。我们使用 strlen() 来获得长度,使用 str_contains() 来检查字符是否为元音之一。
<?php
$line = "PHP is a popular general-purpose scripting language that is especially suited to web development.";
$vowels="aeiou";
$size = strlen($line);
$i=0;
$count=0;
while ($i<$size){
if (str_contains($vowels, $line[$i])) {
$count++;
}
$i++;
}
echo "Number of vowels = $count";
?>
它将生成以下 output −
Number of vowels = 32