2

在同时打开 Windows 窗体和控制台的 C# 应用程序中,为什么在关闭 From 时调用终结器,但在关闭控制台时不调用?即使应用程序从控制台关闭,是否有任何方法可以调用终结器?

我在创建一个在Construction上创建文件并在Dispose / Finalize上删除文件的类时注意到了这一点。关闭表单时它按预期工作,但关闭控制台时正在创建文件但未删除文件。

编辑

我一定对这些条款感到困惑。这是我的临时文件代码:

class TemporaryFile : IDisposable {
    private String _FullPath;

    public String FullPath {
        get {
            return _FullPath;
        }
        private set {
            _FullPath = value;
        }
    }

    public TemporaryFile() {
        FullPath = NewTemporaryFilePath();
    }

    ~TemporaryFile() {
        Dispose(false);
    }

    private String NewTemporaryFilePath() {
        const int TRY_TIMES = 5; // --- try 5 times to create a file

        FileStream tempFile = null;
        String tempPath = Path.GetTempPath();
        String tempName = Path.GetTempFileName();

        String fullFilePath = Path.Combine(tempPath, tempName);
            try {
                tempFile = System.IO.File.Create(fullFilePath);
                break;
            }
            catch(Exception) { // --- might fail if file path is already in use.
                return null;
            }
        }

        String newTempFile = tempFile.Name;
        tempFile.Close();

        return newTempFile;        
    }

    public void Dispose() {
        Dispose(true);
        GC.SuppressFinalize(this);
    }

    private void Dispose(bool calledFromDispose) {
        DeleteFile();
    }

    public void DeleteFile() {
        try {
            System.IO.File.Delete(FullPath);
        } catch(Exception) { } //Best effort.
    }
}
4

1 回答 1

7

问题不在于您的代码本身。

当您通过单击窗口中的 x 关闭控制台应用程序时,Windows 只会终止该进程。它不会优雅地关闭它,因此您的任何清理代码都不会被调用。

可以挂接到控制台 API 并捕获关闭处理程序,然后手动处理您的对象,但有报告称此功能在较新版本的 Windows 下不能很好地工作。

捕获控制台退出 C#

于 2013-08-12T17:05:34.543 回答