基本上我有一些看起来像这样的函数:
class MyClass { void foo() { using (SomeHelper helper = CreateHelper()) { // Do some stuff with the helper } } void bar() { using (SomeHelper helper = CreateHelper()) { // Do some stuff with the helper } } }
假设我可以在每个函数中使用相同的资源而不是一个不同的[实例],那么在清理方面是否可以做到这样做?
class MyClass { SomeHelper helper = CreateHelper(); // ...foo and bar that now just use the class helper.... ~MyClass() { helper.Dispose(); } }
解决方法
不,不要添加析构函数(Finalizer).
您可以重用资源,但您的类必须实现IDisposable.
sealed class MyClass : IDisposable { SomeHelper helper = CreateHelper(); // ...foo and bar that now just use the class helper.... //~MyClass() public void Dispose() { helper.Dispose(); } }
现在你必须在using块中使用MyClass实例.它本身已成为一种托管资源.
析构函数是没有用的,每当收集MyClass实例时,关联的帮助器对象也将在同一个集合中.但是,使用析构函数仍会产生相当大的开销.
IDisposable的standard pattern使用虚拟void Dispose(bool disposing)方法,但在密封类时,您可以使用上面的简约实现.