25

我是 C# 新手,正在现有应用程序中做一些工作。我有一个 DirectX 视口,其中包含我希望能够使用箭头键定位的组件。

目前我正在覆盖 ProcessCmdKey 并捕获箭头输入并发送 OnKeyPress 事件。这可行,但我希望能够使用修饰符(ALT++ CTRLSHIFT。只要我拿着一个修改器并按下一个箭头,就不会触发我正在听的任何事件。

有没有人对我应该去哪里有任何想法或建议?

4

2 回答 2

12

在您覆盖的 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
}
于 2008-08-07T17:38:05.510 回答
6

我赞成Tokabi 的回答,但为了比较密钥,这里有一些关于StackOverflow.com的额外建议。以下是我用来帮助简化一切的一些功能。

   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);
    }
于 2010-01-09T15:18:43.577 回答