Qt之Concurrent框架

简述

QtConcurrent 命名空间提供了高级 API,使得可以在不使用低级线程原语(例如:互斥、读写锁、等待条件或信号量)的情况下编写多线程程序,使用 QtConcurrent 编写的程序根据可用的处理器核心数自动调整所使用的线程数。这意味着,当在未来部署多核系统时,现在编写的应用程序将继续适应。

  • 简述
  • 用法
  • Qt Concurrent
  • 单词统计
  • 更多参考

用法

在 C++ API changes 有关于 Qt Concurrent 的更改说明:

Qt Concurrent has been moved from Qt Core to its own module

意思是说,Qt Concurrent 已经被从 Qt Core 中移到自己的模块中了。所以,要链接到 Qt Concurrent 模块,需要在 qmake 项目文件中添加:

QT += concurrent

注意: QtConcurrent::Exception 类被重命名为 QException,并且 QtConcurrent::UnhandledException 类被重命名为 QUnhandledException,他们仍然位于 Qt Core 中。

Qt Concurrent

QtConcurrent 包含了函数式编程风格 APIs 用于并行列表处理,包括用于共享内存(非分布式)系统的 MapReduce 和 FilterReduce 实现,以及用于管理 GUI 应用程序异步计算的类:

  • Concurrent Map 和 Map-Reduce

    • QtConcurrent::map():将一个函数应用于一个容器中的每一项,就地修改 items。
    • QtConcurrent::mapped():和 map() 类似,只是它返回一个包含修改内容的新容器。
    • QtConcurrent::mappedReduced():和 mapped() 类似,只是修改后的结果减少或组合成一个单一的结果。
  • Concurrent Filter 和 Filter-Reduce

    • QtConcurrent::filter():从一个容器中删除所有 items,基于一个 filter 函数的结果。
    • QtConcurrent::filtered():和 filter() 类似,只是它返回一个包含过滤内容的新容器。
    • QtConcurrent::filteredReduced():和 filtered() 类似,只是过滤后的结果减少或组合成一个单一的结果。
  • Concurrent Run

    • QtConcurrent::run():在另一个线程中运行一个函数。
  • QFuture:表示异步计算的结果

  • QFutureIterator:允许通过 QFuture 遍历可用的结果
  • QFutureWatcher:允许使用信号槽来监控一个 QFuture
  • QFutureSynchronizer:是一个方便的类,用于一些 QFutures 的自动同步

Qt Concurrent 支持多种兼容 STL 的容器和迭代器类型,但是最好使用具有随机访问迭代器的 Qt 容器,例如:QList 或 QVector。map 和 filter 函数都接受容器和 begin/end 迭代器。

STL 迭代器支持概述:

迭代器类型示例类支持状态
Input Iterator不支持
Output Iterator不支持
Forward Iteratorstd::slist支持
Bidirectional IteratorQLinkedList, std::list支持
Random Access IteratorQList, QVector, std::vector支持和推荐

在 Qt Concurrent 迭代大量轻量级 items 的情况下,随机访问迭代器可以更快,因为它们允许跳过容器中的任何点。此外,使用随机访问迭代器允许 Qt Concurrent 通过 QFuture::progressValue() 和 QFutureWatcher::progressValueChanged() 来提供进度信息。

非就地修改的函数(例如:mapped() 和 filtered()),在调用时会创建容器的副本。如果正在使用的是 STL 容器,此复制操作可能需要一段时间,在这种情况下,建议为容器指定 begin 和 end 迭代器。

单词统计

厉害了 Concurrent,来看一个单词统计的示例:

#include <QList>
#include <QMap>
#include <QTextStream>
#include <QString>
#include <QStringList>
#include <QDir>
#include <QTime>
#include <QApplication>
#include <QDebug>#include <qtconcurrentmap.h>using namespace QtConcurrent;// 递归搜索文件
QStringList findFiles(const QString &startDir, QStringList filters)
{QStringList names;QDir dir(startDir);foreach (QString file, dir.entryList(filters, QDir::Files))names += startDir + '/' + file;foreach (QString subdir, dir.entryList(QDir::AllDirs | QDir::NoDotAndDotDot))names += findFiles(startDir + '/' + subdir, filters);return names;
}typedef QMap<QString, int> WordCount;// 单线程单词计数器函数
WordCount singleThreadedWordCount(QStringList files)
{WordCount wordCount;foreach (QString file, files) {QFile f(file);f.open(QIODevice::ReadOnly);QTextStream textStream(&f);while (textStream.atEnd() == false)foreach (const QString &word, textStream.readLine().split(' '))wordCount[word] += 1;}return wordCount;
}// countWords 计算单个文件的单词数,该函数由多个线程并行调用,并且必须是线程安全的。
WordCount countWords(const QString &file)
{QFile f(file);f.open(QIODevice::ReadOnly);QTextStream textStream(&f);WordCount wordCount;while (textStream.atEnd() == false)foreach (const QString &word, textStream.readLine().split(' '))wordCount[word] += 1;return wordCount;
}// reduce 将 map 的结果添加到最终结果,该函数只能由一个线程一次调用。
void reduce(WordCount &result, const WordCount &w)
{QMapIterator<QString, int> i(w);while (i.hasNext()) {i.next();result[i.key()] += i.value();}
}int main(int argc, char** argv)
{QApplication app(argc, argv);qDebug() << "finding files...";QStringList files = findFiles("../../", QStringList() << "*.cpp" << "*.h");qDebug() << files.count() << "files";int singleThreadTime = 0;{QTime time;time.start();// 单线程统计,与 mapreduce 机制实现的作对比WordCount total = singleThreadedWordCount(files);singleThreadTime = time.elapsed();// 打印出所耗费的时间qDebug() << "single thread" << singleThreadTime;}int mapReduceTime = 0;{QTime time;time.start();// mappedReduced 方式进行统计WordCount total = mappedReduced(files, countWords, reduce);mapReduceTime = time.elapsed();qDebug() << "MapReduce" << mapReduceTime;}// 输出 mappedReduced 方式比单线程处理方式要快的倍数qDebug() << "MapReduce speedup x" << ((double)singleThreadTime - (double)mapReduceTime) / (double)mapReduceTime + 1;
}

输出如下:

finding files…
2185 files
single thread 5221
MapReduce 2256
MapReduce speedup x 2.31427

可以看出,共查找了 2185 个文件,单线程使用了 5221 毫秒,MapReduce 方式使用了 2256 毫秒,比单线程要快 2.31427 倍。经过反复尝试,基本都在 2 倍以上。

更多参考

  • Qt之Concurrent Map和Map-Reduce
  • Qt之Concurrent Filter和Filter-Reduce
  • Qt之Concurrent Run
  • Qt之QFuture
  • Qt之QFutureWatcher

转载于:https://www.cnblogs.com/new0801/p/6146553.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/418228.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Eclipse中单元测试

再开发时候只需要Test即可

01-subgradients_notes

Subgradients 次梯度 S. Boyd and L. Vandenberghe Notes for EE364b, Stanford University, Winter 2006-07 April 13, 2008 1 定义 我们称一个矢量g∈Rn是函数f:Rn→R在x∈domf处的次梯度&#xff0c;如果对于所有的z∈domf满足&#xff1a; f(z)≥f(x)gT(z−x)(1)如果f是…

解决Unity3D导出apk失败:Failed to re-package resources

前几天把系统重装了一下&#xff0c;重新安装Unity3D和Android Studio之后发现过去的文件都不能导出了。 错误信息主要包括&#xff1a; CommandInvokationFailure: Failed to re-package resources. See the Console for details.E:\Android\sdk\build-tools\24.0.0\aapt.exe …

代码块的总结

class Mid extends Root{ static { System.out.println("Mid的静态初始化块"); } { System.out.println("Mid的普通初始化块"); } public Mid() { super(); System.out.println("Mid的无参构造器…

改进MySQL Order By Rand()的低效率

Author&#xff1a;flymorn Source&#xff1a;飘易Categories&#xff1a;PHP编程 PostTime&#xff1a;2011-1-14 15:35:07正 文&#xff1a;最近由于需要研究了一下MYSQL的随机抽取实现方法。举个例子&#xff0c;要从tablename表中随机提取一条记录&#xff0c;大家一般的写…

匿名子类对象

匿名对象的意义&#xff1a;一般只使用一次&#xff0c;图方便&#xff0c;不需要重新写一个类。 匿名类通常都是的形式结构通常都是&#xff1a; abstract class A ... 创建匿名类&#xff1a; A a1 new A(){ 重写所有抽象类的方法 } package AbstractTest2; public cla…

内部类访问局部变量的时候,为什么变量必须加上final修饰

这里的局部变量就是在类方法中的变量&#xff0c;能访问方法中变量的类当然也是局部内部类了。我们都知道&#xff0c;局部变量在所处的函数执行完之后就释放了&#xff0c;但是内部类对象如果还有引用指向的话它是还存在的。例如下面的代码&#xff1a; class Outer{ …

创建接口匿名实现类的对象的四种方法

package InterfactTest; public class InterfaceTest { public static void main(String[] args) { // TODO Auto-generated method stub Computer com new Computer(); com.transferData(new Print()); //创建了非匿名实现类的匿名对象 …

Thinkphp 数据库配置参数

mysql配置 DB_USER > array(DB_TYPE > mysql,DB_HOST > 127.0.0.1,DB_NAME > blog,DB_USER > root,DB_PWD > ,DB_PORT > 3306,DB_PREFIX > ,DB_CHARSET> utf8, // 字符集), Oracle配置&#xff08;模式&#xff09; DB_DATA > array(DB_TYPE >…

代理模式简单模板

package ProxyTest;//接口的应用:代理模式public class NetWorkTest {public static void main(String[] args) {Server se new Server();new ProxyServer(se).browse();} }interface NetWork{void browse(); }//被代理类 class Server implements NetWork{Overridepublic voi…

写出gradle风格的groovy代码

写出gradle风格的groovy代码 我们先来看一段gradle中的代码&#xff1a; buildscript {repositories {jcenter()}dependencies {classpath com.android.tools.build:gradle:2.1.2} }allprojects {repositories {jcenter()} }task clean(type: Delete) {delete rootProject.buil…