如何获取包含 SHIFTSTATE 的 ShortCut Key 的字符串表示?

use*_*348 3 delphi keyboard-shortcuts delphi-10.4-sydney

在 Delphi 10.4.2 Win32 VCL 应用程序中,并基于这里的问题 + 解决方案它提供了一种获取快捷键的字符串表示的方法(但大概不可能为快捷键传递 SHIFTSTATE)我写了这个代码:

function MyGetSpecialShortcutName(ShortCut: TShortCut): string;
// gets shortcut name for e.g. VK_NUMPAD0 where TMenuItem.Shortcut gets the wrong shortcut name
var
  ScanCode: Integer;
  KeyName: array[0..255] of Char;
begin
  Result := '';
  FillChar(KeyName, SizeOf(KeyName), 0);
  ScanCode := Winapi.Windows.MapVirtualKey(LoByte(Word(ShortCut)), 0) shl 16;
  if ScanCode <> 0 then
  begin
    if Winapi.Windows.GetKeyNameText(ScanCode, KeyName, Length(KeyName)) <> 0 then
      Result := KeyName;
  end;
end;

function GetSpecialShortcutNameWithShiftState(const AScanCode: Word; const AShiftState: System.Classes.TShiftState = []): string;
begin
  Result := MyGetSpecialShortcutName(Vcl.Menus.ShortCut(AScanCode, AShiftState));
end;
Run Code Online (Sandbox Code Playgroud)

用法:

Result := GetSpecialShortcutNameWithShiftState(VK_A, [ssCTRL]);
Run Code Online (Sandbox Code Playgroud)

但是,结果是“A”,而预期的结果应该是“CTRL+A”。

如何获取包含 SHIFTSTATE 的 ShortCut Key 的字符串表示?

And*_*and 5

OP 希望键名完全本地化,但为了完整起见,我首先表明 VCL 已经有一个函数来获取部分未本地化的字符串,即ShortCutToTextMenus单元中:

ShortCutToText(ShortCut(Ord('A'), [ssShift, ssAlt]))
Run Code Online (Sandbox Code Playgroud)

这会Shift+Alt+A在所有系统上返回。

现在,使用GetKeyNameTextQ中已经提到的Win32函数,很容易获得一个完全本地化的快捷字符串:

function GetKeyName(AKey: Integer): string;
var
  name: array[0..128] of Char;
begin
  FillChar(name, SizeOf(name), 0);
  GetKeyNameText(MapVirtualKey(AKey, 0) shl 16, @name[0], Length(name));
  Result := name;
end;

function ModifierVirtualKey(AModifier: Integer): Integer;
begin
  case AModifier of
    Ord(ssShift):
      Result := VK_SHIFT;
    Ord(ssCtrl):
      Result := VK_CONTROL;
    Ord(ssAlt):
      Result := VK_MENU;
  else
    Result := 0;
  end;
end;

function ShortcutToString(AKey: Integer; AShiftState: TShiftState = []): string;
begin
  Result := '';
  for var Modifier in AShiftState do
  begin
    var ModifierKey := ModifierVirtualKey(Ord(Modifier));
    if ModifierKey <> 0 then
      Result := Result + IfThen(not Result.IsEmpty, '+') + GetKeyName(ModifierKey);
  end;
  Result := Result + IfThen(not Result.IsEmpty, '+') + GetKeyName(AKey);
end;
Run Code Online (Sandbox Code Playgroud)

(这里我使用了来自的IfThen重载StrUtils。)

现在,

ShortcutToString(Ord('A'), [ssShift, ssAlt])
Run Code Online (Sandbox Code Playgroud)

SKIFT+ALT+A在我的瑞典系统上返回。SKIFT正如您可能已经猜到的那样,是SHIFT密钥的瑞典语名称。