答案 0 :(得分:31)
当没有任何引用Java时,Java中的类可以被垃圾收集。在大多数简单的设置中,这种情况永远不会发生,但有些情况可能会发生。
有很多方法可以使类可以访问,从而阻止它符合GC的条件:
Class
对象仍可访问ClassLoader
仍然可以访问ClassLoader
加载的其他类仍可访问当 none 为真时,ClassLoader
及其加载的所有类都符合GC的条件。
这是一个应该演示行为的构造示例(充满了不良做法!):
在目录(不是包!)GCTester.class
中创建字节码文件x
。它的源代码是:
public class GCTester {
public static final GCTester INSTANCE=new GCTester();
private GCTester() {
System.out.println(this + " created");
}
public void finalize() {
System.out.println(this + " finalized");
}
}
然后在TestMe
的父目录中创建一个类x
:
import java.io.File;
import java.net.URL;
import java.net.URLClassLoader;
import java.lang.reflect.Field;
public class TestMe {
public static void main(String[] args) throws Exception {
System.out.println("in main");
testGetObject();
System.out.println("Second gc() call (in main)");
System.gc();
Thread.sleep(1000);
System.out.println("End of main");
}
public static void testGetObject() throws Exception {
System.out.println("Creating ClassLoader");
ClassLoader cl = new URLClassLoader(new URL[] {new File("./x").toURI().toURL()});
System.out.println("Loading Class");
Class<?> clazz = cl.loadClass("GCTester");
System.out.println("Getting static field");
Field field = clazz.getField("INSTANCE");
System.out.println("Reading static value");
Object object = field.get(null);
System.out.println("Got value: " + object);
System.out.println("First gc() call");
System.gc();
Thread.sleep(1000);
}
}
运行TestMe
将产生此(或类似)输出:
in main Creating ClassLoader Loading Class Getting static field Reading static value GCTester@1feed786 created Got value: GCTester@1feed786 First gc() call Second gc() call (in main) GCTester@1feed786 finalized End of main
在倒数第二行,我们看到GCTester
实例已完成,这只能表示类(和ClassLoader
)符合垃圾回收的条件。