3

我正在尝试使用 PostMessage 发送选项卡键。

这是我的代码:

// This class allows us to send a tab key when the the enter key
//  is pressed for the mooseworks mask control.   
public class MaskKeyControl : MaskedEdit
{
//  [DllImport("coredll.dll", SetLastError = true, CharSet = CharSet.Auto)]
//  static extern IntPtr SendMessage(IntPtr hWnd, UInt32 Msg, Int32 wParam, Int32 lParam);

    [return: MarshalAs(UnmanagedType.Bool)]
    // I am calling this on a Windows Mobile device so the dll is coredll.dll
    [DllImport("coredll.dll", SetLastError = true)]
    static extern bool PostMessage(IntPtr hWnd, uint Msg, Int32 wParam, Int32 lParam);

    public const Int32 VK_TAB = 0x09;
    public const Int32 WM_KEYDOWN = 0x100;

    protected override void OnKeyDown(KeyEventArgs e)
    {
        if (e.KeyData == Keys.Enter)
        {
            PostMessage(this.Handle, WM_KEYDOWN, VK_TAB, 0);
            return;
        }
        base.OnKeyDown(e);
    }

    protected override void OnKeyPress(KeyPressEventArgs e)
    {
        if (e.KeyChar == '\r') 
            e.Handled = true;
        base.OnKeyPress(e);
    }
}

当我按下输入时,代码被调用,但没有任何反应。然后我按TAB,它工作正常。(所以我发送标签消息有问题。)

4

3 回答 3

4

您真的不应该将与用户输入相关的 Windows 消息直接发布到 Windows 控件。相反,如果您想模拟输入,您应该依赖SendInput API 函数来发送按键。

此外,正如 Chris Taylor 在他的评论中提到的那样,如果您想使用现有的托管包装器(而不是自己通过 P/Invoke 层调用 SendInput 函数),SendKeys 类可用于将键输入发送到应用程序。

于 2010-05-18T18:51:31.090 回答
2

关键事件上的 PostMessage 确实很奇怪。

在这种情况下,也许带有 KEYDOWN、KEYPRESS、KEYUP(三个调用)的 SendMessage 可能会更好。

于 2010-05-18T18:58:14.143 回答
1

作为向控件发送输入消息的替代方法,您可以更明确地执行以下操作。

protected override void OnKeyDown(KeyEventArgs e)
{
  if (e.KeyCode == Keys.Enter)
  {
    if (Parent != null)
    {
      Control nextControl = Parent.GetNextControl(this, true);
      if (nextControl != null)
      {
        nextControl.Focus();
        return;
      }
    }
  }
  base.OnKeyDown(e);
}

当按下回车键时,这会将焦点设置到父控件上的下一个控件。

于 2010-05-18T19:00:20.977 回答