We have a Windows Forms application that contains thousands of forms.
Many of these are temporarily displayed as dialogs via the ShowDialog() method.
This application has been around for years and we've discovered that many of the forms are not getting garbage collected in a timely manner due to various resource leaks in the form or the controls that it uses.
Specifically, we've found examples of GDI+ resources that aren't being disposed of properly, although there may be other types of resource leaks that have not yet been characterized.
Although the right way to resolve this is obviously to go through every form and every control and eliminate all of the resource problems. This will take some time to accomplish.
As an short term alternative, we have found that explicitly calling Dispose() on the form seems to initiate the garbage collection process and the form and its resources are deallocated immediately.
My question is whether is would be a reasonable workaround to wrap each form's ShowDialog() block in a using statement so that Dispose() is called after the form has been displayed, and also would this be a good practice to institute in general?
For example, change the existing code from this:
public void ShowMyForm()
{
MyForm myForm = new MyForm();
myForm.ShowDialog();
}
To this:
public void ShowMyForm()
{
using (MyForm myForm = new MyForm())
{
myForm.ShowDialog();
}
}
In our testing, MyForm's Dispose() method never gets called for the first example, but it gets called immediately for the second example.
Does this seem like a reasonable approach as a short term workaround while we spend the time tracking down each of the specific resource issues?
Are there other approaches that we could consider for a short term workaround and/or methodologies for identifying and resolving these types of resource issues?
For modal dialogs, you should use the pattern:
Since MyDialog is derived from Form, and Form implements IDisposable, this pattern will correctly cleanup your dialog.
This should not be a "short term workaround", but the standard way you should invoke all your modal dialogs.
Modeless dialogs are another story. You would need to keep track of them yourself, and call Dispose at the appropriate points in your application.
In general it is a good way to use the
using
statement for objects that implement IDisposable.A little sample situation:
Lets say you have a third party "component". You cant know what goes on internally and maybe this objects creates a temp file and delete the file on
Dispose
. If you dont callDispose()
and dont useusing
the file will never get deleted.In your case you can do it too as long as you open your form
modal
.According to MSDN, you must explicitly call Dispose on forms shown using ShowDialog (unlike with the Show method):