为什么System.arraycopy()函数不创建副本但返回对同一数组的引用?

时间:2015-01-12 11:47:20

标签: java arrays clone arraycopy

我编写了以下代码来检查System.arraycopy和clone函数的行为。我希望这些函数返回数组的副本,但他们所做的只是返回对原始数组的引用,这从我更改原始值的程序的后半部分可以看出。副本不应该改变,但也会改变。请帮助为什么这样做?

public class Testing {

    public static int a[][] = new int[2][2];

    public static void setValueOfA() {
        a[0][0] = 1;
        a[0][1] = 1;
        a[1][0] = 1;
        a[1][1] = 1;
    }

    public static int[][] getValueOfA() {
        int[][] t = new int[2][2];

// Case 1: Not working
//        t = (int[][]) a.clone();
// Case 2: Not working
//        System.arraycopy(a, 0, t, 0, 2);
// Case 3: Working
        for (int i = 0; i < 2; i++) {
            for (int j = 0; j < 2; j++) {
                t[i][j] = a[i][j];
            }
        }
        return t;
    }

    public static void main(String[] args) {
        int[][] temp;

        setValueOfA();
        temp = getValueOfA();
        System.out.println("Value of a");
        for (int i = 0; i < 2; i++) {
            for (int j = 0; j < 2; j++) {
                System.out.print(a[i][j] + " ");
            }
            System.out.println();
        }
        System.out.println("Value of temp");
        for (int i = 0; i < 2; i++) {
            for (int j = 0; j < 2; j++) {
                System.out.print(temp[i][j] + " ");
            }
            System.out.println();
        }

        a[0][0] = 2; a[0][1] = 2; a[1][0] = 2; a[1][1] = 2;

        System.out.println("Value of a");
        for (int i = 0; i < 2; i++) {
            for (int j = 0; j < 2; j++) {
                System.out.print(a[i][j] + " ");
            }
            System.out.println();
        }
        System.out.println("Value of temp");
        for (int i = 0; i < 2; i++) {
            for (int j = 0; j < 2; j++) {
                System.out.print(temp[i][j] + " ");
            }
            System.out.println();
        }
    }
}

3 个答案:

答案 0 :(得分:2)

我相信(还没有测试过)System.arraycopy执行源数组到目标数组的浅表副本。

您对System.arraycopy的来电相当于:

t[0] = a[0];
t[1] = a[1];

由于a[0]a[1]本身就是数组,如果您以后更改a[i][j],您也会更改t[i][j](自a[i]和{{1}以来}引用相同的数组)。

答案 1 :(得分:0)

MUN,

您应该使用Arrays.copyOf()功能。查看示例:

http://www.tutorialspoint.com/java/util/arrays_copyof_int.htm

/ N

答案 2 :(得分:0)

Arrays.copyOf隐式使用System.arraycopy,它仅执行浅表复制。

要进行深层复制,请使用传统的迭代和分配方式。