System.arraycopy和Array.copyOf区别

前言

最近再看Java类ArrayList源码时,发现了两个类方法,System.arraycopy,Array.copyOf,今天不讲什么大道理,就说下这两个方法干了什么。

System.arraycopy

源码

     * @param      src      the source array.
     * @param      srcPos   starting position in the source array.
     * @param      dest     the destination array.
     * @param      destPos  starting position in the destination data.
     * @param      length   the number of array elements to be copied.
 public static native void arraycopy(Object src,  int  srcPos,
                                        Object dest, int destPos,
                                        int length);

通过源码我们知道,该方法需要5个参数,第一个为源数组,第二个参数为元素组启始位置下标索引,第三个参数为目标数组,第四个参数为目标数组启始位置下标索引,第五个参数为长度。

  1. 首先我们准备两个数组。
String[] sArray1 = {"a","b","c","d"};
String[] sArray2 = {"1","2","3","4"};
  1. 明确我们所填参数,从第一个数组下标索引为1,第二个数组索引下标为0长度为2,执行看下结果
System.arraycopy(sArray1,1,sArray2,0,2);

完整代码

String[] sArray1 = {"a","b","c","d"};
        String[] sArray2 = {"1","2","3","4"};
        System.arraycopy(sArray1,1,sArray2,0,2);
       for (String s: sArray1) {
            System.out.println("array1: "+s);
        }
    System.out.println("---------------------------------");
        for (String s: sArray2) {
            System.out.println("array2: "+s);
        }

执行结果。

array1: a
array1: b
array1: c
array1: d
---------------------------------
array2: b
array2: c
array2: 3
array2: 4

结论:
通过最终显示结果和我们刚才设置的测试数据,我们发现以下特点:

  1. 源数组中的值未发生变化,目标数组中的值改变了。
    结论:该方法只改变目标数组中的内容,不会改变源数组中的值。

  2. 源数组中的b,c替换了目标数组中的1,2,且替换的规律就我们刚才设置的值,从源数组的下标索引为1开始,获取长度为2的数据,值为b,c,复制到目标数组,以下标索引为0开始,最终的结果就是源数组中的b,c替换了目标数组中的1,2
    结论:通过System.CopyArray方法,我们可以知道,通过源数组中的指定长度值改变目标数组中对应的值。

Arrays.copyOf

源码

* @param original the array to be copied
* @param newLength the length of the copy to be returned
public static  T[] copyOf(T[] original, int newLength) {
        return (T[]) copyOf(original, newLength, original.getClass());
    }

通过源码我们知道方法需要两个参数,第一参数源数组,第一个参数为一个新的长度。

  1. 首先我们准备一个数组。
Object[] name = {"a","b"};
  1. 明确我们要填充的参数。
name = Arrays.copyOf(name, 4);

完整代码

Object[] name = {"a","b"};
        for (Object ojb: name) {
            System.out.println(ojb);
        }
        System.out.println("------------------");
        System.out.println("未改变之前的数组长度: "+name.length);
        System.out.println("------------------");
        name = Arrays.copyOf(name, 4);
        for (Object ojb: name) {
            System.out.println(ojb);
        }
        System.out.println("------------------");
        System.out.println("改变之后的数组长度: "+name.length);
        System.out.println("------------------");

打印结果

a
b
------------------
未改变之前的数组长度: 2
------------------
a
b
null
null
------------------
改变之后的数组长度: 4
------------------

结论:

通过结果,我们可以明显发现Arrays.copyOf方法只改变了源数组的长度,对数组进行长度扩容。通过测试参数,我们知道原先源数组长度为2,我们通过Arrays.copyOf方法在他原先数组上又加了两个长度,因此最终数组的长度为4。

你可能感兴趣的:(System.arraycopy和Array.copyOf区别)