public static <T,U> T[] copyOf(U[] original, int newLength, Class<? extends T[]> newType) {
@SuppressWarnings("unchecked")
T[] copy = ((Object)newType == (Object)Object[].class)
? (T[]) new Object[newLength]
: (T[]) Array.newInstance(newType.getComponentType(), newLength);
System.arraycopy(original, 0, copy, 0,
Math.min(original.length, newLength));
return copy;
}
可以看到,最终调用的是System.arraycopy()方法,关于这个方法使用,可查看System.arraycopy详解
返回一个类型为T的数组,数组的容量为newLength和original.length中的小值,元素为original数组中的元素(取0到newLength和original.length中的小值)
说白了,这个方法就是为了数组元素的向上转型,还有就是截断数组
判断newType是否是Object数组
因为要用使用==去比较它们的内存地址,从而判断它们是不是同一类型,而使用==,就要向上强转为Object,不然编辑器不让通过,不能比较
public class SystemArrayCopy {
public static void main(String[] args) {
System.out.println(Object.class == Integer.class);
}
}
/*
编辑时报错:
Error:(37, 41) java: 不可比较的类型: java.lang.Class和java.lang.Class
*/
加上(Object)后
public class SystemArrayCopy {
public static void main(String[] args) {
System.out.println(Object.class == (Object)Integer.class);
}
}
/*
false
*/
public native Class<?> getComponentType();
本地方法,返回数组内的元素类型,不是数组时,返回null
public class SystemArrayCopy {
public static void main(String[] args) {
String[] o = {"aa", "bb", "cc"};
System.out.println(o.getClass().getComponentType());
System.out.println(Object.class.getComponentType());
}
}
/*
class java.lang.String
null
*/
创建一个类型与newType一样,长度为newLength的数组
public static Object newInstance(Class<?> componentType, int length)
throws NegativeArraySizeException {
return newArray(componentType, length);
}
private static native Object newArray(Class<?> componentType, int length)
throws NegativeArraySizeException;
Array.newInstance内部直接调用Array.newArray,newArray为本地方法,由虚拟机实现
newInstance返回为Object,实质为数组
public class SystemArrayCopy {
public static void main(String[] args) {
Object o = Array.newInstance(String.class, 10);
System.out.println(o.getClass());
System.out.println(String.class); // 用于对比
}
}
/*
class [Ljava.lang.String;
class java.lang.String
*/
可以看到,Array.newInstance的返回虽然是Object类型,但是它实质上是String数组,可以强制转换成String[],如:String[] arr = (String[]) Array.newInstance(String.class, 10);
因为我这个方法就是要返回T[],这是方法编写的本意
如:ArrayList底层数组的类型转换使用的这个方法(ArrayList参数为集合的构造函数中)