我們可以使用Class類中的isArray()方法來檢查類是否是數(shù)組。
我們可以創(chuàng)建一個(gè)數(shù)組,使用反射通過讀取和修改其元素的值 java.lang.reflect.Array
類。
Array類的 getLength()
方法獲取數(shù)組的長度。
Array類中的所有方法都是靜態(tài)的。
要?jiǎng)?chuàng)建數(shù)組,請(qǐng)使用Array類中的重載靜態(tài)方法newInstance()。
Object newInstance(Class<?> componentType, int arrayLength) Object newInstance(Class<?> componentType, int... dimensions)
第一個(gè)方法根據(jù)指定的組件類型和數(shù)組長度創(chuàng)建一個(gè)數(shù)組。
第二個(gè)版本創(chuàng)建指定組件類型和尺寸的數(shù)組。
newInstance()方法的返回類型是Object,我們需要將它轉(zhuǎn)換為實(shí)際的數(shù)組類型。
下面的代碼創(chuàng)建一個(gè)長度為5的 int
數(shù)組。
int[] ids = (int[])Array.newInstance(int.class, 5);
要?jiǎng)?chuàng)建一個(gè)維度為5乘3的int數(shù)組。
int[][] matrix = (int[][])Array.newInstance(int.class, 5, 3);
以下代碼顯示了如何動(dòng)態(tài)創(chuàng)建數(shù)組并操作其元素。
import java.lang.reflect.Array; public class Main { public static void main(String[] args) { try { Object my = Array.newInstance(int.class, 2); int n1 = Array.getInt(my, 0); int n2 = Array.getInt(my, 1); System.out.println("n1 = " + n1 + ", n2=" + n2); Array.set(my, 0, 11); Array.set(my, 1, 12); n1 = Array.getInt(my, 0); n2 = Array.getInt(my, 1); System.out.println("n1 = " + n1 + ", n2=" + n2); } catch (NegativeArraySizeException | IllegalArgumentException | ArrayIndexOutOfBoundsException e) { System.out.println(e.getMessage()); } } }
上面的代碼生成以下結(jié)果。
Java支持array數(shù)組。
類中的 getComponentType()
方法返回?cái)?shù)組的元素類型的Class對(duì)象。
以下代碼說明了如何獲取數(shù)組的維度。
public class Main { public static void main(String[] args) { int[][][] intArray = new int[1][2][3]; System.out.println("int[][][] dimension is " + getArrayDimension(intArray)); } public static int getArrayDimension(Object array) { int dimension = 0; Class c = array.getClass(); if (!c.isArray()) { throw new IllegalArgumentException("Object is not an array"); } while (c.isArray()) { dimension++; c = c.getComponentType(); } return dimension; } }
上面的代碼生成以下結(jié)果。
Java數(shù)組是一個(gè)固定長度的數(shù)據(jù)結(jié)構(gòu)。
要放大數(shù)組,我們可以創(chuàng)建一個(gè)更大尺寸的數(shù)組,并將舊數(shù)組元素復(fù)制到新數(shù)組元素。
以下代碼顯示如何使用反射展開數(shù)組。
import java.lang.reflect.Array; import java.util.Arrays; public class Main { public static void main(String[] args) { int[] ids = new int[2]; System.out.println(ids.length); System.out.println(Arrays.toString(ids)); ids = (int[]) expandBy(ids, 2); ids[2] = 3; System.out.println(ids.length); System.out.println(Arrays.toString(ids)); } public static Object expandBy(Object oldArray, int increment) { Object newArray = null; int oldLength = Array.getLength(oldArray); int newLength = oldLength + increment; Class<?> c = oldArray.getClass(); newArray = Array.newInstance(c.getComponentType(), newLength); System.arraycopy(oldArray, 0, newArray, 0, oldLength); return newArray; } }
上面的代碼生成以下結(jié)果。
更多建議: