我是C#的新手,我正在现有的应用程序中做一些工作。我有一个DirectX视口,其中包含我希望能够使用箭头键定位的组件。
目前我正在重写ProcessCmdKey并捕获箭头输入并发送OnKeyPress事件。这有效,但我希望能够使用修饰符( ALT + CTRL + SHIFT )。一旦我拿着修改器并按箭头,就不会触发我正在听的事件。
有没有人对我应该在哪里提出任何想法或建议?
答案 0 :(得分:11)
在重写的ProcessCmdKey中,您如何确定已按下哪个键?
keyData(第二个参数)的值将根据按下的键和任何修改键而改变,因此,例如,按向左箭头将返回代码37,shift-left将返回65573,ctrl-left 131109和alt-left 262181。
您可以使用适当的枚举值提取修饰符和ANDing按下的键:
protected override bool ProcessCmdKey(ref Message msg, Keys keyData)
{
bool shiftPressed = (keyData & Keys.Shift) != 0;
Keys unmodifiedKey = (keyData & Keys.KeyCode);
// rest of code goes here
}
答案 1 :(得分:6)
我赞成Tokabi's answer,但为了比较键,StackOverflow.com here还有一些额外的建议。以下是我用来帮助简化一切的一些功能。
public Keys UnmodifiedKey(Keys key)
{
return key & Keys.KeyCode;
}
public bool KeyPressed(Keys key, Keys test)
{
return UnmodifiedKey(key) == test;
}
public bool ModifierKeyPressed(Keys key, Keys test)
{
return (key & test) == test;
}
public bool ControlPressed(Keys key)
{
return ModifierKeyPressed(key, Keys.Control);
}
public bool AltPressed(Keys key)
{
return ModifierKeyPressed(key, Keys.Alt);
}
public bool ShiftPressed(Keys key)
{
return ModifierKeyPressed(key, Keys.Shift);
}
protected override bool ProcessCmdKey(ref Message msg, Keys keyData)
{
if (KeyPressed(keyData, Keys.Left) && AltPressed(keyData))
{
int n = code.Text.IndexOfPrev('<', code.SelectionStart);
if (n < 0) return false;
if (ShiftPressed(keyData))
{
code.ExpandSelectionLeftTo(n);
}
else
{
code.SelectionStart = n;
code.SelectionLength = 0;
}
return true;
}
else if (KeyPressed(keyData, Keys.Right) && AltPressed(keyData))
{
if (ShiftPressed(keyData))
{
int n = code.Text.IndexOf('>', code.SelectionEnd() + 1);
if (n < 0) return false;
code.ExpandSelectionRightTo(n + 1);
}
else
{
int n = code.Text.IndexOf('<', code.SelectionStart + 1);
if (n < 0) return false;
code.SelectionStart = n;
code.SelectionLength = 0;
}
return true;
}
return base.ProcessCmdKey(ref msg, keyData);
}