首先,我们看一下Arrays.copyOf()和System.arraycopy()的jdk源码(jdk1.7):
Arrays.copyOf()源码:
public static T[] copyOf(T[] original, int newLength) {
return (T[]) copyOf(original, newLength, original.getClass());
}
original:原数组
newLength:拷贝数组的长度
调用了重载方法!
public static T[] copyOf(U[] original, int newLength, Class extends T[]> newType) {
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()方法!
copyOf()中可能调用的方法源码:
public static Object newInstance(Class> componentType, int length) throws NegativeArraySizeException {
return newArray(componentType, length);
}
public static Object newInstance(Class> componentType, int... dimensions)throws IllegalArgumentException, NegativeArraySizeException {
return multiNewArray(componentType, dimensions);
}
private static native Object newArray(Class componentType, int length) throws NegativeArraySizeException;
private static native Object multiNewArray(Class componentType,int[] dimensions) throws IllegalArgumentException, NegativeArraySizeException;
System.arraycopy()源码:
public static native void arraycopy(Object src, int srcPos, Object dest, int destPos, int length);
src:原数组
srcPos:原数组拷贝的起始位置
dest:目标数组
destPos:目标数组拷贝的起始位置
length:拷贝的长度
System.arraycopy()是一个native方法!
总结:
从两种拷贝方式的定义来看:
System.arraycopy()使用时必须有原数组和目标数组,Arrays.copyOf()使用时只需要有原数组即可。
从两种拷贝方式的底层实现来看:
System.arraycopy()是用c或c++实现的,Arrays.copyOf()是在方法中重新创建了一个数组,并调用System.arraycopy()进行拷贝。
两种拷贝方式的效率分析:
由于Arrays.copyOf()不但创建了新的数组而且最终还是调用System.arraycopy(),所以System.arraycopy()的效率高于Arrays.copyOf()。