我有以下代码,等待通过箭头键输入的用户移动或退出以结束程序。
Console.WriteLine(startNode.Render(true));
LevelState currentNode = startNode;
while (Console.ReadKey(true).Key != ConsoleKey.Escape)
{
if (Console.ReadKey(true).Key == ConsoleKey.UpArrow)
{
Console.WriteLine("up");
LevelState move = currentNode.StepInDirection(CardinalDirection.Up);
if (move != null)
{
currentNode = move;
Console.WriteLine(currentNode.Render(true));
}
}
//ditto for the other 3 directions
}
但是,它只是偶尔会确认我的输入。例如,如果我快速点击退出键,大多数情况下都不会发生。因此,Console.ReadKey方法对我而言似乎极为不可靠。有什么更好的选择?
答案 0 :(得分:1)
您拨打ReadKey
的次数过多
这是一个更好的模式
ConsoleKey key;
while ((key = Console.ReadKey(true).Key) != ConsoleKey.Escape)
{
if (key == ConsoleKey.UpArrow)
{
///
}
//ditto for the other 3 directions
}
或
// read key once
ConsoleKey key = Console.ReadKey(true).Key;
while (key != ConsoleKey.Escape)
{
if (key == ConsoleKey.UpArrow)
{
///
}
//ditto for the other 3 directions
key = Console.ReadKey(true).Key;
}