一、数组的基本概念
1.1 为什么要使用数组
假设现在要存5个学生的javaSE考试成绩,并对其进行输出,则可有
public static void main(String[] args){ int score1 = 70; int score2 = 80; int score3 = 85; int score4 = 60; int score5 = 90; System.out.println(score1); System.out.println(score2); System.out.println(score3); System.out.println(score4); System.out.println(score5); }
数据是同种类型,如果要存入多个数据,上述方法就非常麻烦,可以用一种更简单的方法来存储数据,那就是数组。
1.2 什么是数组
数组:可以看成是相同类型元素的一个集合。在内存中是一段连续的空间。
注意:数组中存放的元素其类型相同,数组的空间是连在一起的每个空间有自己的编号,起始位置编号即数组的下标为0。
1.3 数组的创建及初始化
1.数组的创建
T[] 数组名 = new T[N];
T:数组中存放元素的类型,T[]:数组的类型,N:数组的长度。
int[] array1 = new int[10]; double[] array2 = new double[5];
2.数组的初始化
数组的初始化主要分为动态初始化以及静态初始化。
动态初始化:在创建数组时,直接指定数组中元素的个数。
int[] array = new int[10];
静态初始化:在创建数组时不直接指定数据元素个数,而直接将具体的数据内容进行指定。
格式:T[] 数组名称 = {data1, data2, data3, ..., datan};
int[] array1 = new int[]{0,1,2,3,4,5,6,7,8,9}; double[] array2 = new double[]{1.0, 2.0, 3.0, 4.0, 5.0};
注意:静态初始化虽然没有指定数组的长度,但编译器在编译时会根据{}中元素个数来确定数组的长度,静态初始化可以简写,省去后面的new T[]。
int[] array1 = {0,1,2,3,4,5,6,7,8,9}; double[] array2 = {1.0, 2.0, 3.0, 4.0, 5.0};
静态和动态初始化也可以分为两步,但是省略格式不可以。
int[] array1; array1 = new int[10]; int[] array2; array2 = new int[]{10, 20, 30}; // 编译失败 // int[] array3; // array3 = {1, 2, 3};
如果没有对数组进行初始化,数组中元素有其默认值,如果数组中存储元素类型为基类类型,默认值为基类类型对应的默认值,如果数组中存储元素类型为引用类型,默认值为null。
类型 | 默认值 |
byte | 0 |
short | 0 |
int | 0 |
long | 0 |
float | 0.0f |
double | 0.0 |
char | /u0000 |
boolean | false |
1.4 数组的使用
数组在内存中是一段连续的空间,空间的编号都是从0开始的,依次递增,该编号称为数组的下标,数组可以通过下标访问其任意位置的元素。
例如
int[]array = new int[]{10, 20, 30, 40, 50}; System.out.println(array[0]); System.out.println(array[1]); System.out.println(array[2]); System.out.println(array[3]); System.out.println(array[4]); // 也可以通过[]对数组中的元素进行修改 array[0] = 100; System.out.println(array[0]);
注意:数组支持随机访问,即通过下标访问快速访问数组中任意位置的元素,下标从0开始,介于[0, N)之间不包含N,N为元素个数。
遍历数组:将数组中的所有元素都访问一遍。
int[]array = new int[]{10, 20, 30, 40, 50}; for(int i = 0; i < 5; i++){ System.out.println(array[i]);
也可以使用 for-each 遍历数组。
int[] array = {1, 2, 3}; for (int x : array) { System.out.println(x); }
在数组中可以通过 数组对象.length 来获取数组的长度。
int[]array = new int[]{10, 20, 30, 40, 50}; for(int i = 0; i < array.length; i++){ System.out.println(array[i]); }