- 1.
- 2. Implementation
- 1. widget.h
- 2. widget.cpp
- 3. Conclusion
Consider a small example of the formation of a JSON document from, for example, the text and the title of this text.
For example, the text has:
- Title - First Title
- Content - First Content
And so on
We will add this text to QJsonObject, which we will add to the QJsonArray text array. The array of objects will be in the general working QJsonObject, which we will save to a file.
We will do all this through a graphical interface in which we have:
- QLineEdit - titleLineEdit - contains the title of the text to add
- QTextEdit - contentTextEdit - contains the contents of the text to add
- QTextEdit - jsonDocumentTextEdit - JSON document preview
- QPushButton - addButton - button to add new text in JSON
- QPushButton - clearButton - button to remove all texts from the current QJsonObject
- QPushButton - saveButton - button to save JSON document to file
- QPushButton - loadButton - button to read JSON from file
In this case, we will be able to read the JSON file and add additional texts to the read file.
The application will look like this.
Implementation
widget.h
#ifndef WIDGET_H #define WIDGET_H #include <QWidget> #include <QJsonObject> namespace Ui { class Widget; } class Widget : public QWidget { Q_OBJECT public: explicit Widget(QWidget *parent = nullptr); ~Widget(); private: // Slot of adding new text to the array of texts void onAddButtonClicked(); // Слот удаления всей информации о текстах в текущем объекте void onClearButtonClicked(); // Slot save text in json file void onSaveButtonClicked(); // Slot of loading texts into the program from json file void onLoadButtonClicked(); Ui::Widget *ui; // The current json object you are working with QJsonObject m_currentJsonObject; }; #endif // WIDGET_H
widget.cpp
#include "widget.h" #include "ui_widget.h" #include <QFileDialog> #include <QFile> #include <QDir> #include <QJsonObject> #include <QJsonArray> #include <QJsonDocument> Widget::Widget(QWidget *parent) : QWidget(parent), ui(new Ui::Widget) { ui->setupUi(this); // Connecting handler slots to button click signals connect(ui->addButton, &QPushButton::clicked, this, &Widget::onAddButtonClicked); connect(ui->clearButton, &QPushButton::clicked, this, &Widget::onClearButtonClicked); connect(ui->saveButton, &QPushButton::clicked, this, &Widget::onSaveButtonClicked); connect(ui->loadButton, &QPushButton::clicked, this, &Widget::onLoadButtonClicked); } Widget::~Widget() { delete ui; } void Widget::onAddButtonClicked() { // Create a text object QJsonObject textObject; textObject["title"] = ui->titleLineEdit->text(); // Set the text header textObject["content"] = ui->contentTextEdit->toPlainText(); // Set the content of the text QJsonArray textsArray = m_currentJsonObject["texts"].toArray(); // We take the current array of texts, even if it does not exist, it will be created automatically textsArray.append(textObject); // Add a text object to the array m_currentJsonObject["texts"] = textsArray; // Save the array back to the current object. // Set the text of the entire Json object in the text field for verification ui->jsonDocumentTextEdit->setText(QJsonDocument(m_currentJsonObject).toJson(QJsonDocument::Indented)); } void Widget::onClearButtonClicked() { m_currentJsonObject = QJsonObject(); // Re-create the new current QJsonObject ui->jsonDocumentTextEdit->clear(); // Clear the text field // Set the text of the entire Json object in the text field to see that it is an empty object. // See the following -> {} ui->jsonDocumentTextEdit->setText(QJsonDocument(m_currentJsonObject).toJson(QJsonDocument::Indented)); } void Widget::onSaveButtonClicked() { // Using the dialog box we get the file name with the absolute path. QString saveFileName = QFileDialog::getSaveFileName(this, tr("Save Json File"), QString(), tr("JSON (*.json)")); QFileInfo fileInfo(saveFileName); // Using QFileInfo QDir::setCurrent(fileInfo.path()); // set the current working directory where the file will be, otherwise it may not work // Create a file object and open it for writing. QFile jsonFile(saveFileName); if (!jsonFile.open(QIODevice::WriteOnly)) { return; } // Write the current Json object to a file. jsonFile.write(QJsonDocument(m_currentJsonObject).toJson(QJsonDocument::Indented)); jsonFile.close(); // Close file } void Widget::onLoadButtonClicked() { // Choose a file QString openFileName = QFileDialog::getOpenFileName(this, tr("Open Json File"), QString(), tr("JSON (*.json)")); QFileInfo fileInfo(openFileName); // Using QFileInfo QDir::setCurrent(fileInfo.path()); // set the current working directory where the file will be // Create a file object and open it for reading. QFile jsonFile(openFileName); if (!jsonFile.open(QIODevice::ReadOnly)) { return; } // Read the entire file QByteArray saveData = jsonFile.readAll(); // Create QJsonDocument QJsonDocument jsonDocument(QJsonDocument::fromJson(saveData)); // From which we select an object into the current working QJsonObject m_currentJsonObject = jsonDocument.object(); // Clear the text field ui->jsonDocumentTextEdit->clear(); // And set the contents of the Json object in the verification text field. ui->jsonDocumentTextEdit->setText(QJsonDocument(m_currentJsonObject).toJson(QJsonDocument::Indented)); }
Conclusion
In this particular case, QFileDialog is used to get the path to the recordable file and the file being opened. Of course, from manipulating an existing file, only adding new texts is available and you can open any correct JSON document and then add text to it. But for example, I believe that more is not needed.
Скажите пожалуйста, в 55 строке получаем saveFileNam, это видимо полное имя файла. Но где потом сообщается полный путь файлу json при его записи?
В saveFileName будет полный путь к файлу с его именем. В диалоге просто вводите имя файла с расширением, а QFileDialog возвращает имя файла и полный путь к нему.
Можете увидеть это, если добавите вывод в qDebug
А через fileInfo я выдернул путь к файлу, чтобы установить рабочую директорию через QDir::setCurrent();, чтобы указать, где именно сохраняется файл. А когда я передаю saveFileName в QFile, даже с наличием пути в имени, всё будет нормально работать, путь должен быть отброшен автоматически.
Спасибо.
Скажите пожалуйста, зачем 65 строка? написал по образцу часть кода, выдало ошибку D:\QTProject\ReaderResume\main.cpp:58: ошибка: return-statement with no value, in function returning 'int' [-fpermissive]
return;
^
Без return работает
зачем вы слот написали с возвращаемым значением int?
У вас сигнатура в вашем коде так написана
слоту обычно не требуется возвращаемое значение.
return прерывает выполнение метода, чтобы не шло дальше, если файл не открылся в данном случае.
Спасибо
Скажите пожалуйста, как добавить в массив QJsonArray другой массив QVector<QString> TextArra?
Как я понял, это можно сделать в цикле поочередно для каждого члена массива, но можно ли сразу перевести одной командой?
Думаю, что через алгоритмические методы вставки из стандартной библиотеки и использование итераторов с лямбда функциями можно написать и в одну строку.
Но судя по вашим вопросам, могу сказать, что вы не знакомы со всем этим зоопарком, поэтому пока не забивайте себе этим голову, в процессе работы сами прийдёте к использованию данного функционала. Так что сделайте через цикл поочерёдно. Просто напишите
Также вы можете сами написать эту вспомогательную команду.
Спасибо. И скажите пожалуйста, как перевести QString в QJsonValue
QJsonValue::fromVariant(const QVariant& variant);
Спасибо.
Скажите пожалуйста, в json файле размещен массив, в этот массив нужно добавить еще один элемент массива. Но считывать весь массив - тратить дополнительное время. Можно ли, при условии, что я знаю, что там только один массив, как то быстро добавить один элемент?
Возможно, через итератор можно будет сделать. Я не проверял. сам по себе метод toArray() возвращает копию массива...
На первый взгляд я не увидел необходимой возможности, хотя подумал об этом.
Возможно с итераторами через метод find, можно будет взять массив и уже в нём покопаться. Но не факт.
А можно сразу перейти в конец документа, если нет ], то записывать с начала, а если есть ] , то ставить запятую и дописывать еще один элемент?
Это уже вручную нужно реализовывать. Только это не нужно, пока действительно не будет проблемы по производительности.
А вообще, если нужно хранение данных, то возможно и насчёт базы данных стоит подумать. Хотя бы SQLite можно использовать. Это будет эффективнее.
Как отредактировать данные?
Смотря что хотите и в каком виде эти данные. Если в текстовом, то их нужно прочитать, перевести в QJsonDocument, из него достать массив connect, и уже обращаясь у элементам массива, получвя из него объекты редактировать их