3

我需要使用 Qt 为 C++ 中的字符串创建等效的 switch/case 语句。我相信最简单的方法是这样的(伪代码)

enum colours { red, green, blue };
QString array[] colour_names = { "red", "green", "blue" };
switch (color_names[user_string]) {
  case red: answer="Chose red";
  case green: answer="Chose green";
  case blue: answer="Chose blue";
  other: answer="Invalid choice";
}

但这并没有利用 Qt 的某些特性。我已经阅读了 QStringList(在字符串列表中查找字符串的位置)和 std:map(请参阅如何轻松地将 c++ 枚举映射到我不完全理解的字符串)。

有没有更好的方法来切换字符串?

4

3 回答 3

4

使用字符串的唯一方法是使用switch()字符串的整数值散列。您需要预先计算要比较的字符串的哈希值。例如,这是 qmake 中用于读取 Visual Studio 项目文件的方法。

重要警告:

  1. 如果您关心与其他一些字符串的哈希冲突,那么您需要比较案例中的字符串。不过,这仍然比进行 (N/2) 字符串比较便宜。

  2. qHash已针对 QT 5 进行了重新设计,并且哈希值与 Qt 4 不同。

  3. 不要忘记breakswitch 中的语句。您的示例代码错过了这一点,并且还具有无意义的开关值!

您的代码如下所示:

#include <cstdio>
#include <QTextStream>

int main(int, char **)
{
#if QT_VERSION < QT_VERSION_CHECK(5,0,0)
    static const uint red_hash = 30900;
    static const uint green_hash = 7244734;
    static const uint blue_hash = 431029;
#else
    static const uint red_hash = 112785;
    static const uint green_hash = 98619139;
    static const uint blue_hash = 3027034;
#endif

    QTextStream in(stdin), out(stdout);
    out << "Enter color: " << flush;
    const QString color = in.readLine();
    out << "Hash=" << qHash(color) << endl;

    QString answer;
    switch (qHash(color)) {
    case red_hash:
        answer="Chose red";
        break;
    case green_hash:
        answer="Chose green";
        break;
    case blue_hash:
        answer="Chose blue";
        break;
    default:
        answer="Chose something else";
        break;
    }
    out << answer << endl;
}
于 2013-09-29T19:43:15.303 回答
1
QStringList menuitems;
menuitems << "about" << "history";

switch(menuitems.indexOf(QString menuId)){
case 0:
    MBAbout();
    break;
case 1:
    MBHistory();
    break;
}
于 2016-12-07T01:47:00.413 回答
0

我在另一个网站上找到了使用颜色的 QStringList 的建议,在 switch 中使用 IndexOf(),然后在 case 语句中使用枚举值

于 2013-09-30T16:58:51.083 回答