0

我有一个QHash<const QString id, MyClass>, 而 MyClass 只是一些带有 getter 和 setter 的 QString quint8 值的集合。MyClass 也有一个QDataStream &operator<<(QDataStream &ds, const MyClass &obj)被覆盖的,那里。

要序列化我使用:

typedef QHash<const QString, MyClass> MyClassHash;
//..
QDataStream &operator<<(QDataStream &ds, const MyClassHash &obj) {

    QHashIterator<const QString, MyClass> i(obj);

    while(i.hasNext())
    {
        i.next();
        QString cKey = i.key();
        ds << cKey << i.value();
    }

    return ds;
}

现在,我对另一个感到困惑:

QDataStream &operator>>(QDataStream &ds, MyClassHash &obj) {
    obj.clear();

    // ?    

    return ds;
}

我会知道那个序列化 QHash 的长度吗?

4

3 回答 3

1

为 QHash提供operator<<operator>>;Qt 已经为您提供了它们的实现。

只要您的键类型和值类型都可以使用 QDataStream 序列化,那么您就可以开始了:

class MyClass
{
    int i;
    friend QDataStream &operator<<(QDataStream &ds, const MyClass &c);
    friend QDataStream &operator>>(QDataStream &ds, MyClass &c);
};

QDataStream &operator<<(QDataStream &ds, const MyClass &c)
{
    ds << c.i;
    return ds;
}
QDataStream &operator>>(QDataStream &ds, MyClass &c)
{
    ds >> c.i;
    return ds;
}

int main() 
{
    QHash<QString, MyClass> hash;
    QDataStream ds;
    // doesn't do anything useful, but it compiles, showing you
    // that you don't need any custom streaming operators
    // for QHash
    ds << hash;
    ds >> hash;
}
于 2015-10-26T18:51:26.267 回答
1

QDataStream::status怎么样:

QDataStream &operator>>(QDataStream &ds, MyClassHash &obj) {
  obj.clear(); // clear possible items

  Myclass cMyCls;

  while (!ds.status()) { // while not finished or corrupted
    ds >> cKey >> cMyCls;
    if (!cKey.isEmpty()) { // prohibits the last empty one
      obj.insert(cKey, cMyCls);
    }
  } 

  return ds;
}
于 2015-10-26T17:57:07.140 回答
0

显然,有两种方法可以做事:

  1. operator<<保存 QHash 项目之前,您应该保存 QHash::size
  2. 在最后operator<<保存一些无效的QString,例如空QString,并且在operator>>遇到这样的值时停止读取。
于 2015-10-26T11:28:32.293 回答