要實現一個屏幕鍵盤,需要監聽所有鍵盤事件,無論窗體是否被激活。因此需 要一個全局的鉤子,也就是系統范圍的鉤子。
什麼是鉤子(Hook)
鉤子(Hook)是Windows提供的一種消息處理機制平台,是指在程序正常 運行中接受信息之前預先啟動的函數,用來檢查和修改傳給該程序的信息,(鉤 子)實際上是一個處理消息的程序段,通過系統調用,把它掛入系統。每當特定 的消息發出,在沒有到達目的窗口前,鉤子程序就先捕獲該消息,亦即鉤子函數 先得到控制權。這時鉤子函數即可以加工處理(改變)該消息,也可以不作處理 而繼續傳遞該消息,還可以強制結束消息的傳遞。注意:安裝鉤子函數將會影響 系統的性能。監測“系統范圍事件”的系統鉤子特別明顯。因為系統 在處理所有的相關事件時都將調用您的鉤子函數,這樣您的系統將會明顯的減慢 。所以應謹慎使用,用完後立即卸載。還有,由於您可以預先截獲其它進程的消 息,所以一旦您的鉤子函數出了問題的話必將影響其它的進程。
鉤子的作 用范圍
一共有兩種范圍(類型)的鉤子,局部的和遠程的。局部鉤子僅鉤 掛自己進程的事件。遠程的鉤
子還可以將鉤掛其它進程發生的事件。遠程 的鉤子又有兩種: 基於線程的鉤子將捕獲其它進程中某一特定線程的事件。簡言 之,就是可以用來觀察其它進程中的某一特定線程將發生的事件。系統范圍的鉤 子將捕捉系統中所有進程將發生的事件消息。
Hook 類型
Windows 共有14種Hooks,每一種類型的Hook可以使應用程序能夠監視不同類型的系統消息 處理機制。下面描述所有可以利用的Hook類型的發生時機。詳細內容可以查閱 MSDN,這裡只介紹我們將要用到的兩種類型的鉤子。
(1) WH_KEYBOARD_LL Hook
WH_KEYBOARD_LL Hook監視輸入到線程消息隊列中的 鍵盤消息。
(2)WH_MOUSE_LL Hook
WH_MOUSE_LL Hook監視輸入到 線程消息隊列中的鼠標消息。下面的 class 把 API 調用封裝起來以便調用。
1// NativeMethods.cs
2using System;
3using System.Runtime.InteropServices;
4using System.Drawing;
5
6namespace CnBlogs.Youzai.ScreenKeyboard {
7 [StructLayout (LayoutKind.Sequential)]
8 internal struct MOUSEINPUT {
9 public int dx;
10 public int dy;
11 public int mouseData;
12 public int dwFlags;
13 public int time;
14 public IntPtr dwExtraInfo;
15 }
16
17 [StructLayout(LayoutKind.Sequential)]
18 internal struct KEYBDINPUT {
19 public short wVk;
20 public short wScan;
21 public int dwFlags;
22 public int time;
23 public IntPtr dwExtraInfo;
24 }
25
26 [StructLayout(LayoutKind.Explicit)]
27 internal struct Input {
28 [FIEldOffset(0)]
29 public int type;
30 [FIEldOffset(4)]
31 public MOUSEINPUT mi;
32 [FIEldOffset(4)]
33 public KEYBDINPUT ki;
34 [FIEldOffset(4)]
35 public HARDWAREINPUT hi;
36 }
37
38 [StructLayout (LayoutKind.Sequential)]
39 internal struct HARDWAREINPUT {
40 public int uMsg;
41 public short wParamL;
42 public short wParamH;
43 }
44
45 internal class INPUT {
46 public const int MOUSE = 0;
47 public const int KEYBOARD = 1;
48 public const int HARDWARE = 2;
49 }
50
51 internal static class NativeMethods {
52 [DllImport("User32.dll", CharSet = CharSet.Auto, SetLastError = false)]
53 internal static extern IntPtr GetWindowLong(IntPtr hWnd, int nIndex);
54
55 [DllImport("User32.dll", CharSet = CharSet.Auto, SetLastError = false)]
56 internal static extern IntPtr SetWindowLong(IntPtr hWnd, int nIndex, int dwNewLong);
57
58 [DllImport("User32.dll", EntryPoint = "SendInput", CharSet = CharSet.Auto)]
59 internal static extern UInt32 SendInput(UInt32 nInputs, Input[] pInputs, Int32 cbSize);
60
61 [DllImport("Kernel32.dll", EntryPoint = "GetTickCount", CharSet = CharSet.Auto)]
62 internal static extern int GetTickCount();
63
64 [DllImport("User32.dll", EntryPoint = "GetKeyState", CharSet = CharSet.Auto)]
65 internal static extern short GetKeyState(int nVirtKey);
66
67 [DllImport("User32.dll", EntryPoint = "SendMessage", CharSet = CharSet.Auto)]
68 internal static extern IntPtr SendMessage(IntPtr hWnd, int msg, IntPtr wParam, IntPtr lParam);
69 }
70}