2

如果鼠标光标到达屏幕一角,我目前正在使用全局鼠标钩子使应用程序出现。我刚刚阅读了原始输入的存在,据我了解,这是一种更强大的方法,因为我的钩子减速不会影响整个系统。

问题是我在任何地方都找不到关于在 WPF 中使用原始输入的任何示例。

我得到的最接近的是 SlimDX,代码如下:

  Device.RegisterDevice(UsagePage.Generic, UsageId.Mouse, 
                        DeviceFlags.None);

  Device.MouseInput += new EventHandler<MouseInputEventArgs>(mouse_MouseInput);

但这似乎不适用于WPF,只有winforms。

4

1 回答 1

0

那些DeviceFlags.None需要InputSink在后台捕获输入。SharpDX 标志实际上有一个RAWINPUTDEVICEFLAGS ( InputSink = 0x00000100) 的包装器。

在 WPF 中,您希望 1) 覆盖OnSourceInitialized和 2) 挂钩WndProc。当窗口指针可用时,您需要定义要观看的 RAWINPUTDEVICE,标记InputSink

它看起来像

protected override void OnSourceInitialized(EventArgs e)
{
    base.OnSourceInitialized(e);
    HwndSource source = PresentationSource.FromVisual(this) as HwndSource;
    source.AddHook(WndProc);

    var win = source.Handle;

    RAWINPUTDEVICE[] rid = new RAWINPUTDEVICE[2];

    rid[0].UsagePage = (HIDUsagePage)0x01;
    rid[0].Usage = (HIDUsage)0x05;                 // adds game pad
    rid[0].Flags = RawInputDeviceFlags.InputSink;  // accept input in background
    rid[0].WindowHandle = win;

    rid[1].UsagePage = (HIDUsagePage)0x01;
    rid[1].Usage = (HIDUsage)0x04;                 // adds joystick
    rid[1].Flags = RawInputDeviceFlags.InputSink;  // accept input in background
    rid[1].WindowHandle = win;

    if (RegisterRawInputDevices(rid, (uint)rid.Length, (uint)Marshal.SizeOf(rid[0])) == false)
    {
        var err = Marshal.GetLastWin32Error();
        if (err > 0)
        {
            throw new Win32Exception($"GetLastWin32Error: {err}");
        }
        else
        {
            throw new Win32Exception("RegisterRawInputDevices failed with error code 0. Parameter count mis-match?");
        }
    }
}

private IntPtr WndProc(IntPtr hwnd, int msg, IntPtr wParam, IntPtr lParam, ref bool handled)
{
    switch (msg)
    {
        case WM_INPUT:
            {
                System.Diagnostics.Debug.WriteLine("Received WndProc.WM_INPUT");
                DoTheThing(lParam);
            }
            break;
    }
    return hwnd;
}
于 2019-12-22T14:12:11.807 回答