只为私人成员传递价值

Passing only value for private members

我正在创建一个 class,其中一个数组作为其私有成员,并为此使用 getter、setter 方法。我想在 main 函数中使用数组为该数组设置一个值。当我在 main 函数中操作数组时,它不应该影响 class.

中存在的数组

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

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

每次设置数组或需要return其值时,您都可以在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);
    }
}

旁注:

  • 如果你真的想让 ClassB 不可变,你不应该为它的值设置 setter。
  • 实用程序 System.arraycopy was used to create a copy of the arrays. Feel free to use here whatever fits better your needs (you may want to consider using a.clone()... this is a good topic about it: ).

补充阅读:

  • Copy constructors and defensive copying
  • How do I make defensive copy of an object?
  • Is Java “pass-by-reference” or “pass-by-value”?.
  • Clone method for Java arrays

当你在做final ClassB cb2 = new ClassB(d);时,你实质上是将数组breference传递给ClassB.由于两个引用相同,ClassB 中的数组正在更改。

必读 - Is Java “pass-by-reference” or “pass-by-value”?

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

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

注:

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

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

final ClassB cb2 = new ClassB(d);