コードをテストした後 (以下を参照)、いくつかの基本を理解していないことがわかりました。
クラスA。
class A {
private String s;
private int[] array;
private B b;
public A(String s, int[] array, B b) {
this.s = s;
this.array = array;
this.b = b;
}
}
クラスB。
class B {
public int t;
public B(int t) {
this.t = t;
}
}
私が行った変更は にA a = new A(s, array, b);
影響すると思いましたa
。のすべてのフィールドa
と変数s
、array
、b
が同じオブジェクトを参照していませんか?
String s = "Lorem";
int array[] = new int[] {
10, 20, 30
};
B b = new B(12);
A a = new A(s, array, b);
s = "Dolor";
array = new int[] {
23
};
b = new B(777); // Initialized with a new value, a.b keeps the old one. Why?
System.out.println(a);
出力。
String Lorem
Array [10, 20, 30]
B 12
そしてこれについて。
B b2 = new B(89);
B b3 = b2;
System.out.println(b3);
b2 = null;
System.out.println(b3); // b2 initialized with null, b3 keeps the old one. Why?
出力。
89
89
ただし、2 つのリストがある場合、これは両方が同じオブジェクトを参照していることを示しています。
ArrayList<String> first = new ArrayList<String>();
first.add("Ipsum");
ArrayList<String> second = new ArrayList<String>();
second = first;
first.add("The Earth");
System.out.println(second);
出力。
[Ipsum, The Earth]