toArray
中的ArrayList
方法,Bloch同时使用System.arraycopy
和Arrays.copyOf
复制数组。
public <T> T[] toArray(T[] a) {
if (a.length < size)
// Make a new array of a's runtime type, but my contents:
return (T[]) Arrays.copyOf(elementData, size, a.getClass());
System.arraycopy(elementData, 0, a, 0, size);
if (a.length > size)
a[size] = null;
return a;
}
如何比较这两种复制方法,何时应使用哪种复制方法?
最佳答案
不同之处在于Arrays.copyOf
不仅会复制元素,还会创建一个新数组。 System.arraycopy
复制到现有数组中。
这是Arrays.copyOf
的来源,您可以看到它内部使用System.arraycopy
来填充新数组:
public static <T,U> 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;
}
关于java - 什么是更有效的: System. arraycopy或Arrays.copyOf?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2589741/