我对幻像引用的使用有点困惑。我读到当只有垃圾收集器喜欢它的只有Phantom引用指向它们的Object时。但是,它在我的例子中没有按预期工作。
import java.lang.ref.PhantomReference;
import java.lang.ref.Reference;
import java.lang.ref.ReferenceQueue;
import java.util.HashMap;
import java.util.Map;
public class ClassTest {
private static Thread m_collector;
private static boolean m_stopped = false;
private static final ReferenceQueue refque = new ReferenceQueue();
Map<Reference,String> cleanUpMap = new HashMap<Reference,String>();
public void startThread() {
m_collector = new Thread() {
public void run() {
while (!m_stopped) {
try {
Reference ref = refque.remove(1000);
System.out.println(" Timeout ");
if (null != ref) {
System.out.println(" ref not null ");
}
} catch (Exception ex) {
break;
}
}
}
};
m_collector.setDaemon(true);
m_collector.start();
}
public void register() {
System.out.println("Creating phantom references");
class Referred {
}
Referred strong = new Referred();
PhantomReference<Referred> pref = new PhantomReference(strong, refque);
// cleanUpMap.put(pref, "Free up resources");
strong = null;
}
public static void collect() throws InterruptedException {
System.out.println("GC called");
System.gc();
System.out.println("Sleeping");
Thread.sleep(5000);
}
public static void main(String args[]) throws InterruptedException {
ClassTest test= new ClassTest();
test.startThread();
test.register();
test.collect();
m_stopped = true;
System.out.println("Done");
}
}
在上面的例子中,当我运行时,我看到对象“strong”不是自动垃圾回收。我预计当“strong”对象被赋值为null时,该对象将自动收集垃圾。奇怪的是,只有当我在注册函数中取消注释以下行时才会收集垃圾。
//cleanUpMap.put(pref, "Free up resources");"
背后的原因是什么?但是,如果我在Main函数本身中创建幻像引用,则不会发生此问题。换句话说,当在主函数内将“strong”赋值为null时,对象会自动进行垃圾回收,如下面的代码所示。
public static void main(String args[]) throws InterruptedException {
System.out.println("Creating phantom references");
// The reference itself will be appended to the dead queue for clean up.
ReferenceQueue dead = new ReferenceQueue();
PhantomReference<Referred> phantom = new PhantomReference(strong, dead);
strong = null;
// The object may now be collected
System.out.println("Suggesting collection");
System.gc();
System.out.println("Sleeping");
Thread.sleep(5000);
// Check for
Reference reference = dead.poll();
if (reference != null) {
System.out.println("not null");
}
System.out.println("Done");
}
为什么两种情况下的行为都不同?
答案 0 :(得分:1)
您的幻像引用是一个普通的Java对象,如果无法访问它将被垃圾收集。
如果在与引用对象相同的集合之前或之上收集幻像引用,则不会将其添加到引用队列。
将所有幻像引用放置到集合中是为了防止引用过早地被垃圾收集。
通常,您需要专门收集未处理的幻像引用以及引用队列。
您可以在this article找到实施基于幻像参考的帖子清理示例。