Console.ReadKey取消

时间:2013-01-17 17:48:16

标签: c# readkey

  

可能重复:
  How to add a Timeout to Console.ReadLine()?

如果我有一个Console.ReadKey(),它会使整个程序卡住,我怎样才能使它读取一个键1秒钟,如果没有读取某个键,则会设置其他内容。

3 个答案:

答案 0 :(得分:3)

static ConsoleKeyInfo? MyReadKey()
{
    var task = Task.Run(() => Console.ReadKey(true));
    bool read = task.Wait(1000);
    if (read) return task.Result;
    return null;
}

var key = MyReadKey();
if (key == null)
{
    Console.WriteLine("NULL");
}
else
{
    Console.WriteLine(key.Value.Key);
}

答案 1 :(得分:2)

控制台有一个属性KeyAvailable。但是您无法获得所需的功能(超时)。你可以编写自己的函数

private static ConsoleKeyInfo WaitForKey(int ms)
{
    int delay = 0;
    while (delay < ms) {
        if (Console.KeyAvailable) {
            return Console.ReadKey();
        }
        Thread.Sleep(50);
        delay += 50;
    }
    return new ConsoleKeyInfo((char)0, (ConsoleKey)0, false, false, false);
}

此函数循环,直到经过所需的时间(以毫秒为单位)或按下某个键。它在调用Console.ReadKey();之前检查密钥是否可用。无论密钥是否可用,支票Console.KeyAvailable都会立即继续。如果已按下某个键并且已准备好由trueReadKey读取,则返回false。如果没有可用的键,则该函数将休眠50 ms,直到执行下一个循环。这比没有睡眠的循环更好,因为这会给你100%的CPU使用率(在一个核心上)。

如果您想知道用户按下了哪个键,该函数将返回ConsoleKeyInfo ReadKey。最后一行创建一个空的ConsoleKeyInfo(请参阅ConsoleKeyInfo StructureConsoleKeyInfo Constructor)。它允许您测试用户是否按下了某个键或该功能是否超时。

if (WaitForKey(1000).KeyChar == (char)0) {
    // The function timed out
} else {
    // The user pressed a key
}

答案 2 :(得分:1)

你的意思是这样吗?

    Console.WriteLine("Waiting for input for 10 seconds...");

    DateTime start = DateTime.Now;

    bool gotKey = false;

    while ((DateTime.Now - start).TotalSeconds < 10)                
    {
        if (Console.KeyAvailable)
        {
            gotKey = true;
            break;
        }            
    }

    if (gotKey)
    {
        string s = Console.ReadLine();
    }
    else
        Console.WriteLine("Timed out");