如果您在 WPF 上,您可以轻松捕获所需的事件,因为 WPF 使用路由事件系统来调度事件。在 winforms 中,我推荐以下两种方式之一:
定义一个消息过滤器类:
public class KeyMessageFilter : IMessageFilter
{
private enum KeyMessages
{
WM_KEYFIRST = 0x100,
WM_KEYDOWN = 0x100,
WM_KEYUP = 0x101,
WM_CHAR = 0x102,
WM_SYSKEYDOWN = 0x0104,
WM_SYSKEYUP = 0x0105,
WM_SYSCHAR = 0x0106,
}
[DllImport("user32.dll")]
private static extern IntPtr GetParent(IntPtr hwnd);
// We check the events agains this control to only handle
// key event that happend inside this control.
Control _control;
public KeyMessageFilter()
{ }
public KeyMessageFilter(Control c)
{
_control = c;
}
public bool PreFilterMessage(ref Message m)
{
if (m.Msg == (int)KeyMessages.WM_KEYDOWN)
{
if (_control != null)
{
IntPtr hwnd = m.HWnd;
IntPtr handle = _control.Handle;
while (hwnd != IntPtr.Zero && handle != hwnd)
{
hwnd = GetParent(hwnd);
}
if (hwnd == IntPtr.Zero) // Didn't found the window. We are not interested in the event.
return false;
}
Keys key = (Keys)m.WParam;
switch (key)
{
case Keys.Left:
MessageBox.Show("Left");
return true;
case Keys.Right:
MessageBox.Show("Right");
return true;
}
}
return false;
}
}
所以你有一个类,Windows 窗体中的每条消息都通过它。你可以对事件做任何你想做的事情。如果PreFilterMessage
方法返回 true,则意味着不应将事件分派给它的相应控件。
(请注意,Keys
枚举中的值几乎与虚拟键码相同)
在此之前,您必须将其添加到应用程序的消息过滤器中:
public partial class Form1 : Form
{
// We need an instance of the filter class
KeyMessageFilter filter;
public Form1()
{
InitializeComponent();
filter = new KeyMessageFilter(panel1);
// add the filter
Application.AddMessageFilter(filter);
}
protected override void OnFormClosed(FormClosedEventArgs e)
{
base.OnFormClosed(e);
// remove the filter
Application.RemoveMessageFilter(filter);
}
}
该过滤器仅在Form1
.
注意:这将捕获任何形式的事件!如果您希望它仅适用于一种表单,请将表单传递给过滤器类,并将其Handle
属性与m.HWnd
in进行比较PreFilterMessage
这是一种更高级和更复杂(和低级)的方法。它需要更多的代码。我写了一个HookManager
类,使这个过程非常简单。我将把课程发布到 github 并写一篇关于它的文章。