3

我正在创建一个类,其中一个数组作为其私有成员和 getter,setter 方法。我想使用主函数中的数组为该数组设置一个值。当我在主函数中操作数组时,它不应该影响该类中存在的数组。

我试过这段代码,但这里的数组是被操纵的

class ClassB {

    private int[] a;

    ClassB() { }

    ClassB(int[] a) {
        this.a=a;
    }

    int[] geta() {
        return this.a;
    }

    void seta(int a[]) {
        this.a = a;
    }
}

public class ClassA{

    public static void main(String[] args) {

        Scanner sc = new Scanner(System.in);
        System.out.println("Enter size : ");
        int n = sc.nextInt();
        int[] d = new int[n];
        System.out.println("Enter array elements : ");
        for (int i=0 ; i<n ; i++) {
            d[i] = sc.nextInt();
        }
        final ClassB cb2 = new ClassB(d);
        d[3] = 15;
        System.out.println("After changing array d : \n Values of array d :");
        for (int i=0 ; i<n ; i++) {
            System.out.println(d[i]);
        }
        System.out.println("Values of array a of cb2 :");
        int[] b = cb2.geta();
        for (int i=0 ; i<n ; i++) {
            System.out.println(b[i]);
        }
    }
}

我预计 :

Enter size :

5

Enter array elements :
1
2
3
4
5
After changing array d :

 Values of array d :

1
2
3
15
5

Values of array a of cb2 :
1
2
3
4
5

但实际输出是:

Enter size :

5

Enter array elements :

1
2
3
4
5

After changing array d :

 Values of array d :

1
2
3
15
5

Values of array a of cb2 :

1
2
3
15
5
4

2 回答 2

4

每次设置数组或需要返回其值时,您都可以制作防御性副本ClassB像这样:

class ClassB {
    // ... code omitted for brevity

    ClassB(int[] a) {
        seta(a);
    }

    int[] geta() {
        int[] copy = new int[a.length];
        System.arraycopy(a, 0, copy, 0, a.length);
        return copy;
    }

    void seta(int a[]) {
        this.a = new int[a.length];
        System.arraycopy(a, 0, this.a, 0, a.length);
    }
}

旁注

附加读数:

于 2019-05-21T07:29:59.207 回答
1

当您这样做final ClassB cb2 = new ClassB(d);时,您实际上是将数组b的引用传递给. 由于两个引用相同,因此内部的数组正在发生变化。ClassBClassB

必读 - Java 是“按引用传递”还是“按值传递”?

如果您希望所做的更改d不影响内部的数组,则必须制作数组的副本ClassB。将您的构造函数更改为以下内容:

ClassB(int[] a) {
    this.a = a.clone();
}

笔记:

此外,使ClassB对象最终 ( final ClassB cb2) 使其对象cb2成为不可变的。不是里面的物体。

因此,当您执行以下操作时,您无法更改cb2但绝对可以更改:cb2.a

final ClassB cb2 = new ClassB(d);
于 2019-05-21T07:40:24.907 回答