我需要检查控制台应用程序中是否按下了任何键。键可以是键盘中的任意键。就像是:
if(keypressed)
{
//Cleanup the resources used
}
我想出了这个:
ConsoleKeyInfo cki;
cki=Console.ReadKey();
if(cki.Equals(cki))
Console.WriteLine("key pressed");
它适用于除修饰键之外的所有键 - 我如何检查这些键?
我需要检查控制台应用程序中是否按下了任何键。键可以是键盘中的任意键。就像是:
if(keypressed)
{
//Cleanup the resources used
}
我想出了这个:
ConsoleKeyInfo cki;
cki=Console.ReadKey();
if(cki.Equals(cki))
Console.WriteLine("key pressed");
它适用于除修饰键之外的所有键 - 我如何检查这些键?
这可以帮助您:
Console.WriteLine("Press any key to stop");
do {
while (! Console.KeyAvailable) {
// Do something
}
} while (Console.ReadKey(true).Key != ConsoleKey.Escape);
如果你想在一个中使用它if
,你可以试试这个:
ConsoleKeyInfo cki;
while (true)
{
cki = Console.ReadKey();
if (cki.Key == ConsoleKey.Escape)
break;
}
对于任何键都非常简单:删除if
.
正如@DawidFerenczy提到的,我们必须注意这Console.ReadKey()
是阻塞的。它停止执行并等待直到按下一个键。根据上下文,这可能(不)很方便。
如果您不需要阻止执行,只需 test Console.KeyAvailable
。它将包含true
是否按下了某个键,否则将包含false
。
Console.KeyAvailible
如果您想要非阻塞,请查看。
do {
Console.WriteLine("\nPress a key to display; press the 'x' key to quit.");
// Your code could perform some useful task in the following loop. However,
// for the sake of this example we'll merely pause for a quarter second.
while (Console.KeyAvailable == false)
Thread.Sleep(250); // Loop until input is entered.
cki = Console.ReadKey(true);
Console.WriteLine("You pressed the '{0}' key.", cki.Key);
} while(cki.Key != ConsoleKey.X);
}
如果要阻止,请使用Console.ReadKey
.