翼度科技»论坛 编程开发 .net 查看内容

dotnet 读 WPF 源代码笔记 从 WM_POINTER 消息到 Touch 事件

6

主题

6

帖子

18

积分

新手上路

Rank: 1

积分
18
本文记录我读 WPF 源代码的笔记,在 WPF 底层是如何从 Win32 的消息循环获取到的 WM_POINTER 消息处理转换作为 Touch 事件的参数
由于 WPF 触摸部分会兼顾开启 Pointer 消息和不开启 Pointer 消息,为了方便大家理解,本文分为两个部分。第一个部分是脱离 WPF 框架,聊聊一个 Win32 程序如何从 Win32 的消息循环获取到的 WM_POINTER 消息处理转换为输入坐标点,以及在触摸下获取触摸信息。第二部分是 WPF 框架是如何安排上这些处理逻辑,如何和 WPF 框架的进行对接
处理 Pointer 消息

在 Win32 应用程序中,大概有三个方式来进行对 Pointer 消息进行处理。我将从简单到复杂和大家讲述这三个方式
方式1:
接收到 WM_POINTER 消息之后,将 wparam 转换为 pointerId 参数,调用 GetPointerTouchInfo 方法即可获取到 POINTER_INFO 信息
获取 POINTER_INFO 的 ptPixelLocationRaw 字段,即可拿到基于屏幕坐标系的像素点
只需将其转换为窗口坐标系和处理 DPI 即可使用
此方法的最大缺点在于 ptPixelLocationRaw 字段拿到的是丢失精度的点,像素为单位。如果在精度稍微高的触摸屏下,将会有明显的锯齿效果
优点在于其获取特别简单
方式2:
依然是接收到 WM_POINTER 消息之后,将 wparam 转换为 pointerId 参数,调用 GetPointerTouchInfo 方法即可获取到 POINTER_INFO 信息
只是从获取 POINTER_INFO 的 ptPixelLocationRaw 字段换成 ptHimetricLocationRaw 字段
使用 ptHimetricLocationRaw 字段的优势在于可以获取不丢失精度的信息,但需要额外调用 GetPointerDeviceRects 函数获取 displayRect 和 pointerDeviceRect 信息用于转换坐标点
  1.             PInvoke.GetPointerDeviceRects(pointerInfo.sourceDevice, &pointerDeviceRect, &displayRect);
  2.             // 如果想要获取比较高精度的触摸点,可以使用 ptHimetricLocationRaw 字段
  3.             // 由于 ptHimetricLocationRaw 采用的是 pointerDeviceRect 坐标系,需要转换到屏幕坐标系
  4.             // 转换方法就是先将 ptHimetricLocationRaw 的 X 坐标,压缩到 [0-1] 范围内,然后乘以 displayRect 的宽度,再加上 displayRect 的 left 值,即得到了屏幕坐标系的 X 坐标。压缩到 [0-1] 范围内的方法就是除以 pointerDeviceRect 的宽度
  5.             // 为什么需要加上 displayRect.left 的值?考虑多屏的情况,屏幕可能是副屏
  6.             // Y 坐标同理
  7.             var point2D = new Point2D(
  8.                 pointerInfo.ptHimetricLocationRaw.X / (double) pointerDeviceRect.Width * displayRect.Width +
  9.                 displayRect.left,
  10.                 pointerInfo.ptHimetricLocationRaw.Y / (double) pointerDeviceRect.Height * displayRect.Height +
  11.                 displayRect.top);
  12.             // 获取到的屏幕坐标系的点,需要转换到 WPF 坐标系
  13.             // 转换过程的两个重点:
  14.             // 1. 底层 ClientToScreen 只支持整数类型,直接转换会丢失精度。即使是 WPF 封装的 PointFromScreen 或 PointToScreen 方法也会丢失精度
  15.             // 2. 需要进行 DPI 换算,必须要求 DPI 感知
  16.             // 先测量窗口与屏幕的偏移量,这里直接取 0 0 点即可,因为这里获取到的是虚拟屏幕坐标系,不需要考虑多屏的情况
  17.             var screenTranslate = new Point(0, 0);
  18.             PInvoke.ClientToScreen(new HWND(hwnd), ref screenTranslate);
  19.             // 获取当前的 DPI 值
  20.             var dpi = VisualTreeHelper.GetDpi(this);
  21.             // 先做平移,再做 DPI 换算
  22.             point2D = new Point2D(point2D.X - screenTranslate.X, point2D.Y - screenTranslate.Y);
  23.             point2D = new Point2D(point2D.X / dpi.DpiScaleX, point2D.Y / dpi.DpiScaleY);
复制代码
以上方式2的代码放在 githubgitee 上,可以使用如下命令行拉取代码。我整个代码仓库比较庞大,使用以下命令行可以进行部分拉取,拉取速度比较快
先创建一个空文件夹,接着使用命令行 cd 命令进入此空文件夹,在命令行里面输入以下代码,即可获取到本文的代码
  1. git init
  2. git remote add origin https://gitee.com/lindexi/lindexi_gd.git
  3. git pull origin 322313ee55d0eeaae7148b24ca279e1df087871e
复制代码
以上使用的是国内的 gitee 的源,如果 gitee 不能访问,请替换为 github 的源。请在命令行继续输入以下代码,将 gitee 源换成 github 源进行拉取代码。如果依然拉取不到代码,可以发邮件向我要代码
  1. git remote remove origin
  2. git remote add origin https://github.com/lindexi/lindexi_gd.git
  3. git pull origin 322313ee55d0eeaae7148b24ca279e1df087871e
复制代码
获取代码之后,进入 WPFDemo/DefilireceHowemdalaqu 文件夹,即可获取到源代码
方式2的优点在于可以获取到更高的精度。缺点是相对来说比较复杂,需要多了点点处理
方式3:
此方式会更加复杂,但功能能够更加全面,适合用在要求更高控制的应用里面
先调用 GetPointerDeviceProperties 方法,获取 HID 描述符上报的对应设备属性,此时可以获取到的是具备完全的 HID 描述符属性的方法,可以包括 Windows 的 Pen 协议 里面列举的各个属性,如宽度高度旋转角等信息
收到 WM_POINTER 消息时,调用 GetRawPointerDeviceData 获取最原始的触摸信息,再对原始触摸信息进行解析处理
原始触摸信息的解析处理需要先应用获取每个触摸点的数据包长度,再拆数据包。原始触摸信息拿到的是一个二进制数组,这个二进制数组里面可能包含多个触摸点的信息,需要根据数据包长度拆分为多个触摸点信息
解析处理就是除了前面两个分别是属于 X 和 Y 之外,后面的数据就根据 GetPointerDeviceProperties 方法获取到的触摸描述信息进行套入
此方式的复杂程度比较高,且拿到的是原始的触摸信息,需要做比较多的处理。即使解析到 X 和 Y 坐标点之后,还需要执行坐标的转换,将其转换为屏幕坐标系
这里拿到的 X 和 Y 坐标点是设备坐标系,这里的设备坐标系不是 GetPointerDeviceRects 函数获取 的 pointerDeviceRect 设备范围坐标系,而是对应 GetPointerDeviceProperties 方法获取到的描述符的逻辑最大值和最小值的坐标范围
其正确计算方法为从 GetPointerDeviceProperties 方法获取到的 X 和 Y 描述信息,分别取 POINTER_DEVICE_PROPERTY 的 logicalMax 作为最大值范围。分别将 X 和 Y 除以 logicalMax 缩放到 [0,1] 范围内,再乘以屏幕尺寸即可转换为屏幕坐标系
这里的 屏幕尺寸 是通过 GetPointerDeviceRects 函数获取 的 displayRect 尺寸
转换为屏幕坐标系之后,就需要再次处理 DPI 和转换为窗口坐标系的才能使用
可以看到方式3相对来说还是比较复杂的,但其优点是可以获取到更多的设备描述信息,获取到输入点的更多信息,如可以计算出触摸宽度对应的物理触摸尺寸面积等信息
对于 WPF 框架来说,自然是选最复杂且功能全强的方法了
在 WPF 框架的对接

了解了一个 Win32 应用与 WM_POINTER 消息的对接方式,咱来看看 WPF 具体是如何做的。了解了对接方式之后,阅读 WPF 源代码的方式可以是通过必须调用的方法的引用,找到整个 WPF 的脉络
在开始之前必须说明的是,本文的大部分代码都是有删减的代码,只保留和本文相关的部分。现在 WPF 是完全开源的,基于最友好的 MIT 协议,可以自己拉下来代码进行二次修改发布,想看完全的代码和调试整个过程可以自己从开源地址拉取整个仓库下来,开源地址是: https://github.com/dotnet/wpf
在 WPF 里面,触摸初始化的故事开始是在 PointerTabletDeviceCollection.cs 里面,调用 GetPointerDevices 方法进行初始化获取设备数量,之后的每个设备都调用 GetPointerDeviceProperties 方法,获取 HID 描述符上报的对应设备属性,有删减的代码如下
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// Maintains a collection of pointer device information for currently installed pointer devices
  5.     /// </summary>
  6.     internal class PointerTabletDeviceCollection : TabletDeviceCollection
  7.     {
  8.         internal void Refresh()
  9.         {
  10.             ... // 忽略其他代码
  11.                     UnsafeNativeMethods.POINTER_DEVICE_INFO[] deviceInfos
  12.                          = new UnsafeNativeMethods.POINTER_DEVICE_INFO[deviceCount];
  13.                     IsValid = UnsafeNativeMethods.GetPointerDevices(ref deviceCount, deviceInfos);
  14.             ... // 忽略其他代码
  15.         }
  16.     }
  17. }
复制代码
获取到设备之后,将其转换放入到 WPF 定义的 PointerTabletDevice 里面,大概的代码如下
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// Maintains a collection of pointer device information for currently installed pointer devices
  5.     /// </summary>
  6.     internal class PointerTabletDeviceCollection : TabletDeviceCollection
  7.     {
  8.         internal void Refresh()
  9.         {
  10.             ... // 忽略其他代码
  11.                     UnsafeNativeMethods.POINTER_DEVICE_INFO[] deviceInfos
  12.                          = new UnsafeNativeMethods.POINTER_DEVICE_INFO[deviceCount];
  13.                     IsValid = UnsafeNativeMethods.GetPointerDevices(ref deviceCount, deviceInfos);
  14.                     if (IsValid)
  15.                     {
  16.                         foreach (var deviceInfo in deviceInfos)
  17.                         {
  18.                             // Old PenIMC code gets this id via a straight cast from COM pointer address
  19.                             // into an int32.  This does a very similar thing semantically using the pointer
  20.                             // to the tablet from the WM_POINTER stack.  While it may have similar issues
  21.                             // (chopping the upper bits, duplicate ids) we don't use this id internally
  22.                             // and have never received complaints about this in the WISP stack.
  23.                             int id = MS.Win32.NativeMethods.IntPtrToInt32(deviceInfo.device);
  24.                             PointerTabletDeviceInfo ptdi = new PointerTabletDeviceInfo(id, deviceInfo);
  25.                             // Don't add a device that fails initialization.  This means we will try a refresh
  26.                             // next time around if we receive stylus input and the device is not available.
  27.                             // <see cref="HwndPointerInputProvider.UpdateCurrentTabletAndStylus">
  28.                             if (ptdi.TryInitialize())
  29.                             {
  30.                                 PointerTabletDevice tablet = new PointerTabletDevice(ptdi);
  31.                                 _tabletDeviceMap[tablet.Device] = tablet;
  32.                                 TabletDevices.Add(tablet.TabletDevice);
  33.                             }
  34.                         }
  35.                     }
  36.             ... // 忽略其他代码
  37.         }
  38.         /// <summary>
  39.         /// Holds a mapping of TabletDevices from their WM_POINTER device id
  40.         /// </summary>
  41.         private Dictionary<IntPtr, PointerTabletDevice> _tabletDeviceMap = new Dictionary<IntPtr, PointerTabletDevice>();
  42.     }
  43. }
  44. namespace System.Windows.Input
  45. {
  46.     /// <summary>
  47.     ///     Collection of the tablet devices that are available on the machine.
  48.     /// </summary>
  49.     public class TabletDeviceCollection : ICollection, IEnumerable
  50.     {
  51.         internal List<TabletDevice> TabletDevices { get; set; } = new List<TabletDevice>();
  52.     }
  53. }
复制代码
在 PointerTabletDeviceInfo 的 TryInitialize 方法,即 if (ptdi.TryInitialize()) 这行代码里面,将会调用 GetPointerDeviceProperties 获取设备属性信息,其代码逻辑如下
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// WM_POINTER specific information about a TabletDevice
  5.     /// </summary>
  6.     internal class PointerTabletDeviceInfo : TabletDeviceInfo
  7.     {
  8.         internal PointerTabletDeviceInfo(int id, UnsafeNativeMethods.POINTER_DEVICE_INFO deviceInfo)
  9.         {
  10.             _deviceInfo = deviceInfo;
  11.             Id = id;
  12.             Name = _deviceInfo.productString;
  13.             PlugAndPlayId = _deviceInfo.productString;
  14.         }
  15.         internal bool TryInitialize()
  16.         {
  17.             ... // 忽略其他代码
  18.             var success = TryInitializeSupportedStylusPointProperties();
  19.             ... // 忽略其他代码
  20.             return success;
  21.         }
  22.         private bool TryInitializeSupportedStylusPointProperties()
  23.         {
  24.             bool success = false;
  25.             ... // 忽略其他代码
  26.             // Retrieve all properties from the WM_POINTER stack
  27.             success = UnsafeNativeMethods.GetPointerDeviceProperties(Device, ref propCount, null);
  28.             if (success)
  29.             {
  30.                 success = UnsafeNativeMethods.GetPointerDeviceProperties(Device, ref propCount, SupportedPointerProperties);
  31.                 if (success)
  32.                 {
  33.                     ... // 执行更具体的初始化逻辑
  34.                 }
  35.             }
  36.             ... // 忽略其他代码
  37.         }
  38.         /// <summary>
  39.         /// The specific id for this TabletDevice
  40.         /// </summary>
  41.         internal IntPtr Device { get { return _deviceInfo.device; } }
  42.         /// <summary>
  43.         /// Store the WM_POINTER device information directly
  44.         /// </summary>
  45.         private UnsafeNativeMethods.POINTER_DEVICE_INFO _deviceInfo;
  46.     }
  47. }
复制代码
为什么这里会调用 GetPointerDeviceProperties 两次?第一次只是拿数量,第二次才是真正的拿值
回顾以上代码,可以看到 PointerTabletDeviceInfo 对象是在 PointerTabletDeviceCollection 的 Refresh 方法里面创建的,如以下代码所示
  1.     internal class PointerTabletDeviceCollection : TabletDeviceCollection
  2.     {
  3.         internal void Refresh()
  4.         {
  5.             ... // 忽略其他代码
  6.                     UnsafeNativeMethods.POINTER_DEVICE_INFO[] deviceInfos
  7.                          = new UnsafeNativeMethods.POINTER_DEVICE_INFO[deviceCount];
  8.                     IsValid = UnsafeNativeMethods.GetPointerDevices(ref deviceCount, deviceInfos);
  9.                         foreach (var deviceInfo in deviceInfos)
  10.                         {
  11.                             // Old PenIMC code gets this id via a straight cast from COM pointer address
  12.                             // into an int32.  This does a very similar thing semantically using the pointer
  13.                             // to the tablet from the WM_POINTER stack.  While it may have similar issues
  14.                             // (chopping the upper bits, duplicate ids) we don't use this id internally
  15.                             // and have never received complaints about this in the WISP stack.
  16.                             int id = MS.Win32.NativeMethods.IntPtrToInt32(deviceInfo.device);
  17.                             PointerTabletDeviceInfo ptdi = new PointerTabletDeviceInfo(id, deviceInfo);
  18.                             if (ptdi.TryInitialize())
  19.                             {
  20.                                 
  21.                             }
  22.                         }
  23.             ... // 忽略其他代码
  24.         }
  25.     }
复制代码
从 GetPointerDevices 获取到的 POINTER_DEVICE_INFO 信息会存放在 PointerTabletDeviceInfo 的 _deviceInfo 字段里面,如下面代码所示
  1.     internal class PointerTabletDeviceInfo : TabletDeviceInfo
  2.     {
  3.         internal PointerTabletDeviceInfo(int id, UnsafeNativeMethods.POINTER_DEVICE_INFO deviceInfo)
  4.         {
  5.             _deviceInfo = deviceInfo;
  6.             Id = id;
  7.         }
  8.         /// <summary>
  9.         /// The specific id for this TabletDevice
  10.         /// </summary>
  11.         internal IntPtr Device { get { return _deviceInfo.device; } }
  12.         /// <summary>
  13.         /// Store the WM_POINTER device information directly
  14.         /// </summary>
  15.         private UnsafeNativeMethods.POINTER_DEVICE_INFO _deviceInfo;
  16.     }
复制代码
调用 GetPointerDeviceProperties 时,就会将 POINTER_DEVICE_INFO 的 device 字段作为参数传入,从而获取到 POINTER_DEVICE_PROPERTY 结构体列表信息
获取到的 POINTER_DEVICE_PROPERTY 结构体信息和 HID 描述符上报的信息非常对应。结构体的定义代码大概如下
  1.         /// <summary>
  2.         /// A struct representing the information for a particular pointer property.
  3.         /// These correspond to the raw data from WM_POINTER.
  4.         /// </summary>
  5.         [StructLayout(LayoutKind.Sequential, CharSet = CharSet.Unicode)]
  6.         internal struct POINTER_DEVICE_PROPERTY
  7.         {
  8.             internal Int32 logicalMin;
  9.             internal Int32 logicalMax;
  10.             internal Int32 physicalMin;
  11.             internal Int32 physicalMax;
  12.             internal UInt32 unit;
  13.             internal UInt32 unitExponent;
  14.             internal UInt16 usagePageId;
  15.             internal UInt16 usageId;
  16.         }
复制代码
根据 HID 基础知识可以知道,通过 usagePageId 和 usageId 即可了解到此设备属性的具体含义。更多请参阅 HID 标准文档: http://www.usb.org/developers/hidpage/Hut1_12v2.pdf
在 WPF 使用到的 Pointer 的 usagePageId 的只有以下枚举所列举的值
  1.         /// <summary>
  2.         ///
  3.         /// WM_POINTER stack must parse out HID spec usage pages
  4.         /// <see cref="http://www.usb.org/developers/hidpage/Hut1_12v2.pdf"/>
  5.         /// </summary>
  6.         internal enum HidUsagePage
  7.         {
  8.             Undefined = 0x00,
  9.             Generic = 0x01,
  10.             Simulation = 0x02,
  11.             Vr = 0x03,
  12.             Sport = 0x04,
  13.             Game = 0x05,
  14.             Keyboard = 0x07,
  15.             Led = 0x08,
  16.             Button = 0x09,
  17.             Ordinal = 0x0a,
  18.             Telephony = 0x0b,
  19.             Consumer = 0x0c,
  20.             Digitizer = 0x0d,
  21.             Unicode = 0x10,
  22.             Alphanumeric = 0x14,
  23.             BarcodeScanner = 0x8C,
  24.             WeighingDevice = 0x8D,
  25.             MagneticStripeReader = 0x8E,
  26.             CameraControl = 0x90,
  27.             MicrosoftBluetoothHandsfree = 0xfff3,
  28.         }
复制代码
在 WPF 使用到的 Pointer 的 usageId 的只有以下枚举所列举的值
  1.        /// <summary>
  2.        ///
  3.        ///
  4.        /// WISP pre-parsed these, WM_POINTER stack must do it itself
  5.        ///
  6.        /// See Stylus\biblio.txt - 1
  7.        /// <see cref="http://www.usb.org/developers/hidpage/Hut1_12v2.pdf"/>
  8.        /// </summary>
  9.        internal enum HidUsage
  10.        {
  11.            TipPressure = 0x30,
  12.            X = 0x30,
  13.            BarrelPressure = 0x31,
  14.            Y = 0x31,
  15.            Z = 0x32,
  16.            XTilt = 0x3D,
  17.            YTilt = 0x3E,
  18.            Azimuth = 0x3F,
  19.            Altitude = 0x40,
  20.            Twist = 0x41,
  21.            TipSwitch = 0x42,
  22.            SecondaryTipSwitch = 0x43,
  23.            BarrelSwitch = 0x44,
  24.            TouchConfidence = 0x47,
  25.            Width = 0x48,
  26.            Height = 0x49,
  27.            TransducerSerialNumber = 0x5B,
  28.        }
复制代码
在 WPF 的古老版本里面,约定了使用 GUID 去获取 StylusPointDescription 里面的额外数据信息。为了与此行为兼容,在 WPF 里面就定义了 HidUsagePage 和 HidUsage 与 GUID 的对应关系,实现代码如下
  1. namespace System.Windows.Input
  2. {
  3.     /// <summary>
  4.     /// StylusPointPropertyIds
  5.     /// </summary>
  6.     /// <ExternalAPI/>
  7.     internal static class StylusPointPropertyIds
  8.     {
  9.         /// <summary>
  10.         /// The x-coordinate in the tablet coordinate space.
  11.         /// </summary>
  12.         /// <ExternalAPI/>
  13.         public static readonly Guid X = new Guid(0x598A6A8F, 0x52C0, 0x4BA0, 0x93, 0xAF, 0xAF, 0x35, 0x74, 0x11, 0xA5, 0x61);
  14.         /// <summary>
  15.         /// The y-coordinate in the tablet coordinate space.
  16.         /// </summary>
  17.         /// <ExternalAPI/>
  18.         public static readonly Guid Y = new Guid(0xB53F9F75, 0x04E0, 0x4498, 0xA7, 0xEE, 0xC3, 0x0D, 0xBB, 0x5A, 0x90, 0x11);
  19.         public static readonly Guid Z = ...
  20.         ...
  21.         /// <summary>
  22.         ///
  23.         /// WM_POINTER stack usage preparation based on associations maintained from the legacy WISP based stack
  24.         /// </summary>
  25.         private static Dictionary<HidUsagePage, Dictionary<HidUsage, Guid>> _hidToGuidMap = new Dictionary<HidUsagePage, Dictionary<HidUsage, Guid>>()
  26.         {
  27.             { HidUsagePage.Generic,
  28.                 new Dictionary<HidUsage, Guid>()
  29.                 {
  30.                     { HidUsage.X, X },
  31.                     { HidUsage.Y, Y },
  32.                     { HidUsage.Z, Z },
  33.                 }
  34.             },
  35.             { HidUsagePage.Digitizer,
  36.                 new Dictionary<HidUsage, Guid>()
  37.                 {
  38.                     { HidUsage.Width, Width },
  39.                     { HidUsage.Height, Height },
  40.                     { HidUsage.TouchConfidence, SystemTouch },
  41.                     { HidUsage.TipPressure, NormalPressure },
  42.                     { HidUsage.BarrelPressure, ButtonPressure },
  43.                     { HidUsage.XTilt, XTiltOrientation },
  44.                     { HidUsage.YTilt, YTiltOrientation },
  45.                     { HidUsage.Azimuth, AzimuthOrientation },
  46.                     { HidUsage.Altitude, AltitudeOrientation },
  47.                     { HidUsage.Twist, TwistOrientation },
  48.                     { HidUsage.TipSwitch, TipButton },
  49.                     { HidUsage.SecondaryTipSwitch, SecondaryTipButton },
  50.                     { HidUsage.BarrelSwitch, BarrelButton },
  51.                     { HidUsage.TransducerSerialNumber, SerialNumber },
  52.                 }
  53.             },
  54.         };
  55.         /// <summary>
  56.         /// Retrieves the GUID of the stylus property associated with the usage page and usage ids
  57.         /// within the HID specification.
  58.         /// </summary>
  59.         /// <param name="page">The usage page id of the HID specification</param>
  60.         /// <param name="usage">The usage id of the HID specification</param>
  61.         /// <returns>
  62.         /// If known, the GUID associated with the usagePageId and usageId.
  63.         /// If not known, GUID.Empty
  64.         /// </returns>
  65.         internal static Guid GetKnownGuid(HidUsagePage page, HidUsage usage)
  66.         {
  67.             Guid result = Guid.Empty;
  68.             Dictionary<HidUsage, Guid> pageMap = null;
  69.             if (_hidToGuidMap.TryGetValue(page, out pageMap))
  70.             {
  71.                 pageMap.TryGetValue(usage, out result);
  72.             }
  73.             return result;
  74.         }
  75.     }
  76. }
复制代码
通过以上的 _hidToGuidMap 的定义关联关系,调用 GetKnownGuid 方法,即可将 POINTER_DEVICE_PROPERTY 描述信息关联到 WPF 框架层的定义
具体的对应逻辑如下
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// Contains a WM_POINTER specific functions to parse out stylus property info
  5.     /// </summary>
  6.     internal class PointerStylusPointPropertyInfoHelper
  7.     {
  8.         /// <summary>
  9.         /// Creates WPF property infos from WM_POINTER device properties.  This appropriately maps and converts HID spec
  10.         /// properties found in WM_POINTER to their WPF equivalents.  This is based on code from the WISP implementation
  11.         /// that feeds the legacy WISP based stack.
  12.         /// </summary>
  13.         /// <param name="prop">The pointer property to convert</param>
  14.         /// <returns>The equivalent WPF property info</returns>
  15.         internal static StylusPointPropertyInfo CreatePropertyInfo(UnsafeNativeMethods.POINTER_DEVICE_PROPERTY prop)
  16.         {
  17.             StylusPointPropertyInfo result = null;
  18.             // Get the mapped GUID for the HID usages
  19.             Guid propGuid =
  20.                 StylusPointPropertyIds.GetKnownGuid(
  21.                     (StylusPointPropertyIds.HidUsagePage)prop.usagePageId,
  22.                     (StylusPointPropertyIds.HidUsage)prop.usageId);
  23.             if (propGuid != Guid.Empty)
  24.             {
  25.                 StylusPointProperty stylusProp = new StylusPointProperty(propGuid, StylusPointPropertyIds.IsKnownButton(propGuid));
  26.                 // Set Units
  27.                 StylusPointPropertyUnit? unit = StylusPointPropertyUnitHelper.FromPointerUnit(prop.unit);
  28.                 // If the parsed unit is invalid, set the default
  29.                 if (!unit.HasValue)
  30.                 {
  31.                     unit = StylusPointPropertyInfoDefaults.GetStylusPointPropertyInfoDefault(stylusProp).Unit;
  32.                 }
  33.                 // Set to default resolution
  34.                 float resolution = StylusPointPropertyInfoDefaults.GetStylusPointPropertyInfoDefault(stylusProp).Resolution;
  35.                 short mappedExponent = 0;
  36.                 if (_hidExponentMap.TryGetValue((byte)(prop.unitExponent & HidExponentMask), out mappedExponent))
  37.                 {
  38.                     float exponent = (float)Math.Pow(10, mappedExponent);
  39.                     // Guard against divide by zero or negative resolution
  40.                     if (prop.physicalMax - prop.physicalMin > 0)
  41.                     {
  42.                         // Calculated resolution is a scaling factor from logical units into the physical space
  43.                         // at the given exponentiation.
  44.                         resolution =
  45.                             (prop.logicalMax - prop.logicalMin) / ((prop.physicalMax - prop.physicalMin) * exponent);
  46.                     }
  47.                 }
  48.                 result = new StylusPointPropertyInfo(
  49.                       stylusProp,
  50.                       prop.logicalMin,
  51.                       prop.logicalMax,
  52.                       unit.Value,
  53.                       resolution);
  54.             }
  55.             return result;
  56.         }
  57.     }
  58. }
复制代码
以上的一个小细节点在于对 unit 单位的处理,即 StylusPointPropertyUnit? unit = StylusPointPropertyUnitHelper.FromPointerUnit(prop.unit); 这行代码的实现定义,具体实现如下
  1.     internal static class StylusPointPropertyUnitHelper
  2.     {
  3.         /// <summary>
  4.         /// Convert WM_POINTER units to WPF units
  5.         /// </summary>
  6.         /// <param name="pointerUnit"></param>
  7.         /// <returns></returns>
  8.         internal static StylusPointPropertyUnit? FromPointerUnit(uint pointerUnit)
  9.         {
  10.             StylusPointPropertyUnit unit = StylusPointPropertyUnit.None;
  11.             _pointerUnitMap.TryGetValue(pointerUnit & UNIT_MASK, out unit);
  12.             return (IsDefined(unit)) ? unit : (StylusPointPropertyUnit?)null;
  13.         }
  14.         /// <summary>
  15.         /// Mapping for WM_POINTER based unit, taken from legacy WISP code
  16.         /// </summary>
  17.         private static Dictionary<uint, StylusPointPropertyUnit> _pointerUnitMap = new Dictionary<uint, StylusPointPropertyUnit>()
  18.         {
  19.             { 1, StylusPointPropertyUnit.Centimeters },
  20.             { 2, StylusPointPropertyUnit.Radians },
  21.             { 3, StylusPointPropertyUnit.Inches },
  22.             { 4, StylusPointPropertyUnit.Degrees },
  23.         };
  24.         /// <summary>
  25.         /// Mask to extract units from raw WM_POINTER data
  26.         /// <see cref="http://www.usb.org/developers/hidpage/Hut1_12v2.pdf"/>
  27.         /// </summary>
  28.         private const uint UNIT_MASK = 0x000F;
  29.     }
复制代码
这里的单位的作用是什么呢?用于和 POINTER_DEVICE_PROPERTY 的物理值做关联对应关系,比如触摸面积 Width 和 Height 的物理尺寸就是通过大概如下算法计算出来的
  1.                 short mappedExponent = 0;
  2.                 if (_hidExponentMap.TryGetValue((byte)(prop.unitExponent & HidExponentMask), out mappedExponent))
  3.                 {
  4.                     float exponent = (float)Math.Pow(10, mappedExponent);
  5.                     // Guard against divide by zero or negative resolution
  6.                     if (prop.physicalMax - prop.physicalMin > 0)
  7.                     {
  8.                         // Calculated resolution is a scaling factor from logical units into the physical space
  9.                         // at the given exponentiation.
  10.                         resolution =
  11.                             (prop.logicalMax - prop.logicalMin) / ((prop.physicalMax - prop.physicalMin) * exponent);
  12.                     }
  13.                 }
  14.         /// <summary>
  15.         /// Contains the mappings from WM_POINTER exponents to our local supported values.
  16.         /// This mapping is taken from WISP code, see Stylus\Biblio.txt - 4,
  17.         /// as an array of HidExponents.
  18.         /// </summary>
  19.         private static Dictionary<byte, short> _hidExponentMap = new Dictionary<byte, short>()
  20.         {
  21.             { 5, 5 },
  22.             { 6, 6 },
  23.             { 7, 7 },
  24.             { 8, -8 },
  25.             { 9, -7 },
  26.             { 0xA, -6 },
  27.             { 0xB, -5 },
  28.             { 0xC, -4 },
  29.             { 0xD, -3 },
  30.             { 0xE, -2 },
  31.             { 0xF, -1 },
  32.         };
复制代码
通过 resolution 与具体后续收到的触摸点的值进行计算,带上 StylusPointPropertyUnit 单位,这就是触摸设备上报的物理尺寸了
以上 logicalMax 和 logicalMin 在行业内常被称为逻辑值,以上的 physicalMax 和 physicalMin 常被称为物理值
经过以上的处理之后,即可将 GetPointerDeviceProperties 拿到的设备属性列表给转换为 WPF 框架对应的定义属性内容
以上过程有一个细节,那就是 GetPointerDeviceProperties 拿到的设备属性列表的顺序是非常关键的,设备属性列表的顺序和在后续 WM_POINTER 消息拿到的裸数据的顺序是直接对应的
大家可以看到,在开启 Pointer 消息时,触摸模块初始化获取触摸信息是完全通过 Win32 的 WM_POINTER 模块提供的相关方法完成的。这里需要和不开 WM_POINTER 消息的从 COM 获取触摸设备信息区分,和 dotnet 读 WPF 源代码笔记 插入触摸设备的初始化获取设备信息 提供的方法是不相同的
完成上述初始化逻辑之后,接下来看看消息循环收到 WM_POINTER 消息的处理
收到 WM_POINTER 消息时,调用 GetRawPointerDeviceData 获取最原始的触摸信息,再对原始触摸信息进行解析处理
在 WPF 里面,大家都知道,底层的消息循环处理的在 HwndSource.cs 里面定义,输入处理部分如下
  1. namespace System.Windows.Interop
  2. {
  3.     /// <summary>
  4.     ///     The HwndSource class presents content within a Win32 HWND.
  5.     /// </summary>
  6.     public class HwndSource : PresentationSource, IDisposable, IWin32Window, IKeyboardInputSink
  7.     {
  8.         private IntPtr InputFilterMessage(IntPtr hwnd, int msg, IntPtr wParam, IntPtr lParam, ref bool handled)
  9.         {
  10.             ... // 忽略其他代码
  11.             // NOTE (alexz): invoke _stylus.FilterMessage before _mouse.FilterMessage
  12.             // to give _stylus a chance to eat mouse message generated by stylus
  13.             if (!_isDisposed && _stylus != null && !handled)
  14.             {
  15.                 result = _stylus.Value.FilterMessage(hwnd, message, wParam, lParam, ref handled);
  16.             }
  17.             ... // 忽略其他代码
  18.         }
  19.         private SecurityCriticalDataClass<IStylusInputProvider>        _stylus;
  20.     }
  21. }
复制代码
以上代码的 _stylus 就是根据不同的配置参数决定是否使用 Pointer 消息处理的 HwndPointerInputProvider 类型,代码如下
  1. namespace System.Windows.Interop
  2. {
  3.     /// <summary>
  4.     ///     The HwndSource class presents content within a Win32 HWND.
  5.     /// </summary>
  6.     public class HwndSource : PresentationSource, IDisposable, IWin32Window, IKeyboardInputSink
  7.     {
  8.         private void Initialize(HwndSourceParameters parameters)
  9.         {
  10.             ... // 忽略其他代码
  11.             if (StylusLogic.IsStylusAndTouchSupportEnabled)
  12.             {
  13.                 // Choose between Wisp and Pointer stacks
  14.                 if (StylusLogic.IsPointerStackEnabled)
  15.                 {
  16.                     _stylus = new SecurityCriticalDataClass<IStylusInputProvider>(new HwndPointerInputProvider(this));
  17.                 }
  18.                 else
  19.                 {
  20.                     _stylus = new SecurityCriticalDataClass<IStylusInputProvider>(new HwndStylusInputProvider(this));
  21.                 }
  22.             }
  23.             ... // 忽略其他代码
  24.         }
  25.     }
  26. }
复制代码
在本文这里初始化的是 HwndPointerInputProvider 类型,将会进入到 HwndPointerInputProvider 的 FilterMessage 方法处理输入数据
  1. namespace System.Windows.Interop
  2. {
  3.     /// <summary>
  4.     /// Implements an input provider per hwnd for WM_POINTER messages
  5.     /// </summary>
  6.     internal sealed class HwndPointerInputProvider : DispatcherObject, IStylusInputProvider
  7.     {
  8.         /// <summary>
  9.         /// Processes the message loop for the HwndSource, filtering WM_POINTER messages where needed
  10.         /// </summary>
  11.         /// <param name="hwnd">The hwnd the message is for</param>
  12.         /// <param name="msg">The message</param>
  13.         /// <param name="wParam"></param>
  14.         /// <param name="lParam"></param>
  15.         /// <param name="handled">If this has been successfully processed</param>
  16.         /// <returns></returns>
  17.         IntPtr IStylusInputProvider.FilterMessage(IntPtr hwnd, WindowMessage msg, IntPtr wParam, IntPtr lParam, ref bool handled)
  18.         {
  19.             handled = false;
  20.             // Do not process any messages if the stack was disabled via reflection hack
  21.             if (PointerLogic.IsEnabled)
  22.             {
  23.                 switch (msg)
  24.                 {
  25.                     case WindowMessage.WM_ENABLE:
  26.                         {
  27.                             IsWindowEnabled = MS.Win32.NativeMethods.IntPtrToInt32(wParam) == 1;
  28.                         }
  29.                         break;
  30.                     case WindowMessage.WM_POINTERENTER:
  31.                         {
  32.                             // Enter can be processed as an InRange.  
  33.                             // The MSDN documentation is not correct for InRange (according to feisu)
  34.                             // As such, using enter is the correct way to generate this.  This is also what DirectInk uses.
  35.                             handled = ProcessMessage(GetPointerId(wParam), RawStylusActions.InRange, Environment.TickCount);
  36.                         }
  37.                         break;
  38.                     case WindowMessage.WM_POINTERUPDATE:
  39.                         {
  40.                             handled = ProcessMessage(GetPointerId(wParam), RawStylusActions.Move, Environment.TickCount);
  41.                         }
  42.                         break;
  43.                     case WindowMessage.WM_POINTERDOWN:
  44.                         {
  45.                             handled = ProcessMessage(GetPointerId(wParam), RawStylusActions.Down, Environment.TickCount);
  46.                         }
  47.                         break;
  48.                     case WindowMessage.WM_POINTERUP:
  49.                         {
  50.                             handled = ProcessMessage(GetPointerId(wParam), RawStylusActions.Up, Environment.TickCount);
  51.                         }
  52.                         break;
  53.                     case WindowMessage.WM_POINTERLEAVE:
  54.                         {
  55.                             // Leave can be processed as an OutOfRange.  
  56.                             // The MSDN documentation is not correct for OutOfRange (according to feisu)
  57.                             // As such, using leave is the correct way to generate this.  This is also what DirectInk uses.
  58.                             handled = ProcessMessage(GetPointerId(wParam), RawStylusActions.OutOfRange, Environment.TickCount);
  59.                         }
  60.                         break;
  61.                 }
  62.             }
  63.             return IntPtr.Zero;
  64.         }
  65.         ... // 忽略其他代码
  66.     }
  67. }
复制代码
对于收到 Pointer 的按下移动抬起消息,都会进入到 ProcessMessage 方法
进入之前调用的 GetPointerId(wParam) 代码的 GetPointerId 方法实现如下
  1.         /// <summary>
  2.         /// Extracts the pointer id
  3.         /// </summary>
  4.         /// <param name="wParam">The parameter containing the id</param>
  5.         /// <returns>The pointer id</returns>
  6.         private uint GetPointerId(IntPtr wParam)
  7.         {
  8.             return (uint)MS.Win32.NativeMethods.SignedLOWORD(wParam);
  9.         }
  10.     internal partial class NativeMethods
  11.     {
  12.         public static int SignedLOWORD(IntPtr intPtr)
  13.         {
  14.             return SignedLOWORD(IntPtrToInt32(intPtr));
  15.         }
  16.         public static int IntPtrToInt32(IntPtr intPtr)
  17.         {
  18.             return unchecked((int)intPtr.ToInt64());
  19.         }
  20.         public static int SignedLOWORD(int n)
  21.         {
  22.             int i = (int)(short)(n & 0xFFFF);
  23.             return i;
  24.         }
  25.     }
复制代码
当然了,以上代码简单写就和下面代码差不多
  1.             var pointerId = (uint) (ToInt32(wparam) & 0xFFFF);
复制代码
在 WM_POINTER 的设计上,将会源源不断通过消息循环发送指针消息,发送的指针消息里面不直接包含具体的数据信息,而是只将 PointerId 当成 wparam 发送。咱从消息循环里面拿到的只有 PointerId 的值,转换方法如上述代码所示
为什么是这样设计的呢?考虑到现在大部分触摸屏的精度都不低,至少比许多很便宜鼠标的高,这就可能导致应用程序完全无法顶得住每次触摸数据过来都通过消息循环怼进来。在 WM_POINTER 的设计上,只是将 PointerId 通过消息循环发送过来,具体的消息体数据需要使用 GetPointerInfo 方法来获取。这么设计有什么优势?这么设计是用来解决应用卡顿的时候,被堆积消息的问题。假定现在有三个触摸消息进来,第一个触摸消息进来就发送了 Win32 消息给到应用,然而应用等待到系统收集到了三个触摸点消息时,才调用 GetPointerInfo 方法。那此时系统触摸模块就可以很开森的知道了应用处于卡顿状态,即第二个和第三个触摸消息到来时,判断第一个消息还没被应用消费,就不再发送 Win32 消息给到应用。当应用调用 GetPointerInfo 方法时,就直接返回第三个点给到应用,跳过中间第一个和第二个触摸点。同时,使用历史点的概念,将第一个点和第二个点和第三个点给到应用,如果此时应用感兴趣的话
利用如上所述机制,即可实现到当触摸设备产生的触摸消息过快时,不会让应用的消息循环过度忙碌,而是可以让应用有机会一次性拿到过去一段时间内的多个触摸点信息。如此可以提升整体系统的性能,减少应用程序忙碌于处理过往的触摸消息
举一个虚拟的例子,让大家更好的理解这套机制的思想。假定咱在制作一个应用,应用有一个功能,就是有一个矩形元素,这个元素可以响应触摸拖动,可以用触摸拖动矩形元素。这个应用编写的有些离谱,每次拖动的做法就是设置新的坐标点为当前触摸点,但是这个过程需要 15 毫秒,因为中间添加了一些有趣且保密(其实我还没编出来)的算法。当应用跑在一个触摸设备上,这个触摸设备在触摸拖动的过程中,每 10 毫秒将产生一次触摸点信息报告给到系统。假定当前的系统的触摸模块是如实的每次收到设备发送过来的触摸点,都通过 Win32 消息发送给到应用,那将会让应用的消费速度慢于消息的生产速度,这就意味着大家可以明显看到拖动矩形元素时具备很大的延迟感。如拖着拖着才发现矩形元素还在后面慢慢挪动,整体的体验比较糟糕。那如果采用现在的这套玩法呢?应用程序从 Win32 消息收到的是 PointerId 信息,再通过 GetPointerInfo 方法获取触摸点信息,此时获取到的触摸点就是最后一个触摸点,对于咱这个应用来说刚刚好,直接就是响应设置矩形元素坐标为最后一个触摸点的对应坐标。如此即可看到矩形元素飞快跳着走,且由于刚好矩形元素拖动过程为 15 毫秒,小于 16 毫秒,意味着大部分情况下大家看到的是矩形元素平滑的移动,即飞快跳着走在人类看来是一个连续移动的过程
期望通过以上的例子可以让大家了解到微软的“良苦”用心
这里需要额外说明的是 PointerId 和 TouchDevice 等的 Id 是不一样的,在下文将会给出详细的描述
在 WPF 这边,如上面代码所示,收到触摸点信息之后,将会进入到 ProcessMessage 方法,只是这个过程中我感觉有一点小锅的是,时间戳拿的是当前系统时间戳 Environment.TickCount 的值,而不是取 Pointer 消息里面的时间戳内容
继续看一下 ProcessMessage 方法的定义和实现
  1. namespace System.Windows.Interop
  2. {
  3.     /// <summary>
  4.     /// Implements an input provider per hwnd for WM_POINTER messages
  5.     /// </summary>
  6.     internal sealed class HwndPointerInputProvider : DispatcherObject, IStylusInputProvider
  7.     {
  8.         /// <summary>
  9.         /// Processes the latest WM_POINTER message and forwards it to the WPF input stack.
  10.         /// </summary>
  11.         /// <param name="pointerId">The id of the pointer message</param>
  12.         /// <param name="action">The stylus action being done</param>
  13.         /// <param name="timestamp">The time (in ticks) the message arrived</param>
  14.         /// <returns>True if successfully processed (handled), false otherwise</returns>
  15.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  16.         {
  17.             ... // 忽略其他代码
  18.         }
  19.     }
  20.     ... // 忽略其他代码
  21. }
复制代码
在 ProcessMessage 里面将创建 PointerData 对象,这个 PointerData 类型是一个辅助类,在构造函数里面将调用 GetPointerInfo 方法获取指针点信息
  1.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  2.         {
  3.             bool handled = false;
  4.             // Acquire all pointer data needed
  5.             PointerData data = new PointerData(pointerId);
  6.             ... // 忽略其他代码
  7.         }
复制代码
以下是 PointerData 构造函数的简单定义的有删减的代码
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// Provides a wrapping class that aggregates Pointer data from a pointer event/message
  5.     /// </summary>
  6.     internal class PointerData
  7.     {
  8.         /// <summary>
  9.         /// Queries all needed data from a particular pointer message and stores
  10.         /// it locally.
  11.         /// </summary>
  12.         /// <param name="pointerId">The id of the pointer message</param>
  13.         internal PointerData(uint pointerId)
  14.         {
  15.             if (IsValid = GetPointerInfo(pointerId, ref _info))
  16.             {
  17.                 _history = new POINTER_INFO[_info.historyCount];
  18.                 // Fill the pointer history
  19.                 // If we fail just return a blank history
  20.                 if (!GetPointerInfoHistory(pointerId, ref _info.historyCount, _history))
  21.                 {
  22.                     _history = Array.Empty<POINTER_INFO>();
  23.                 }
  24.                 ... // 忽略其他代码
  25.             }
  26.         }
  27.         /// <summary>
  28.         /// Standard pointer information
  29.         /// </summary>
  30.         private POINTER_INFO _info;
  31.         /// <summary>
  32.         /// The full history available for the current pointer (used for coalesced input)
  33.         /// </summary>
  34.         private POINTER_INFO[] _history;
  35.         /// <summary>
  36.         /// If true, we have correctly queried pointer data, false otherwise.
  37.         /// </summary>
  38.         internal bool IsValid { get; private set; } = false;
  39.     }
复制代码
通过上述代码可以看到,开始是调用 GetPointerInfo 方法获取指针点信息。在 WPF 的基础事件里面也是支持历史点的,意图和 Pointer 的设计意图差不多,都是为了解决业务端的消费数据速度问题。于是在 WPF 底层也就立刻调用 GetPointerInfoHistory 获取历史点信息
对于 Pointer 消息来说,对触摸和触笔有着不同的数据提供分支,分别是 GetPointerTouchInfo 方法和 GetPointerPenInfo 方法
在 PointerData 构造函数里面,也通过判断 POINTER_INFO 的 pointerType 字段决定调用不同的方法,代码如下
  1.             if (IsValid = GetPointerInfo(pointerId, ref _info))
  2.             {
  3.                 switch (_info.pointerType)
  4.                 {
  5.                     case POINTER_INPUT_TYPE.PT_TOUCH:
  6.                         {
  7.                             // If we have a touch device, pull the touch specific information down
  8.                             IsValid &= GetPointerTouchInfo(pointerId, ref _touchInfo);
  9.                         }
  10.                         break;
  11.                     case POINTER_INPUT_TYPE.PT_PEN:
  12.                         {
  13.                             // Otherwise we have a pen device, so pull down pen specific information
  14.                             IsValid &= GetPointerPenInfo(pointerId, ref _penInfo);
  15.                         }
  16.                         break;
  17.                     default:
  18.                         {
  19.                             // Only process touch or pen messages, do not process mouse or touchpad
  20.                             IsValid = false;
  21.                         }
  22.                         break;
  23.                 }
  24.             }
复制代码
对于 WPF 的 HwndPointerInputProvider 模块来说,只处理 PT_TOUCH 和 PT_PEN 消息,即触摸和触笔消息。对于 Mouse 鼠标和 Touchpad 触摸板来说都不走 Pointer 处理,依然是走原来的 Win32 消息。为什么这么设计呢?因为 WPF 里面没有 Pointer 路由事件,在 WPF 里面分开了 Touch 和 Stylus 和 Mouse 事件。就不需要全部都在 Pointer 模块处理了,依然在原来的消息循环里面处理,既减少 Pointer 模块的工作量,也能减少后续从 Pointer 分发到 Touch 和 Stylus 和 Mouse 事件的工作量。原先的模块看起来也跑得很稳,那就一起都不改了
完成 PointerData 的构造函数之后,继续到 HwndPointerInputProvider 的 ProcessMessage 函数里面,在此函数里面判断是 PT_TOUCH 和 PT_PEN 消息,则进行处理
  1.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  2.         {
  3.             bool handled = false;
  4.             // Acquire all pointer data needed
  5.             PointerData data = new PointerData(pointerId);
  6.             // Only process touch or pen messages, do not process mouse or touchpad
  7.             if (data.IsValid
  8.                 && (data.Info.pointerType == UnsafeNativeMethods.POINTER_INPUT_TYPE.PT_TOUCH
  9.                 || data.Info.pointerType == UnsafeNativeMethods.POINTER_INPUT_TYPE.PT_PEN))
  10.             {
  11.                 ... // 忽略其他代码
  12.             }
  13.             return handled;
  14.         }
复制代码
对于触摸和触笔的处理上,先是执行触摸设备关联。触摸设备关联一个在上层业务的表现就是让当前的指针消息关联上 TouchDevice 的 Id 或 StylusDevice 的 Id 值
关联的方法是通过 GetPointerCursorId 方法先获取 CursorId 的值,再配合对应的输入的 Pointer 的输入设备 POINTER_INFO 的 sourceDevice 字段,即可与初始化过程中创建的设备相关联,实现代码如下
  1.             if (data.IsValid
  2.                 && (data.Info.pointerType == UnsafeNativeMethods.POINTER_INPUT_TYPE.PT_TOUCH
  3.                 || data.Info.pointerType == UnsafeNativeMethods.POINTER_INPUT_TYPE.PT_PEN))
  4.             {
  5.                 uint cursorId = 0;
  6.                 if (UnsafeNativeMethods.GetPointerCursorId(pointerId, ref cursorId))
  7.                 {
  8.                     IntPtr deviceId = data.Info.sourceDevice;
  9.                     // If we cannot acquire the latest tablet and stylus then wait for the
  10.                     // next message.
  11.                     if (!UpdateCurrentTabletAndStylus(deviceId, cursorId))
  12.                     {
  13.                         return false;
  14.                     }
  15.                      ... // 忽略其他代码
  16.                 }
  17.                 ... // 忽略其他代码
  18.             }
复制代码
在 WPF 初始化工作里面将输入的 Pointer 的输入设备 POINTER_INFO 的 sourceDevice 当成 deviceId 的概念,即 TabletDevice 的 Id 值。而 cursorId 则是对应 StylusDevice 的 Id 值,其更新代码的核心非常简单,如下面代码
  1.         /// <summary>
  2.         /// Attempts to update the current stylus and tablet devices for the latest WM_POINTER message.
  3.         /// Will attempt retries if the tablet collection is invalid or does not contain the proper ids.
  4.         /// </summary>
  5.         /// <param name="deviceId">The id of the TabletDevice</param>
  6.         /// <param name="cursorId">The id of the StylusDevice</param>
  7.         /// <returns>True if successfully updated, false otherwise.</returns>
  8.         private bool UpdateCurrentTabletAndStylus(IntPtr deviceId, uint cursorId)
  9.         {
  10.             _currentTabletDevice = tablets?.GetByDeviceId(deviceId);
  11.             _currentStylusDevice = _currentTabletDevice?.GetStylusByCursorId(cursorId);
  12.             
  13.             ... // 忽略其他代码
  14.                 if (_currentTabletDevice == null || _currentStylusDevice == null)
  15.                 {
  16.                     return false;
  17.                 }
  18.             
  19.             return true;
  20.         }
复制代码
对应的 GetByDeviceId 方法的代码如下
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// Maintains a collection of pointer device information for currently installed pointer devices
  5.     /// </summary>
  6.     internal class PointerTabletDeviceCollection : TabletDeviceCollection
  7.     {
  8.         /// <summary>
  9.         /// Holds a mapping of TabletDevices from their WM_POINTER device id
  10.         /// </summary>
  11.         private Dictionary<IntPtr, PointerTabletDevice> _tabletDeviceMap = new Dictionary<IntPtr, PointerTabletDevice>();
  12.          ... // 忽略其他代码
  13.         /// <summary>
  14.         /// Retrieve the TabletDevice associated with the device id
  15.         /// </summary>
  16.         /// <param name="deviceId">The device id</param>
  17.         /// <returns>The TabletDevice associated with the device id</returns>
  18.         internal PointerTabletDevice GetByDeviceId(IntPtr deviceId)
  19.         {
  20.             PointerTabletDevice tablet = null;
  21.             _tabletDeviceMap.TryGetValue(deviceId, out tablet);
  22.             return tablet;
  23.         }
  24.     }
  25. }
复制代码
对应的 GetStylusByCursorId 的代码如下
  1. namespace System.Windows.Input.StylusPointer
  2. {  
  3.     /// <summary>
  4.     /// A WM_POINTER based implementation of the TabletDeviceBase class.
  5.     /// </summary>
  6.     internal class PointerTabletDevice : TabletDeviceBase
  7.     {
  8.         /// <summary>
  9.         /// A mapping from StylusDevice id to the actual StylusDevice for quick lookup.
  10.         /// </summary>
  11.         private Dictionary<uint, PointerStylusDevice> _stylusDeviceMap = new Dictionary<uint, PointerStylusDevice>();
  12.         /// <summary>
  13.         /// Retrieves the StylusDevice associated with the cursor id.
  14.         /// </summary>
  15.         /// <param name="cursorId">The id of the StylusDevice to retrieve</param>
  16.         /// <returns>The StylusDevice associated with the id</returns>
  17.         internal PointerStylusDevice GetStylusByCursorId(uint cursorId)
  18.         {
  19.             PointerStylusDevice stylus = null;
  20.             _stylusDeviceMap.TryGetValue(cursorId, out stylus);
  21.             return stylus;
  22.         }
  23.     }
  24. }
复制代码
调用了 UpdateCurrentTabletAndStylus 的一个副作用就是同步更新了 _currentTabletDevice 和 _currentStylusDevice 字段的值,后续逻辑即可直接使用这两个字段而不是传参数
完成关联逻辑之后,即进入 GenerateRawStylusData 方法,这个方法是 WPF 获取 Pointer 具体的消息的核心方法,方法签名如下
  1. namespace System.Windows.Interop
  2. {
  3.     /// <summary>
  4.     /// Implements an input provider per hwnd for WM_POINTER messages
  5.     /// </summary>
  6.     internal sealed class HwndPointerInputProvider : DispatcherObject, IStylusInputProvider
  7.     {
  8.         /// <summary>
  9.         /// Creates raw stylus data from the raw WM_POINTER properties
  10.         /// </summary>
  11.         /// <param name="pointerData">The current pointer info</param>
  12.         /// <param name="tabletDevice">The current TabletDevice</param>
  13.         /// <returns>An array of raw pointer data</returns>
  14.         private int[] GenerateRawStylusData(PointerData pointerData, PointerTabletDevice tabletDevice)
  15.         {
  16.             ... // 忽略其他代码
  17.         }
  18.         ... // 忽略其他代码
  19.     }
  20. }
复制代码
此 GenerateRawStylusData 被调用是这么写的
  1. namespace System.Windows.Interop
  2. {
  3.     /// <summary>
  4.     /// Implements an input provider per hwnd for WM_POINTER messages
  5.     /// </summary>
  6.     internal sealed class HwndPointerInputProvider : DispatcherObject, IStylusInputProvider
  7.     {
  8.         /// <summary>
  9.         /// Processes the latest WM_POINTER message and forwards it to the WPF input stack.
  10.         /// </summary>
  11.         /// <param name="pointerId">The id of the pointer message</param>
  12.         /// <param name="action">The stylus action being done</param>
  13.         /// <param name="timestamp">The time (in ticks) the message arrived</param>
  14.         /// <returns>True if successfully processed (handled), false otherwise</returns>
  15.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  16.         {
  17.             PointerData data = new PointerData(pointerId);
  18.             ... // 忽略其他代码
  19.                 uint cursorId = 0;
  20.                 if (UnsafeNativeMethods.GetPointerCursorId(pointerId, ref cursorId))
  21.                 {
  22.                     ... // 忽略其他代码
  23.                     GenerateRawStylusData(data, _currentTabletDevice);
  24.                     ... // 忽略其他代码
  25.                 }
  26.         }
  27.         ... // 忽略其他代码
  28.     }
  29. }
复制代码
在 GenerateRawStylusData 方法里面,先通过 PointerTabletDevice 取出支持的 Pointer 的设备属性列表的长度,用于和输入点的信息进行匹配。回忆一下,这部分获取逻辑是在上文介绍到对 GetPointerDeviceProperties 函数的调用提到的,且也说明了此函数拿到的设备属性列表的顺序是非常关键的,设备属性列表的顺序和在后续 WM_POINTER 消息拿到的裸数据的顺序是直接对应的
  1.     /// <summary>
  2.     /// Implements an input provider per hwnd for WM_POINTER messages
  3.     /// </summary>
  4.     internal sealed class HwndPointerInputProvider : DispatcherObject, IStylusInputProvider
  5.     {
  6.         /// <summary>
  7.         /// Creates raw stylus data from the raw WM_POINTER properties
  8.         /// </summary>
  9.         /// <param name="pointerData">The current pointer info</param>
  10.         /// <param name="tabletDevice">The current TabletDevice</param>
  11.         /// <returns>An array of raw pointer data</returns>
  12.         private int[] GenerateRawStylusData(PointerData pointerData, PointerTabletDevice tabletDevice)
  13.         {
  14.             // Since we are copying raw pointer data, we want to use every property supported by this pointer.
  15.             // We may never access some of the unknown (unsupported by WPF) properties, but they should be there
  16.             // for consumption by the developer.
  17.             int pointerPropertyCount = tabletDevice.DeviceInfo.SupportedPointerProperties.Length;
  18.             // The data is as wide as the pointer properties and is per history point
  19.             int[] rawPointerData = new int[pointerPropertyCount * pointerData.Info.historyCount];
  20.             ... // 忽略其他代码
  21.         }
  22.         ... // 忽略其他代码
  23.     }
复制代码
由每个 Pointer 的属性长度配合总共的历史点数量,即可获取到这里面使用到的 rawPointerData 数组的长度。这部分代码相信大家很好就理解了
接着就是核心部分,调用 GetRawPointerDeviceData 获取最原始的触摸信息,再对原始触摸信息进行解析处理
  1.             int pointerPropertyCount = tabletDevice.DeviceInfo.SupportedPointerProperties.Length;
  2.             // The data is as wide as the pointer properties and is per history point
  3.             int[] rawPointerData = new int[pointerPropertyCount * pointerData.Info.historyCount];
  4.             // Get the raw data formatted to our supported properties
  5.             if (UnsafeNativeMethods.GetRawPointerDeviceData(
  6.                 pointerData.Info.pointerId,
  7.                 pointerData.Info.historyCount,
  8.                 (uint)pointerPropertyCount,
  9.                 tabletDevice.DeviceInfo.SupportedPointerProperties,
  10.                 rawPointerData))
  11.             {
  12.                 ... // 忽略其他代码
  13.             }
复制代码
在 Pointer 的设计里面,历史点 historyCount 是包含当前点的,且当前点就是最后一个点。这就是为什么这里只需要传入历史点数量即可,换句话说就是历史点最少包含一个点,那就是当前点
由于 Pointer 获取到的点都是相对于屏幕坐标的,这里需要先偏移一下修改为窗口坐标系,代码如下
  1.                 // Get the X and Y offsets to translate device coords to the origin of the hwnd
  2.                 int originOffsetX, originOffsetY;
  3.                 GetOriginOffsetsLogical(out originOffsetX, out originOffsetY);
  4.         private void GetOriginOffsetsLogical(out int originOffsetX, out int originOffsetY)
  5.         {
  6.             Point originScreenCoord = _source.Value.RootVisual.PointToScreen(new Point(0, 0));
  7.             // Use the inverse of our logical tablet to screen matrix to generate tablet coords
  8.             MatrixTransform screenToTablet = new MatrixTransform(_currentTabletDevice.TabletToScreen);
  9.             screenToTablet = (MatrixTransform)screenToTablet.Inverse;
  10.             Point originTabletCoord = originScreenCoord * screenToTablet.Matrix;
  11.             originOffsetX = (int)Math.Round(originTabletCoord.X);
  12.             originOffsetY = (int)Math.Round(originTabletCoord.Y);
  13.         }
  14.         /// <summary>
  15.         /// The HwndSource for WM_POINTER messages
  16.         /// </summary>
  17.         private SecurityCriticalDataClass<HwndSource> _source;
复制代码
这里的 GetOriginOffsetsLogical 的实现逻辑就是去窗口的 0,0 点,看这个点会在屏幕的哪里,从而知道其偏移量。至于添加的 MatrixTransform 矩阵的 TabletToScreen 则在后文的具体转换逻辑会讲到,这里先跳过
获取到相对于窗口的坐标偏移量之后,即可将其叠加给到每个点上,用于将这些点转换为窗口坐标系。但是在此之前还需要将获取到的 rawPointerData 进行加工。这一个步骤仅仅只是在 WPF 有需求,仅仅只是为了兼容 WISP 获取到的裸数据的方式。其相差点在于通过 Pointer 获取到的 rawPointerData 的二进制数据格式里面,没有带上按钮的支持情况的信息,在 WPF 这边需要重新创建一个数组对 rawPointerData 重新排列,确保每个点的数据都加上按钮的信息数据
这部分处理仅只是为了兼容考虑,让后续的 StylusPointCollection 开森而已,咱就跳着看就好了
  1.                 int numButtons = tabletDevice.DeviceInfo.SupportedPointerProperties.Length - tabletDevice.DeviceInfo.SupportedButtonPropertyIndex;
  2.                 int rawDataPointSize = (numButtons > 0) ? pointerPropertyCount - numButtons + 1 : pointerPropertyCount;
  3.                 // Instead of a single entry for each button we use one entry for all buttons so reflect that in the raw data size
  4.                 data = new int[rawDataPointSize * pointerData.Info.historyCount];
  5.                 for (int i = 0, j = rawPointerData.Length - pointerPropertyCount; i < data.Length; i += rawDataPointSize, j -= pointerPropertyCount)
  6.                 {
  7.                     Array.Copy(rawPointerData, j, data, i, rawDataPointSize);
  8.                     // Apply offsets from the origin to raw pointer data here
  9.                     data[i + StylusPointDescription.RequiredXIndex] -= originOffsetX;
  10.                     data[i + StylusPointDescription.RequiredYIndex] -= originOffsetY;
  11.                     ... // 忽略其他代码
  12.                 }
  13.              ... // 忽略其他代码
  14.             return data;
复制代码
重新拷贝的过程,还将点的坐标更换成窗口坐标系,即以上的 data[i + StylusPointDescription.RequiredXIndex] -= originOffsetX; 和 data[i + StylusPointDescription.RequiredYIndex] -= originOffsetY; 两个代码
完成获取之后,就将获取到的裸数据给返回了,这就是 GenerateRawStylusData 的内容
在 ProcessMessage 方法里面获取到 GenerateRawStylusData 返回的原始指针信息,即可将其给到 RawStylusInputReport 作为参数,代码如下
  1.                     // Generate a raw input to send to the input manager to start the event chain in PointerLogic
  2.                     Int32[] rawData = GenerateRawStylusData(data, _currentTabletDevice);
  3.                     RawStylusInputReport rsir =
  4.                         new RawStylusInputReport(
  5.                             InputMode.Foreground,
  6.                             timestamp,
  7.                             _source.Value,
  8.                             action,
  9.                             () => { return _currentTabletDevice.StylusPointDescription; },
  10.                             _currentTabletDevice.Id,
  11.                             _currentStylusDevice.Id,
  12.                             rawData)
  13.                         {
  14.                             StylusDevice = _currentStylusDevice.StylusDevice,
  15.                         };
复制代码
将创建的 RawStylusInputReport 更新到当前的设备,作为设备的最后的指针信息
  1.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  2.         {
  3.             PointerData data = new PointerData(pointerId);
  4.              ... // 忽略其他代码
  5.                     _currentStylusDevice.Update(this, _source.Value, data, rsir);
  6.              ... // 忽略其他代码
  7.         }
  8.         private SecurityCriticalDataClass<HwndSource> _source;
复制代码
且还加入到 InputManager 的 ProcessInput 里面,进入 WPF 的框架内的消息调度
  1.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  2.         {
  3.             PointerData data = new PointerData(pointerId);
  4.              ... // 忽略其他代码
  5.                     _currentStylusDevice.Update(this, _source.Value, data, rsir);
  6.                     // Now send the input report
  7.                     InputManager.UnsecureCurrent.ProcessInput(irea);
  8.              ... // 忽略其他代码
  9.         }
复制代码
在进入 InputManager 的 ProcessInput 调度消息之前,先看看 _currentStylusDevice.Update 里面的对原始指针信息的解析实现逻辑
在 _currentStylusDevice.Update 里面的对原始指针信息的解析实现完全是靠 StylusPointCollection 和 StylusPoint 的构造函数实现的
  1. namespace System.Windows.Input.StylusPointer
  2. {
  3.     /// <summary>
  4.     /// A WM_POINTER specific implementation of the StylusDeviceBase.
  5.     ///
  6.     /// Supports direct access to WM_POINTER structures and basing behavior off of the WM_POINTER data.
  7.     /// </summary>
  8.     internal class PointerStylusDevice : StylusDeviceBase
  9.     {
  10.         /// <summary>
  11.         /// Updates the internal StylusDevice state based on the WM_POINTER input and the formed raw data.
  12.         /// </summary>
  13.         /// <param name="provider">The hwnd associated WM_POINTER provider</param>
  14.         /// <param name="inputSource">The PresentationSource where this message originated</param>
  15.         /// <param name="pointerData">The aggregated pointer data retrieved from the WM_POINTER stack</param>
  16.         /// <param name="rsir">The raw stylus input generated from the pointer data</param>
  17.         internal void Update(HwndPointerInputProvider provider, PresentationSource inputSource,
  18.             PointerData pointerData, RawStylusInputReport rsir)
  19.         {
  20.              ... // 忽略其他代码
  21.             // First get the initial stylus points.  Raw data from pointer input comes in screen coordinates, keep that here since that is what we expect.
  22.             _currentStylusPoints = new StylusPointCollection(rsir.StylusPointDescription, rsir.GetRawPacketData(), GetTabletToElementTransform(null), Matrix.Identity);
  23.              ... // 忽略其他代码
  24.         }
  25.     }
  26. }
复制代码
这里的 rsir.GetRawPacketData() 是返回上文提到的 GenerateRawStylusData 方法给出的裸数据的拷贝,代码如下
  1.     internal class RawStylusInputReport : InputReport
  2.     {
  3.         /// <summary>
  4.         ///     Read-only access to the raw data that was reported.
  5.         /// </summary>
  6.         internal int[] GetRawPacketData()
  7.         {
  8.             if (_data == null)
  9.                 return null;
  10.             return (int[])_data.Clone();
  11.         }
  12.         /// <summary>
  13.         /// The raw data for this input report
  14.         /// </summary>
  15.         int[] _data;
  16.         ... // 忽略其他代码
  17.     }
复制代码
这里的 GetTabletToElementTransform 包含了一个核心转换,方法代码如下
  1.     internal class PointerStylusDevice : StylusDeviceBase
  2.     {
  3.         /// <summary>
  4.         ///     Returns the transform for converting from tablet to element
  5.         ///     relative coordinates.
  6.         /// </summary>
  7.         internal GeneralTransform GetTabletToElementTransform(IInputElement relativeTo)
  8.         {
  9.             GeneralTransformGroup group = new GeneralTransformGroup();
  10.             Matrix toDevice = _inputSource.Value.CompositionTarget.TransformToDevice;
  11.             toDevice.Invert();
  12.             group.Children.Add(new MatrixTransform(PointerTabletDevice.TabletToScreen * toDevice));
  13.             group.Children.Add(StylusDevice.GetElementTransform(relativeTo));
  14.             return group;
  15.         }
  16.         ... // 忽略其他代码
  17.     }
复制代码
这里面方法存在重点内容,那就是 PointerTabletDevice 的 TabletToScreen 属性的计算方法。这个矩阵的计算需要用到开始初始化过程的 GetPointerDeviceRects 函数获取 的 displayRect 尺寸,以及 GetPointerDeviceProperties 获取的 X 和 Y 属性描述信息,属性的定义代码如下
  1.         internal Matrix TabletToScreen
  2.         {
  3.             get
  4.             {
  5.                 return new Matrix(_tabletInfo.SizeInfo.ScreenSize.Width / _tabletInfo.SizeInfo.TabletSize.Width, 0,
  6.                                    0, _tabletInfo.SizeInfo.ScreenSize.Height / _tabletInfo.SizeInfo.TabletSize.Height,
  7.                                    0, 0);
  8.             }
  9.         }
复制代码
可以看到这是一个用于缩放的 Matrix 对象,正是 GetPointerDeviceRects 获取的屏幕尺寸以及 GetPointerDeviceProperties 获取的 X 和 Y 属性描述信息构成的 TabletSize 的比值
回顾一下 _tabletInfo 的 SizeInfo 的创建代码,可以看到 TabletSize 完全是由描述符的尺寸决定,代码如下
  1.             // 以下代码在 PointerTabletDeviceInfo.cs 文件中
  2.             // private bool TryInitializeSupportedStylusPointProperties()
  3.             SupportedPointerProperties = new UnsafeNativeMethods.POINTER_DEVICE_PROPERTY[propCount];
  4.             success = UnsafeNativeMethods.GetPointerDeviceProperties(Device, ref propCount, SupportedPointerProperties);
  5.             ... // 忽略其他代码
  6.             // private bool TryInitializeDeviceRects()
  7.             var deviceRect = new UnsafeNativeMethods.RECT();
  8.             var displayRect = new UnsafeNativeMethods.RECT();
  9.             success = UnsafeNativeMethods.GetPointerDeviceRects(_deviceInfo.device, ref deviceRect, ref displayRect);
  10.             if (success)
  11.             {
  12.                 // We use the max X and Y properties here as this is more readily useful for raw data
  13.                 // which is where all conversions come from.
  14.                 SizeInfo = new TabletDeviceSizeInfo
  15.                 (
  16.                     new Size(SupportedPointerProperties[StylusPointDescription.RequiredXIndex].logicalMax,
  17.                     SupportedPointerProperties[StylusPointDescription.RequiredYIndex].logicalMax),
  18.                     new Size(displayRect.right - displayRect.left, displayRect.bottom - displayRect.top)
  19.                 );
  20.             }
  21.     internal struct TabletDeviceSizeInfo
  22.     {
  23.         public Size TabletSize;
  24.         public Size ScreenSize;
  25.         internal TabletDeviceSizeInfo(Size tabletSize, Size screenSize)
  26.         {
  27.             TabletSize = tabletSize;
  28.             ScreenSize = screenSize;
  29.         }
  30.     }
复制代码
如此即可使用 TabletToScreen 属性将收到的基于 Tablet 坐标系的裸指针消息的坐标转换为屏幕坐标,再配合 TransformToDevice 取反即可转换到 WPF 坐标系
在以上代码里面,由于传入 GetTabletToElementTransform 的 relativeTo 参数是 null 的值,将导致 StylusDevice.GetElementTransform(relativeTo) 返回一个单位矩阵,这就意味着在 GetTabletToElementTransform 方法里面的 group.Children.Add(StylusDevice.GetElementTransform(relativeTo)); 是多余的,也许后续 WPF 版本这里会被我优化掉
回顾一下 StylusPointCollection 的构造函数参数,有用的参数只有前三个,分别是 rsir.StylusPointDescription 传入描述符信息,以及 rsir.GetRawPacketData() 返回裸指针数据,以及 GetTabletToElementTransform(null) 方法返回转换为 WPF 坐标系的矩阵
  1. _currentStylusPoints = new StylusPointCollection(rsir.StylusPointDescription, rsir.GetRawPacketData(), GetTabletToElementTransform(null), Matrix.Identity);
复制代码
那 StylusPointCollection 的最后一个参数,即上述代码传入的 Matrix.Identity 有什么用途?其实在 StylusPointCollection 的设计里面,第三个参数和第四个参数是二选一的,且第三个参数的优先级大于第四个参数。即在 StylusPointCollection 底层会判断第三个参数是否有值,如果没有值才会使用第四个参数
在 StylusPointCollection 构造函数里面将会对裸 Pointer 数据进行处理,现在 GetRawPacketData 拿到的裸 Pointer 数据的 int 数组里面的数据排列内容大概如下
  1. | X 坐标 | Y 坐标 | 压感(可选)| StylusPointDescription 里面的属性列表一一对应 |
  2. | X 坐标 | Y 坐标 | 压感(可选)| StylusPointDescription 里面的属性列表一一对应 |
  3. | X 坐标 | Y 坐标 | 压感(可选)| StylusPointDescription 里面的属性列表一一对应 |
复制代码
存放的是一个或多个点信息,每个点的信息都是相同的二进制长度,分包非常简单
进入到 StylusPointCollection 的构造函数,看看其代码签名定义
  1. namespace System.Windows.Input
  2. {
  3.     public class StylusPointCollection : Collection<StylusPoint>
  4.     {
  5.         internal StylusPointCollection(StylusPointDescription stylusPointDescription, int[] rawPacketData, GeneralTransform tabletToView, Matrix tabletToViewMatrix)
  6.         {
  7.             ... // 忽略其他代码
  8.         }
  9.     }
  10. }
复制代码
在构造函数里面,先调用 StylusPointDescription 的 GetInputArrayLengthPerPoint 方法,获取每个点的二进制长度,代码如下
  1.     public class StylusPointCollection : Collection<StylusPoint>
  2.     {
  3.         internal StylusPointCollection(StylusPointDescription stylusPointDescription, int[] rawPacketData, GeneralTransform tabletToView, Matrix tabletToViewMatrix)
  4.         {
  5.             ... // 忽略其他代码
  6.             int lengthPerPoint = stylusPointDescription.GetInputArrayLengthPerPoint();
  7.             ... // 忽略其他代码
  8.         }
  9.     }
复制代码
获取到了一个点的二进制长度,自然就能算出传入的 rawPacketData 参数包含多少个点的信息
  1.         internal StylusPointCollection(StylusPointDescription stylusPointDescription, int[] rawPacketData, GeneralTransform tabletToView, Matrix tabletToViewMatrix)
  2.         {
  3.             ... // 忽略其他代码
  4.             int lengthPerPoint = stylusPointDescription.GetInputArrayLengthPerPoint();
  5.             int logicalPointCount = rawPacketData.Length / lengthPerPoint;
  6.             Debug.Assert(0 == rawPacketData.Length % lengthPerPoint, "Invalid assumption about packet length, there shouldn't be any remainder");
  7.             ... // 忽略其他代码
  8.         }
复制代码
以上代码的 Debug.Assert 就是要确保传入的 rawPacketData 是可以被 lengthPerPoint 即每个点的二进制长度所整除
完成准备工作之后,接下来就可以将 rawPacketData 解出点了,如下面代码所示
  1.             int lengthPerPoint = stylusPointDescription.GetInputArrayLengthPerPoint();
  2.             int logicalPointCount = rawPacketData.Length / lengthPerPoint;
  3.             for (int count = 0, i = 0; count < logicalPointCount; count++, i += lengthPerPoint)
  4.             {
  5.                 //first, determine the x, y values by xf-ing them
  6.                 Point p = new Point(rawPacketData[i], rawPacketData[i + 1]);
  7.                 ... // 忽略其他代码
  8.                 int startIndex = 2;
  9.                 ... // 忽略其他代码
  10.                 int[] data = null;
  11.                 int dataLength = lengthPerPoint - startIndex;
  12.                 if (dataLength > 0)
  13.                 {
  14.                     //copy the rest of the data
  15.                     var rawArrayStartIndex = i + startIndex;
  16.                     data = rawPacketData.AsSpan(rawArrayStartIndex, dataLength).ToArray();
  17.                 }
  18.                 StylusPoint newPoint = new StylusPoint(p.X, p.Y, StylusPoint.DefaultPressure, _stylusPointDescription, data, false, false);
  19.                 ... // 忽略其他代码
  20.                 ((List<StylusPoint>)this.Items).Add(newPoint);
  21.             }
复制代码
以上代码忽略的部分包含了一些细节,如对 Point 的坐标转换,使用 Point p = new Point(rawPacketData, rawPacketData[i + 1]); 拿到的点的坐标是属于 Tablet 坐标,需要使用传入的参数转换为 WPF 坐标,如下面代码所示
  1.         internal StylusPointCollection(StylusPointDescription stylusPointDescription, int[] rawPacketData, GeneralTransform tabletToView, Matrix tabletToViewMatrix)
  2.         {
  3.                 ... // 忽略其他代码
  4.                 Point p = new Point(rawPacketData[i], rawPacketData[i + 1]);
  5.                 if (tabletToView != null)
  6.                 {
  7.                     tabletToView.TryTransform(p, out p);
  8.                 }
  9.                 else
  10.                 {
  11.                     p = tabletToViewMatrix.Transform(p);
  12.                 }
  13.                 ... // 忽略其他代码
  14.         }
复制代码
通过以上的代码就可以看到 StylusPointCollection 构造函数使用了第三个或第四个参数作为变换,如果第三个参数存在则优先使用第三个参数
其他处理的逻辑就是对压感的额外处理,压感作为 StylusPoint 的一个明确参数,需要额外判断处理
  1.                 int startIndex = 2; // X 和 Y 占用了两个元素
  2.                 bool containsTruePressure = stylusPointDescription.ContainsTruePressure;
  3.                 if (containsTruePressure)
  4.                 {
  5.                     // 如果有压感的话,压感也需要多占一个元素
  6.                     //don't copy pressure in the int[] for extra data
  7.                     startIndex++;
  8.                 }
  9.                 StylusPoint newPoint = new StylusPoint(p.X, p.Y, StylusPoint.DefaultPressure, _stylusPointDescription, data, false, false);
  10.                 if (containsTruePressure)
  11.                 {
  12.                     // 压感必定是第三个元素,有压感则更新压感
  13.                     //use the algorithm to set pressure in StylusPoint
  14.                     int pressure = rawPacketData[i + 2];
  15.                     newPoint.SetPropertyValue(StylusPointProperties.NormalPressure, pressure);
  16.                 }
复制代码
如此即可解包 | X 坐标 | Y 坐标 | 压感(可选)| StylusPointDescription 里面的属性列表一一对应 | 里面前三个元素,其中压感是可选的。后续的 StylusPointDescription 里面的属性列表一一对应 部分需要重新创建 data 数组传入到各个 StylusPoint 里面,代码如下
  1.                 int[] data = null;
  2.                 int dataLength = lengthPerPoint - startIndex;
  3.                 if (dataLength > 0)
  4.                 {
  5.                     //copy the rest of the data
  6.                     var rawArrayStartIndex = i + startIndex;
  7.                     data = rawPacketData.AsSpan(rawArrayStartIndex, dataLength).ToArray();
  8.                 }
复制代码
后续对 StylusPoint 获取属性时,即可通过描述信息获取,描述信息获取到值的方式就是取以上代码传入的 data 二进制数组的对应下标的元素,比如触摸点的宽度或高度信息
完成转换为 StylusPointCollection 之后,即可使用 InputManager.UnsecureCurrent.ProcessInput 方法将裸输入信息调度到 WPF 输入管理器
  1.         private bool ProcessMessage(uint pointerId, RawStylusActions action, int timestamp)
  2.         {
  3.              ... // 忽略其他代码
  4.                     InputReportEventArgs irea = new InputReportEventArgs(_currentStylusDevice.StylusDevice, rsir)
  5.                     {
  6.                         RoutedEvent = InputManager.PreviewInputReportEvent,
  7.                     };
  8.                     // Now send the input report
  9.                     InputManager.UnsecureCurrent.ProcessInput(irea);
  10.              ... // 忽略其他代码
  11.         }
复制代码
进入到 ProcessInput 里面将会走标准的路由事件机制,通过路由机制触发 Touch 或 Stylus 事件,接下来的逻辑看一下调用堆栈即可,和其他的输入事件逻辑差不多
  1. >   Lindexi.dll!Lindexi.MainWindow.MainWindow_TouchDown(object sender, System.Windows.Input.TouchEventArgs e)
  2.     PresentationCore.dll!System.Windows.RoutedEventArgs.InvokeHandler(System.Delegate handler, object target)
  3.     PresentationCore.dll!System.Windows.EventRoute.InvokeHandlersImpl(object source, System.Windows.RoutedEventArgs args, bool reRaised)
  4.     PresentationCore.dll!System.Windows.UIElement.RaiseEventImpl(System.Windows.DependencyObject sender, System.Windows.RoutedEventArgs args)
  5.     PresentationCore.dll!System.Windows.UIElement.RaiseTrustedEvent(System.Windows.RoutedEventArgs args)
  6.     PresentationCore.dll!System.Windows.Input.InputManager.ProcessStagingArea()
  7.     PresentationCore.dll!System.Windows.Input.TouchDevice.RaiseTouchDown()
  8.     PresentationCore.dll!System.Windows.Input.TouchDevice.ReportDown()
  9.     PresentationCore.dll!System.Windows.Input.StylusTouchDeviceBase.OnDown()
  10.     PresentationCore.dll!System.Windows.Input.StylusPointer.PointerLogic.PromoteMainDownToTouch(System.Windows.Input.StylusPointer.PointerStylusDevice stylusDevice, System.Windows.Input.StagingAreaInputItem stagingItem)
  11.     PresentationCore.dll!System.Windows.Input.InputManager.RaiseProcessInputEventHandlers(System.Tuple<System.Windows.Input.ProcessInputEventHandler, System.Delegate[]> postProcessInput, System.Windows.Input.ProcessInputEventArgs processInputEventArgs)
  12.     PresentationCore.dll!System.Windows.Input.InputManager.ProcessStagingArea()
  13.     PresentationCore.dll!System.Windows.Interop.HwndPointerInputProvider.ProcessMessage(uint pointerId, System.Windows.Input.RawStylusActions action, int timestamp)
  14.     PresentationCore.dll!System.Windows.Interop.HwndPointerInputProvider.System.Windows.Interop.IStylusInputProvider.FilterMessage(nint hwnd, MS.Internal.Interop.WindowMessage msg, nint wParam, nint lParam, ref bool handled)
  15.     PresentationCore.dll!System.Windows.Interop.HwndSource.InputFilterMessage(nint hwnd, int msg, nint wParam, nint lParam, ref bool handled)
复制代码
由于我跑的是 Release 版本的 WPF 导致了有一些函数被内联,如从 HwndPointerInputProvider.ProcessMessage 到 InputManager.ProcessStagingArea 中间就少了 InputManager.ProcessInput 函数,完全的无函数内联的堆栈应该如下
  1.     PresentationCore.dll!System.Windows.Input.InputManager.ProcessStagingArea()
  2.     PresentationCore.dll!System.Windows.Input.InputManager.ProcessInput()
  3.     PresentationCore.dll!System.Windows.Interop.HwndPointerInputProvider.ProcessMessage(uint pointerId, System.Windows.Input.RawStylusActions action, int timestamp)
复制代码
如下面代码是 ProcessInput 函数的代码
  1.     public sealed class InputManager : DispatcherObject
  2.     {
  3.         public bool ProcessInput(InputEventArgs input)
  4.         {
  5.             ... // 忽略其他代码
  6.             PushMarker();
  7.             PushInput(input, null);
  8.             RequestContinueProcessingStagingArea();
  9.             bool handled = ProcessStagingArea();
  10.             return handled;
  11.         }
  12.     }
复制代码
进入到 ProcessStagingArea 方法会执行具体的调度逻辑,用上述触摸按下的堆栈作为例子,将会进入到 PointerLogic 的 PostProcessInput 方法里面,由 PostProcessInput 方法调用到 PromoteMainToOther 再到 PromoteMainToTouch 最后到 PromoteMainDownToTouch 方法。只不过中间的几个方法被内联了,直接从堆栈上看就是从 RaiseProcessInputEventHandlers 到 PromoteMainDownToTouch 方法,堆栈如下
  1. PresentationCore.dll!System.Windows.Input.StylusPointer.PointerLogic.PromoteMainDownToTouch(...)
  2. PresentationCore.dll!System.Windows.Input.InputManager.RaiseProcessInputEventHandlers(...)
复制代码
核心触发按下的代码就在 PromoteMainDownToTouch 里,其代码大概如下
  1.         private void PromoteMainDownToTouch(PointerStylusDevice stylusDevice, StagingAreaInputItem stagingItem)
  2.         {
  3.             PointerTouchDevice touchDevice = stylusDevice.TouchDevice;
  4.             ... // 忽略其他代码
  5.             touchDevice.OnActivate();
  6.             touchDevice.OnDown();
  7.         }
复制代码
从上文可以知道,在 HwndPointerInputProvider 的 ProcessMessage 里面调用了 _currentStylusDevice.Update 方法时,就将输入的数据存放到 PointerStylusDevice 里面
后续的逻辑就和 WPF 模拟触摸设备 提到的使用方法差不多,只是数据提供源是从 PointerStylusDevice 提供。如果大家对进入到 InputManager 的后续逻辑感兴趣,可参考 WPF 通过 InputManager 模拟调度触摸事件 提供的方法自己跑一下
更多触摸请看 WPF 触摸相关

来源:https://www.cnblogs.com/lindexi/p/18403860
免责声明:由于采集信息均来自互联网,如果侵犯了您的权益,请联系我们【E-Mail:cb@itdo.tech】 我们会及时删除侵权内容,谢谢合作!

举报 回复 使用道具