没有按下按键时,ReadKey会执行某些操作

时间:2013-12-30 19:16:50

标签: c# console console-application console.readkey readkey

我正在尝试运行我的代码,直到按下 Esc 。因此我在我的控制台中使用ReadKey

var input = Console.ReadKey();
do
{

} while (input.Key != ConsoleKey.Escape);

但是在“ConsoleKey”中它表示,'bool'中无法使用ConsoleKey。我该如何解决这个问题?或者我应该使用什么呢?

3 个答案:

答案 0 :(得分:9)

试试这个:

ConsoleKeyInfo input;
do
{
    input = Console.ReadKey();
} while (input.Key != ConsoleKey.Escape);

答案 1 :(得分:5)

是否有特殊原因要使用 ESC 键而不是传统的 CTRL + C

您可以为后者挂钩Console.CancelKeyPress事件,它在命令行界面世界中是标准的。

Console.ReadKey()阻塞,在某些循环中可能会出现问题。我们来看这个例子:

    using System.Threading;
    using System.Threading.Tasks;

    CancellationTokenSource cts;

    public void Run()
    {
        cts = new CancellationTokenSource();
        var task = new Task(DoSomething, cts.Token);

        task.Start();

        while (!task.IsCompleted)
        {
            var keyInput = Console.ReadKey(true);

            if (keyInput.Key == ConsoleKey.Escape)
            {
                Console.WriteLine("Escape was pressed, cancelling...");
                cts.Cancel();
            }
        }

        Console.WriteLine("Done.");
    }

    void DoSomething()
    {
        var count = 0;

        while (!cts.IsCancellationRequested)
        {
            Thread.Sleep(1000);
            count++;

            Console.WriteLine("Background task has ticked ({0}).", count.ToString());
        }
    }

这将使用Task进行一些后台工作,同时等待 ESC 被按下。取消工作正常,但在完成(取消)后将再次停留在Console.ReadKey()

您可以使用GetKeyboardState之类的Win32 API并检查密钥代码,因为它没有阻止。但是,我建议改为使用CancelKeyPress事件( CTRL + C ):

    void Console_CancelKeyPress(object sender, ConsoleCancelEventArgs e)
    {
        Console.WriteLine("Cancelling...");
        cts.Cancel();

        e.Cancel = true;    // Do not terminate immediately!
    }

答案 2 :(得分:3)

ConsoleKeyInfo input;
do
{
    input = Console.ReadKey();
} while (input.Key != ConsoleKey.Escape);

或更短

while (Console.ReadKey().Key != ConsoleKey.Escape){}