數組的便利

 

實際開發中,常常須要遍歷數組以獲取數組中的每個元素。最容易想到的方法是for循環,例如:數組

int arrayDemo[] = {1, 2, 4, 7, 9, 192, 100};索引

for(int i=0,len=arrayDemo.length; i<len; i++){開發

System.out.println(arrayDemo[i] + ", ");for循環

} class

輸出結果:變量

1, 2, 4, 7, 9, 192, 100,foreach

 

不過,Java提供了」加強版「的for循環,專門用來遍歷數組,語法爲:循環

for( arrayType varName: arrayName ){遍歷

// Some Code語法

}

arrayType 爲數組類型(也是數組元素的類型);varName 是用來保存當前元素的變量,每次循環它的值都會改變;arrayName 爲數組名稱。

 

每循環一次,就會獲取數組中下一個元素的值,保存到 varName 變量,直到數組結束。即,第一次循環 varName 的值爲第0個元素,第二次循環爲第1個元素......例如:

int arrayDemo[] = {1, 2, 4, 7, 9, 192, 100};

for(int x: arrayDemo){

System.out.println(x + ", ");

}

輸出結果與上面相同。

 

這種加強版的for循環也被稱爲」foreach循環「,它是普通for循環語句的特殊簡化版。全部的foreach循環均可以被改寫成for循環。

 

可是,若是你但願使用數組的索引,那麼加強版的 for 循環沒法作到。

二維數組

 

二維數組的聲明、初始化和引用與一維數組類似:

int intArray[ ][ ] = { {1,2}, {2,3}, {4,5} };

int a[ ][ ] = new int[2][3];

a[0][0] = 12;

a[0][1] = 34;

// ......

a[1][2] = 93;

Java語言中,因爲把二維數組看做是數組的數組,數組空間不是連續分配的,因此不要求二維數組每一維的大小相同。例如:

int intArray[ ][ ] = { {1,2}, {2,3}, {3,4,5} };

int a[ ][ ] = new int[2][ ];

a[0] = new int[3];

a[1] = new int[5];

 

【示例】經過二維數組計算兩個矩陣的乘積。

public class Demo {

public static void main(String[] args){

// 第一個矩陣(動態初始化一個二維數組)

int a[][] = new int[2][3];

// 第二個矩陣(靜態初始化一個二維數組)

int b[][] = { {1,5,2,8}, {5,9,10,-3}, {2,7,-5,-18} };

// 結果矩陣

int c[][] = new int[2][4];

// 初始化第一個矩陣

for(int i=0; i<2; i++)

for(int j=0; j<3 ;j++)

a[i][j] = (i+1) * (j+2);

// 計算矩陣乘積

for (int i=0; i<2; i++){

for (int j=0; j<4; j++){

c[i][j]=0;

for(int k=0; k<3; k++)

c[i][j] += a[i][k] * b[k][j];

}

}

// 輸出結算結果

for(int i=0; i<2; i++){

for (int j=0; j<4; j++)

System.out.printf("%-5d", c[i][j]);

System.out.println();

}

}

}

運行結果:

25 65 14 -65

50 130 28 -130

相關文章
相關標籤/搜索