Are objects that are member of another object become eligible for Garbage Collection when the parent object does? For example, let's imagine this scenario:
Code for MyClass_1:
public class MyClass_1 {
// Member object
private MyClass_2 myClass_2;
// Getter
public MyClass_2 getMyClass_2() {
return this.myClass_2;
}
// Setter
public void setMyClass_2(MyClass_2 myClass_2) {
this.myClass_2 = myClass_2;
}
}
Code for MyClass_2:
public class MyClass_2 {
// Member object
private MyClass_3 myClass_3;
// Getter
public MyClass_3 getMyClass_3() {
return this.myClass_3;
}
// Setter
public void setMyClass_3(MyClass_3 myClass_3) {
this.myClass_3 = myClass_3;
}
}
Ok, now we do (code for MyClass_3 is not relevant):
// Instantiation of one root object
MyClass_1 object_1 = new MyClass_1();
// Composition of two more objects
object_1.setMyClass_2(new MyClass_2());
object_1.getMyClass_2().setMyClass_3(new MyClass_3());
// And now...
object_1 = null;
Surely, at this point object
_1 is Garbage Collectable, but what about object_2
and object_3
? Should I have to do this to avoid a memory leak?
object_1.getMyClass_2().setMyClass_3(null);
object_1.setMyClass_2(null);
object_1 = null;
Or does JVM do that reference release automatically? In case of being necessary to do it manually, can I rely on finalize() for this purpose?
This is a classic example of island of isolation.
Yes.. All the objects marked null as well as object island (objects referring to each other); but none of them is reachable) get garbage collected.
See this nice post on "Island of isolation" of Garbage Collection
And in this case, you do not need to explicitly set My_class2 and My_class3 as null. Once parent is null, GC will recycle them as well.
Finalize is not a way to do garbage collection. Basically finalize gives you a chance to do something, when the object of that class is being garbage collected. But even do not rely on finalize method for any cleanup, because it's possible that an object never gets garbage collected and thus finalize is never called.
See more about finalize When is the finalize() method called in Java?