在控制台中检测Ctrl + S
本文关键字:Ctrl 检测 控制台 | 更新日期: 2023-09-27 18:06:55
我正在开发一个控制台应用程序,其中我需要检测几个热键,如Ctrl+N, Ctrl+O和Ctrl+S。下面是我用来识别这些热键的一部分代码:
ConsoleKeyInfo input = Console.ReadKey(true);
if (input.Modifiers == ConsoleModifiers.Control)
{
if (input.Key == ConsoleKey.N)
{
// ...
}
else if (input.Key == ConsoleKey.O)
{
// ...
}
else if (input.Key == ConsoleKey.S)
{
//...
}
}
上面的代码对于Ctrl+N和Ctrl+O没有任何问题。但是,我不能让它为Ctrl+S工作。在做了一些快速测试后,我发现按Ctrl+S什么都不做(这意味着程序仍在等待用户输入一些东西)。
此问题仅在Ctrl+S时发生。对于任何其他修饰符(例如Shift)和键(N, O等)使用一些简单的if
语句都可以正常工作。
为什么会发生这种情况?Ctrl+S组合有什么特殊的含义吗?这有可能实现吗?如果是,怎么做?
protected override bool ProcessCmdKey(ref Message msg, Keys keyData)
{
if (msg.Msg == 256)
{
//if the user pressed control + s
if (keyData == (Keys.Control | Keys.S))
{
}
//if the user pressed control + o
else if (keyData == (Keys.Control | Keys.O))
{
}
//if the user pressed control + n
else if (keyData == (Keys.Control | Keys.N))
{
}
}
return base.ProcessCmdKey(ref msg, keyData);
}
在ThreeStarProgrammer57的帮助下,我为自己的控制台应用程序想出了这个解决方案。
您需要使用SetConsoleMode配置控制台,并传入" ENABLE_WINDOW_INPUT | ENABLE_MOUSE_INPUT | ENABLE_EXTENDED_FLAGS
作为oconnor0"。
导入所需的内核函数:
[DllImport("kernel32.dll", SetLastError = true)]
static extern bool SetConsoleMode(IntPtr hConsoleHandle, uint dwMode);
[Flags]
private enum ConsoleInputModes : uint
{
ENABLE_PROCESSED_INPUT = 0x0001,
ENABLE_LINE_INPUT = 0x0002,
ENABLE_ECHO_INPUT = 0x0004,
ENABLE_WINDOW_INPUT = 0x0008,
ENABLE_MOUSE_INPUT = 0x0010,
ENABLE_INSERT_MODE = 0x0020,
ENABLE_QUICK_EDIT_MODE = 0x0040,
ENABLE_EXTENDED_FLAGS = 0x0080,
ENABLE_AUTO_POSITION = 0x0100
}
[Flags]
private enum ConsoleOutputModes : uint
{
ENABLE_PROCESSED_OUTPUT = 0x0001,
ENABLE_WRAP_AT_EOL_OUTPUT = 0x0002,
ENABLE_VIRTUAL_TERMINAL_PROCESSING = 0x0004,
DISABLE_NEWLINE_AUTO_RETURN = 0x0008,
ENABLE_LVB_GRID_WORLDWIDE = 0x0010
}
[DllImport("kernel32.dll", SetLastError = true)]
static extern IntPtr GetStdHandle(int nStdHandle);
static int STD_INPUT_HANDLE = -10;
并在程序中使用它们,如下所示:
// Add this section to your code:
SetConsoleMode(GetStdHandle(STD_INPUT_HANDLE), (uint)(
ConsoleInputModes.ENABLE_WINDOW_INPUT |
ConsoleInputModes.ENABLE_MOUSE_INPUT |
ConsoleInputModes.ENABLE_EXTENDED_FLAGS
));
// ------------------------------
ConsoleKeyInfo input = Console.ReadKey(true);
if (input.Modifiers == ConsoleModifiers.Control)
{
if (input.Key == ConsoleKey.N)
{
// ...
}
else if (input.Key == ConsoleKey.O)
{
// ...
}
else if (input.Key == ConsoleKey.S)
{
//...
}
}
此解决方案不仅允许您捕获Ctrl+S按键,还可以捕获Ctrl+C!