作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
问题是如何测试调用 Finalize 时对象释放资源的事实。类的代码:
public class TestClass : IDisposable {
public bool HasBeenDisposed {get; private set; }
public void Dispose() {
HasBeenDisposed = true;
}
~TestClass() {
Dispose();
}
}
请注意,我现在并不关心 Dispose/Finalize 的正确实现,因为我想先找到测试它的方法。在此阶段,假设如果调用 Dispose/Finalize ware,HasBeenDispose 将设置为 true 就足够了。
我编写的实际测试如下所示:
更新了弱引用:
[Test]
public void IsCleanedUpOnGarbadgeCollection() {
var o = new TestClass();
o.HasBeenDisposed.Should().Be.False();
**var weak = new WeakReference(o, true); // true =Track after finalisation
o = null; // Make eligible for GC**
GC.Collect(0, GCCollectionMode.Forced);
GC.WaitForPendingFinalizers();
**((TestClass)weak.Target)**.HasBeenDisposed.Should().Be.True();
}
或者我更喜欢的代码(更新后添加):
[Test]
public void IsCleanedUpOnGarbadgeCollection() {
WeakReference weak = null;
// Use action to isolate instance and make them eligible for GC
// Use WeakReference to track the object after finalisaiton
Action act = () = {
var o = new TestClass();
o.HasBeenDisposed.Should().Be.False();
weak = new WeakReference(o, true); // True=Track reference AFTER Finalize
};
act();
GC.Collect(0, GCCollectionMode.Forced);
GC.WaitForPendingFinalizers();
// No access to o variable here which forces us to use WeakReference only to avoid error
((TestClass)weak.Target).HasBeenDisposed.Should().Be.True();
}
此测试失败(更新后通过),但我观察到以下情况(更新):
那么测试这个的正确方法是什么?我想念什么?
我想是变量o阻止了GC收集它。
更新:是的,这就是问题所在。不得不使用 WeakReference 来代替。
最佳答案
“我想是变量 o 阻止了 GC 收集它。”正确的。堆栈上存在引用意味着该对象是可访问的,因此不符合收集(和终结)的条件。
由于对象在没有引用之前不会被终结,因此测试终结行为可能会很棘手。 (您需要引用该对象才能对其进行断言!)一种方法是间接执行此操作:让对象在终结期间发送某种消息。但这纯粹出于测试目的而扭曲了最终代码。您还可以保留对该对象的弱引用,这将使其有资格进行终结,并让它在终结器中自行复活 - 但同样,您不希望让它在生产代码中自行复活。
关于.net - 测试终结器和 IDisposable,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/1598192/
据我所知,不能保证 Object.finalize() 总是被调用。但是如果有重要的非GC资源,并且用户没有意外调用close(),我该如何释放该资源?PS。 .NET中的Object.Finaliz
我是一名优秀的程序员,十分优秀!