我有一个快速的代码段可以测试弱引用,我希望在对象成为GC之后,弱引用应该不再返回对象引用。但是我的测试表明这是不期望的:
class Person
{
private int mI = 3;
public int MI { get => mI; set => mI = value; }
}
class UseWeakReference
{
public static void Main(String[] args)
{
Person person = new Person();
WeakReference<Person> wr = new WeakReference<Person>(person);
wr.TryGetTarget(out Person p1);
Console.WriteLine(p1);
person = null;
wr.TryGetTarget(out Person p2);
Console.WriteLine(p2);
p2 = null;
System.GC.Collect();
Thread.Sleep(1000);
wr.TryGetTarget(out Person p3);
Console.WriteLine(p3); // I expected null here becaure person is collected.
}
}
它打印:
MyApp1.Person
MyApp1.Person
MyApp1.Person // Why still valid?
我在哪里弄错了?
谢谢。
答案 0 :(得分:1)
在弱引用上调用TryGetTarget
时,假设尚未收集所引用的对象,则将获得对该对象的强引用。您在代码中执行了3次:p1
,p2
和p3
是对该对象的强引用。当垃圾收集器运行时-自动运行或在您强制垃圾收集时-这些强引用将阻止对象的收集。
这是一个有效的版本:
void Main()
{
var person = new Person();
WeakReference<Person> weak = new WeakReference<Person>(person);
person = null;
for (int i = 0; i < 10; i++)
{
Console.WriteLine($"{i}\t{TestReference(weak)}");
Thread.Sleep(100);
}
GC.Collect();
Console.WriteLine(TestReference(weak));
}
class Person
{
private int mI = 3;
public int MI { get => mI; set => mI = value; }
}
bool TestReference(WeakReference<Person> weak)
{
if (weak.TryGetTarget(out Person p))
{
p = null;
return true;
}
return false;
}
请注意,在任何情况下,我们始终都不会对对象保持强大的引用超过几个周期,而到垃圾回收器运行时,就没有对对象的强大引用,因此无法收集对象。
即使在这段代码中,即使我注释掉p = null;
行,垃圾收集器也可能不会收集对象。试试看。
这个故事的寓意是:当您从WeakReference<>
获得强有力的参考时,总是将其完全废除。