8

我想将表示键盘上的键的字符串转换为键码枚举,如Qt::Key(或其他任何东西)。示例转换为:

  • "Ctrl"Qt::Key_Control
  • "Up"Qt::Key_Up
  • "a"Qt::Key_A
  • "5"Qt::Key_5

如您所见,上面不仅包括字母数字键,还包括修饰符和特殊键。我没有附加到 Qt 键码枚举,但似乎 Qt 在QKeySequencefromString静态函数中具有此解析功能(请参阅此直接链接):

QKeySequence fromString(const QString & str, SequenceFormat format);

你可能是我需要这种转换的原因。好吧,我有一个由GhostMouse生成的数据文件。这是我输入的日志。这是我输入的示例" It "

{SPACE down}
{Delay 0.08}
{SPACE up}
{Delay 2.25}
{SHIFT down}
{Delay 0.11}
{i down}
{Delay 0.02}
{SHIFT up}
{Delay 0.03}
{i up}
{Delay 0.05}
{t down}
{Delay 0.08}
{t up}
{Delay 0.05}
{SPACE down}
{Delay 0.12}
{SPACE up}

所以我需要一种方法来将字符串“SPACE”和表示此数据文件中键的所有其他字符串转换为唯一的int.

4

3 回答 3

9

您已经在正确的轨道上查看QKeySequence,因为这可用于在字符串和键代码之间进行转换:

QKeySequence seq = QKeySequence("SPACE");
qDebug() << seq.count(); // 1

// If the sequence contained more than one key, you
// could loop over them. But there is only one here.
uint keyCode = seq[0]; 
bool isSpace = keyCode==Qt::Key_Space;
qDebug() << keyCode << isSpace;  // 32 true

QString keyStr = seq.toString().toUpper();
qDebug() << keyStr;  // "SPACE"

由 OP 添加

以上不支持修饰键,例如 Ctrl、Alt、Shift 等。不幸的是,QKeySequence不将Ctrl键本身确认为键。因此,要支持修饰键,您必须使用“+”号拆分字符串表示,然后分别处理每个子字符串。以下是完整的功能:

QVector<int> EmoKey::splitKeys(const QString &comb)
{
    QVector<int> keys;
    const auto keyList = comb.split('+');
    for (const auto &key: keyList) {
        if (0 == key.compare("Alt", Qt::CaseInsensitive)) {
            keys << Qt::Key_Alt;
        } else if (0 == key.compare("Ctrl", Qt::CaseInsensitive)) {
            keys << Qt::Key_Control;
        } else if (0 == key.compare("Shift", Qt::CaseInsensitive)) {
            keys << Qt::Key_Shift;
        } else if (0 == key.compare("Meta", Qt::CaseInsensitive)) {
            keys << Qt::Key_Meta;
        } else {
            const QKeySequence keySeq(key);
            if (1 == keySeq.count()) {
                keys << keySeq[0];
            }
        }
    }
    return keys;
}
于 2012-12-25T22:00:28.117 回答
1

在一行中,尝试一下:

qDebug() << QKeySequence(event->modifiers()+event->key()).toString() << '\n';

首先我调用 QKeySequence 构造函数,然后使用 toString() 将其转换为字符串。

输出(最后一个是 windows 键):

"Alt+??"

"Alt+A"

"Alt+A"

"Alt+A"

"A"

"S"

"F1"

"F2"

"Home"

"Ins"

"Num+8"

"Num+5"

"Num+4"

"Num+."

"Num++"

"Num+-"

"Num+/"

"Num+*"

"??"
于 2013-10-12T15:07:43.127 回答
1

大部分键码都可以恢复,比如QKeySequence::fromString("SPACE")[0]返回32。对Shift、Ctrl等无效,需要自己处理一些字符串。

于 2012-12-25T22:01:16.257 回答