数组一旦定义,类型相同,长度固定。
数组的创建
- 元素类型[] 数组名 = new 元素类型[元素个数或数组长度];
示例:int[] arr1 = new int[5];
示例:float[] arr2 = new float[5]; - 元素类型[] 数组名 = new 元素类型[]{元素,元素,……};
int[] arr1 = new int[]{3,5,1,7};
float[] arr2 = {1.3,1.5,1.1,1.7};
数据类型分为:数据类型和引用数据类型。
二维数组
数组元素类型 数组名字[][];
数组元素类型[][] 数组名字;
int arr1[][];
char[][] arr2;
三种方式初始化二维数组:
public class InitTDArray {
public static void main(String[] args) {
/* 第一种方式 */
int tdarr1[][] = { { 1, 3, 5 }, { 5, 9, 10 } };
/* 第二种方式 */
int tdarr2[][] = new int[][] { { 65, 55, 12 }, { 92, 7, 22 } };
/* 第三种方式 */
int tdarr3[][] = new int[2][3]; // 先给数组分配内存空间
tdarr3[0] = new int[] { 6, 54, 71 }; // 给第一行分配一个一维数组
tdarr3[1][0] = 63; // 给第二行第一列赋值为63
tdarr3[1][1] = 10; // 给第二行第二列赋值为10
tdarr3[1][2] = 7; // 给第二行第三列赋值为7
}
}