天天看點

while 循環

while 循環

while是最基本的循環,它的結構為:

while( 布爾表達式 ) {

//循環内容

}

隻要布爾表達式為 true,循環體會一直執行下去。

執行個體

Test.java 檔案代碼:

public class Test {

public static void main(String args[]) {

int x = 10;

while( x < 20 ) {

System.out.print("value of x : " + x );

x++;

System.out.print("\n");

以上執行個體編譯運作結果如下:

value of x : 10

value of x : 11

value of x : 12

value of x : 13

value of x : 14

value of x : 15

value of x : 16

value of x : 17

value of x : 18

value of x : 19

do…while 循環

對于 while 語句而言,如果不滿足條件,則不能進入循環。但有時候我們需要即使不滿足條件,也至少執行一次。

do…while 循環和 while 循環相似,不同的是,do…while 循環至少會執行一次。

do {

//代碼語句

}while(布爾表達式);

注意:布爾表達式在循環體的後面,是以語句塊在檢測布爾表達式之前已經執行了。 如果布爾表達式的值為 true,則語句塊一直執行,直到布爾表達式的值為 false。

public static void main(String args[]){

do{
     System.out.print("value of x : " + x );
     x++;
     System.out.print("\n");
  }while( x < 20 );           

for循環

雖然所有循環結構都可以用 while 或者 do...while表示,但 Java 提供了另一種語句 —— for 循環,使一些融金彙銀循環結構變得更加簡單。

for循環執行的次數是在執行前就确定的。文法格式如下:

for(初始化; 布爾表達式; 更新) {

關于 for 循環有以下幾點說明:

最先執行初始化步驟。可以聲明一種類型,但可初始化一個或多個循環控制變量,也可以是空語句。

然後,檢測布爾表達式的值。如果為 true,循環體被執行。如果為false,循環終止,開始執行循環體後面的語句。

執行一次循環後,更新循環控制變量。

再次檢測布爾表達式。循環執行上面的過程。

for(int x = 10; x < 20; x = x+1) {
     System.out.print("value of x : " + x );
     System.out.print("\n");
  }           

Java 增強 for 循環

Java5 引入了一種主要用于數組的增強型 for 循環。

Java 增強 for 循環文法格式如下:

for(聲明語句 : 表達式)

{

//代碼句子

聲明語句:聲明新的局部變量,該變量的類型必須和數組元素的類型比對。其作用域限定在循環語句塊,其值與此時數組元素的值相等。

表達式:表達式是要通路的數組名,或者是傳回值為數組的方法。

int [] numbers = {10, 20, 30, 40, 50};

for(int x : numbers ){
     System.out.print( x );
     System.out.print(",");
  }
  System.out.print("\n");
  String [] names ={"James", "Larry", "Tom", "Lacy"};
  for( String name : names ) {
     System.out.print( name );
     System.out.print(",");
  }           
for(int x : numbers ) {
     // x 等于 30 時跳出循環
     if( x == 30 ) {
        break;
     }
     System.out.print( x );
     System.out.print("\n");
  }           
for(int x : numbers ) {
     if( x == 30 ) {
    continue;
     }
     System.out.print( x );
     System.out.print("\n");
  }