如何通过QByteArray在JSON中存储QPixmap?

时间:2015-09-03 12:47:53

标签: json qt bytearray qt5

我有一个QByteArray,我希望使用Qt将其保存在JSON文件中,并且还可以再次读取它。由于JSON本身无法存储原始数据,我认为最好的方法可能是字符串?目标是以这种方式保存QPixmap:

{
  "format" : "jpg",
  "data" : "...jibberish..."
}

如何实现此目标以及如何再次从此JSON对象中读取(我使用的是Qt5)?我现在看到的就是这样:

QPixmap p;
...

QByteArray ba;
QBuffer buffer(&ba);

buffer.open(QIODevice::WriteOnly);
p.save(&buffer, "jpg");

QJsonObject json;
gameObject["data"] = QString(buffer.data());

QJsonDocument doc(json);
file.write(doc.toJson());

但由此产生的' jibberish'是缩短包含整个图像的方法。

1 个答案:

答案 0 :(得分:11)

无法从任意QString构建QByteArray。您需要对字节数组进行编码,使其可以首先转换为字符串。从C ++语义的角度来看,QString可以从QByteArray构造出来,这有点误导。它是否真正可构建取决于QByteArray中的内容。

QByteArray::toBase64fromBase64是实现目标的一种方式。

由于您希望保存像素图而不会丢失其内容,因此不应将其保存为JPG等有损格式。请改用PNG。如果您在执行完整的json-> pixmap-> json电路时不重复加载和存储相同的像素图,则仅使用JPG。

另一个问题是:对于要存储或加载自身的pixmap,它需要在内部转换为QImage。这涉及潜在的颜色格式转换。此类转换可能会丢失数据。您必须小心确保以相同的格式进行任何往返。

理想情况下,您应该使用QImage而不是QPixmap。在现代Qt中,QPixmap只是QImage的一个薄包装。

// https://github.com/KubaO/stackoverflown/tree/master/questions/pixmap-to-json-32376119
#include <QtGui>

QJsonValue jsonValFromPixmap(const QPixmap &p) {
  QBuffer buffer;
  buffer.open(QIODevice::WriteOnly);
  p.save(&buffer, "PNG");
  auto const encoded = buffer.data().toBase64();
  return {QLatin1String(encoded)};
}

QPixmap pixmapFrom(const QJsonValue &val) {
  auto const encoded = val.toString().toLatin1();
  QPixmap p;
  p.loadFromData(QByteArray::fromBase64(encoded), "PNG");
  return p;
}

int main(int argc, char **argv) {
   QGuiApplication app{argc, argv};
   QImage img{32, 32, QImage::Format_RGB32};
   img.fill(Qt::red);
   auto pix = QPixmap::fromImage(img);
   auto val = jsonValFromPixmap(pix);
   auto pix2 = pixmapFrom(val);
   auto img2 = pix2.toImage();
   Q_ASSERT(img == img2);
}