在测试了代码(见下文)后,我发现我不了解一些基础知识。
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
但是,如果我有两个列表,这表明它们都引用同一个对象。
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]