php循环语句for while do while的用法

php循环语句for while do while的用法.

循环结构

一、while循环

  1. while(表达式)
  2. {
  3. 循环体;//反复执行,直到表达式为假
  4. }
  5. <?php
  6. $num = 1;
  7. while ($num <= 10){
  8. print "Number is $num<br />";
  9. $num++;
  10. }
  11. print 'Done.';
  12. ?>

Do While 循环语句与while有一定的区别,它们的区别就是do while不管条件是否为真都会先执行一下,而while必须为真才会执行一次.

  1. do {
  2. echo "Mmmmm...I love cookies! *munch munch munch*";
  3. } while ($cookies > 1);
  4. //输出就是.
  5. //Mmmmm...I love cookies! *munch munch munch

二、for循环

根据循环条件不同,有两种类型的循环

一种:计数循环(一般使用for)

另一种:条件型循环,一般使用 while do-while.

  1. for (expr1; expr2; expr3) {
  2. statement
  3. }

其中的 expr1 为条件的初始值,expr2 为判断的条件,通常都是用逻辑运算符号 (logical operators) 当判断的条件,expr3 为执行 statement 后要执行的部份,用来改变条件,供下次的循环判断,如加一..等等,而 statement 为符合条件的执行部分程序,若程序只有一行,可以省略大括号 {}.

下例是用 for 循环写的 "以后不敢了" 的例子,可以拿来和用 while 循环的比较,代码如下:

  1. <?php
  2. for ($i=1; $i<=10; $i++) {
  3. echo "$i. 以后不敢了<br>n";
  4. }
  5. ?>
  6. //输出表格
  7. <HEAD>
  8. <TITLE>Value of Shares</TITLE>
  9. <H3>Table Showing Cost of Shares</H3>
  10. <BODY>
  11. <TABLE BORDER=1>
  12. <?php
  13. for ($shares = 1; $shares <= 20; $shares++){
  14. $cost = $shares * 20;
  15. echo "<TR><TD>The cost of $shares share/s is $cost #x0024s</TD>","n";
  16. $dividend = $cost * 0.10;
  17. echo "<TD>The dividend is $dividend #x0024s</TD></TR> " ,"n";
  18. }
  19. ?>
  20. </TABLE>
  21. </BODY>
  22. </HTML>

累加计算,代码如下:

  1. <?php
  2. $count = 1;
  3. while ($count < 5) {
  4. echo "$count squared = ".pow($count,2). "<br />";
  5. $count++;
  6. }
  7. ?>

do while 循环,代码如下:

  1. <html>
  2. <head>
  3. <title>The do...while Statement</title>
  4. </head>
  5. <body>
  6. <div>
  7. <?php
  8. $num = 1;
  9. do {
  10. print "Execution number: $num<br />n";
  11. $num++;
  12. } while ( $num > 200 && $num < 400 );
  13. ?>
  14. </div>
  15. </body>
  16. </html>