所以我一直在研究为我编写的类实现析构函数,我不确定如何真正释放内存或者如果这将由垃圾收集处理。
class AutomatedTest
{
public bool testComplete = false;
public bool testStopRequest = false;
public List<Command> commandList = new List<Command>();
private bool loggingEnabled = false;
...
public AutomatedTest(TestList testToCreate)
{
// Create a list of Command objects and add them to the list
}
}
如何使用该课程:
for(int numTests = 0; numTests < 20; numTests++)
{
AutomatedTest test1 = new AutomatedTest(TestList._1DayTest);
RunAutoTest(test1);
AutomatedTest test2 = new AutomatedTest(TestList._2DayTest);
RunAutoTest(test2);
AutomatedTest test3 = new AutomatedTest(TestList._3DayTest);
RunAutoTest(test3);
AutomatedTest test4 = new AutomatedTest(TestList._4DayTest);
RunAutoTest(test4);
}
创建并运行4个对象,这样做了20次 我的问题是我应该如何妥善处理/破坏这些物体?我不想假设这些是垃圾收集,但我是实施解析器的新手。
答案 0 :(得分:2)
只要您不使用任何实现IDisposable的对象,就不必手动处理或销毁。
答案 1 :(得分:1)
您将无法控制这些对象何时被垃圾收集。如Henk Holterman所述,您可能需要考虑使用IDisposable,或使用IDisposable模式。如果您不需要这样做,我不会担心使用.Dispose()
或终结工具~AutomatedTest()
假设这些测试方法可能需要一段时间,您可以在使用它之后说test1 = null;
让.NET知道此对象引用已不再使用,否则一旦它超出范围GC将会把事情搞干净了。
答案 2 :(得分:0)
您最好的选择是IDisposable模式详细here。但正如其他人所指出的那样,只有当你的对象持有一些昂贵的资源时才有必要,比如文件句柄,流,数据库对象等等。其他所有东西都将由GC收集。相信它。
答案 3 :(得分:0)
我认为一个公平的规则是“如果你的任何对象处理非托管资源,或实现IDisposable,你需要处理它们。”我发布的代码中没有看到任何不受管理的内容,所以您可能不必担心。但是,显然有一些我们看不到的代码,所以我无法确定。
请阅读此MSDN Article以获取正确处理的说明。
答案 4 :(得分:0)
通常调用的“析构函数”或Finalizer
在对象被垃圾回收之前不会被调用。
因此,如果您需要释放资源,最好实施IDisposable
。
答案 5 :(得分:0)
处理昂贵对象的处理方法之一是实现IDisposable接口并实现Dispose和Finalize方法。当您的类依赖于非托管代码并负责清理它们时,这是推荐的模式。更多详情here
答案 6 :(得分:0)
当您的对象被垃圾收集时,将调用类的析构函数。在像c#这样的托管编程语言中,您无法控制垃圾收集器何时运行并执行析构函数。当CLR(公共语言运行时)看到该对象不再被引用或稍后在程序中使用时,垃圾收集由CLR处理。在您的示例中,考虑代码
AutomatedTest test1 = new AutomatedTest(TestList._1DayTest);
RunAutoTest(test1);
执行RunAutoTest(test1)后,不再使用'test1'引用变量,并且可用于垃圾回收。但是,实际的垃圾收集过程可能不会立即运行,并且您无法确保它在特定时间运行。如果您在AutomatedTest类中使用了打开FileStream等资源,则在使用该类的对象后,您需要释放这些资源。这可以通过让您的类以下列方式实现IDisposable接口来完成
class AutomatedTest:IDisposable
{
public void Dispose()
{
//free up any resources
}
}
一旦你的类实现了IDisposable,你可以通过将它的创建包装在'using'块中来使用它
for (int numTests = 0; numTests < 20; numTests++)
{
using (AutomatedTest test1 = new AutomatedTest(TestList._1DayTest))
{
RunAutoTest(test1);
}
//as soon as code exits the 'using' block the dispose method on test1 would be called
//this is something you cannot guarantee when implementing a destructor
using (AutomatedTest test2 = new AutomatedTest(TestList._2DayTest))
{
RunAutoTest(test2);
}
//dispose on test2 will be called here
///rest of code
}
仅供参考,可以使用〜在C#中实现析构函数。实现IDisposable的方法优于创建析构函数
class AutomatedTest
{
~AutomatedTest()
{
//code will run only on garbage collection
}
}