mirror of
https://github.com/simonbrunel/qtpromise.git
synced 2025-04-03 23:15:05 +08:00
Split the root README.md in multiple Markdown files (in the `docs/` folder) to make easier reading, editing and extending the documentation. An online version is also available on netlify (https://qtpromise.netlify.com). Building it requires Node.js installed, then: - npm install -g gitbook-cli - gitbook install ./ - gitbook build . dist/docs
2.7 KiB
2.7 KiB
Installation
QtPromise is a header-only library, simply download the latest release (or git submodule
) and include qtpromise.pri
from your project .pro
.
qpm
Alternatively and only if your project relies on qpm, you can install QtPromise as follow:
qpm install com.github.simonbrunel.qtpromise
Usage
The recommended way to use QtPromise is to include the single module header:
#include <QtPromise>
Example
Let's first make the code more readable by using the library namespace:
using namespace QtPromise;
This download
function creates a promise from callbacks which will be resolved when the network request is finished:
QPromise<QByteArray> download(const QUrl& url)
{
return QPromise<QByteArray>([&](
const QPromiseResolve<QByteArray>& resolve,
const QPromiseReject<QByteArray>& reject) {
QNetworkReply* reply = manager->get(QNetworkRequest(url));
QObject::connect(reply, &QNetworkReply::finished, [=]() {
if (reply->error() == QNetworkReply::NoError) {
resolve(reply->readAll());
} else {
reject(reply->error());
}
reply->deleteLater();
});
});
}
The following method uncompress
data in a separate thread and returns a promise from QFuture:
QPromise<Entries> uncompress(const QByteArray& data)
{
return qPromise(QtConcurrent::run([](const QByteArray& data) {
Entries entries;
// {...} uncompress data and parse content.
if (error) {
throw MalformedException();
}
return entries;
}, data));
}
It's then easy to chain the whole asynchronous process using promises:
- initiate the promise chain by downloading a specific URL,
then
and only if download succeeded, uncompress received data,then
validate and process the uncompressed entries,finally
perform operations whatever the process succeeded or failed,- and handle specific errors using
fail
.
download(url).then(&uncompress).then([](const Entries& entries) {
if (entries.isEmpty()) {
throw UpdateException("No entries");
}
// {...} process entries
}).finally([]() {
// {...} cleanup
}).fail([](QNetworkReply::NetworkError err) {
// {...} handle network error
}).fail([](const UpdateException& err) {
// {...} handle update error
}).fail([]() {
// {...} catch all
});