代码之家  ›  专栏  ›  技术社区  ›  Andrew Williamson

为什么这个短程序永远不会完成?

  •  3
  • Andrew Williamson  · 技术社区  · 6 年前

    通过调试我自己的一个问题,我成功地重新创建了一个行为异常的小程序:

    using System;
    using System.Threading;
    
    namespace CancelBug
    {
        class Program
        {
            static void Main(string[] args)
            {
                var unused = new ManualResetEvent(false);
                var cancelled = new ManualResetEvent(false);
                Console.CancelKeyPress += (s, e) => cancelled.Set();
                Console.WriteLine("Running. The only thing to do now is ctrl+c or close the window...");
                WaitHandle.WaitAny(new[] { unused, cancelled });
                Console.WriteLine("Press enter to continue...");
                Console.Read();
            }
        }
    }
    

    我希望这个项目:

    • 显示第一行
    • 等待用户尝试退出程序
    • 显示第二行
    • 等待用户按回车键
    • 出口

    然而,一旦这使它过去的呼吁 WaitHandle.WaitAny ,它似乎挂在随机线上有时最后一行永远不会打印,有时会打印,但输入键永远不会被读取。有了更大的代码基,它可以执行更多的代码行,并且仍然挂在一个看似随机的位置。

    有人能解释这种奇怪的行为吗?

    3 回复  |  直到 6 年前
        1
  •  8
  •   Freggar    6 年前

    你需要取消 CTRL+C 命令,否则您的进程将被终止:

    Console.CancelKeyPress += (s, e) =>
    {
        e.Cancel = true;
        cancelled.Set();
    };
    

    https://msdn.microsoft.com/en-us/library/system.consolecanceleventargs(v=vs.110).aspx 以下内容:

    如果在事件处理程序中将Cancel属性设置为true,则 进程将恢复;否则,进程将终止。默认情况下, consoleCanceLeventargs属性的值为false,并且 进程终止。

        2
  •  0
  •   Venu prasad H S    6 年前

    Ctrl + C 是关闭命令窗口的全局命令。因此,这个组合键将在实际程序结束前关闭窗口试着用另一把钥匙。

        3
  •  0
  •   tmaj    6 年前

    请在没有调试器的情况下运行应用程序(直接从命令行)。

    根据我的测试,这是我的测试应用程序,它的性能与你所期望的一样。

            var cancelled = new ManualResetEvent(false);
            Console.CancelKeyPress += (s, e) =>
            {
                e.Cancel = true;
                Console.WriteLine("Ctrl+C detected...");
                cancelled.Set();
            };
            Console.WriteLine("Running. The only thing to do now is ctrl+c or close the window...");
            WaitHandle.WaitAny(new[] { cancelled });
            Console.WriteLine("Press enter to exit...");
            Console.ReadLine();
    
    推荐文章