如何在WPF / C#中的不同区域设置键盘上捕获“#”字符?

我的WPF应用程序处理的是键盘电话,尤其是#和*字符,因为它是VoIP电话。

我在使用国际键盘,尤其是英式英语键盘时遇到了一个错误。通常我会听3键,如果Shift键修改器不放,我们会触发一个事件来做事。但是,在英式键盘上,这是“£”字符。我发现英国英语键盘有一个专用的“#”键。显然,我们只能听那个特定的键,但这不能解决美国英语的问题,即shift-3以及将其放在其他地方的所有其他无数键盘。

长话短说,无论按键组合还是单个按键,我如何从按键中监听某个特定字符并做出反应?

回答:

下面的函数GetCharFromKey(Key key)可以解决问题。

它使用一系列win32调用来解码按下的键:

  1. 从WPF密钥获取虚拟密钥

  2. 从虚拟密钥获取扫描代码

  3. 得到你的Unicode字符

这篇旧文章对此进行了更详细的描述。

      public enum MapType : uint

{

MAPVK_VK_TO_VSC = 0x0,

MAPVK_VSC_TO_VK = 0x1,

MAPVK_VK_TO_CHAR = 0x2,

MAPVK_VSC_TO_VK_EX = 0x3,

}

[DllImport("user32.dll")]

public static extern int ToUnicode(

uint wVirtKey,

uint wScanCode,

byte[] lpKeyState,

[Out, MarshalAs(UnmanagedType.LPWStr, SizeParamIndex = 4)]

StringBuilder pwszBuff,

int cchBuff,

uint wFlags);

[DllImport("user32.dll")]

public static extern bool GetKeyboardState(byte[] lpKeyState);

[DllImport("user32.dll")]

public static extern uint MapVirtualKey(uint uCode, MapType uMapType);

public static char GetCharFromKey(Key key)

{

char ch = ' ';

int virtualKey = KeyInterop.VirtualKeyFromKey(key);

byte[] keyboardState = new byte[256];

GetKeyboardState(keyboardState);

uint scanCode = MapVirtualKey((uint)virtualKey, MapType.MAPVK_VK_TO_VSC);

StringBuilder stringBuilder = new StringBuilder(2);

int result = ToUnicode((uint)virtualKey, scanCode, keyboardState, stringBuilder, stringBuilder.Capacity, 0);

switch (result)

{

case -1:

break;

case 0:

break;

case 1:

{

ch = stringBuilder[0];

break;

}

default:

{

ch = stringBuilder[0];

break;

}

}

return ch;

}

以上是 如何在WPF / C#中的不同区域设置键盘上捕获“#”字符? 的全部内容, 来源链接: utcz.com/qa/403641.html

回到顶部