Java 反射 - 使用反射编写泛型数组代码

Java 反射 - 使用反射编写泛型数组代码

复制一个数组, 可以使用 Arrays 类的 copyOf 方法.

var employees = new Employee[] {
    new Employee("lalala"), new Employee("hehehe")
};

var newEmployees = (Employee[]) Arrays.copyOf(employees, 4);
    for (Employee e : newEmployees) {
        System.out.println(e);
}

打印输出

adt.Employee@18ef96
adt.Employee@6956de9
null
null

自己写一个怎么写呢?

先看看这个不大好的方法

public static Object[] copyOf(Object[] a, int newLength) {
  var newArray = new Object[newLength];
  System.arraycopy(a, 0, newArray, 0, Math.min(a.length, newLength));
  return newArray;
}

这个方法有一个问题, 那就是对象数组 (Object[]) 不能被强制转换为员工数组(Employee[]). 也就是说, 该方法没有通用性.

我们可以用Array类中的方法来解决这个问题

java.lang.reflect Array

public static Object newInstance(Class<?> componentType, int length)

先看好用的方法:

public static Object copyOf(Object a, int newLength) {
  Class cl = a.getClass();
  if (!cl.isArray()) return null;
  Class componentType = cl.getComponentType();
  int length = Array.getLength(a);
  Object newArray = Array.newInstance(componentType, newLength);
  System.copyarray(a, 0, newArray, 0, Math.min(length, newLength));
  return newArray;
}

这个方法可以用来拓展任意类型的数组. 它的输入类型和输出类型都是Object.

  • Class类的getComponentType方法可以获取数组的正确类型.

  • Array类的getLength静态方法可以获取到数组的长度.

  • Array类的newInstance静态方法可以创建一个新的数组, 需要的参数为新数组的类型 (Class 对象) 和一个新的数组长度 (整数).

你可能感兴趣的:(Java,反射)