c++11线程池实现
咳咳。c++11 增加了线程库,从此告别了标准库不支持并发的历史。
然而 c++ 对于多线程的支持还是比較低级,略微高级一点的使用方法都须要自己去实现,譬如线程池、信号量等。
线程池(thread pool)这个东西。在面试上多次被问到,一般的回答都是:“管理一个任务队列。一个线程队列,然后每次取一个任务分配给一个线程去做。循环往复。” 貌似没有问题吧。
可是写起程序来的时候就出问题了。
废话不多说,先上实现。然后再啰嗦。(dont talk, show me ur code !)
- #ifndef ILOVERS_THREAD_POOL_H
- #define ILOVERS_THREAD_POOL_H
- #include <iostream>
- #include <functional>
- #include <thread>
- #include <condition_variable>
- #include <future>
- #include <atomic>
- #include <vector>
- #include <queue>
- // 命名空间
- namespace ilovers {
- class TaskExecutor;
- }
- class ilovers::TaskExecutor{
- using Task = std::function<void()>;
- private:
- // 线程池
- std::vector<std::thread> pool;
- // 任务队列
- std::queue<Task> tasks;
- // 同步
- std::mutex m_task;
- std::condition_variable cv_task;
- // 是否关闭提交
- std::atomic<bool> stop;
- public:
- // 构造
- TaskExecutor(size_t size = 4): stop {false}{
- size = size < 1 ? 1 : size;
- for(size_t i = 0; i< size; ++i){
- pool.emplace_back(&TaskExecutor::schedual, this); // push_back(std::thread{...})
- }
- }
- // 析构
- ~TaskExecutor(){
- for(std::thread& thread : pool){
- thread.detach(); // 让线程“自生自灭”
- //thread.join(); // 等待任务结束。 前提:线程一定会运行完
- }
- }
- // 停止任务提交
- void shutdown(){
- this->stop.store(true);
- }
- // 重新启动任务提交
- void restart(){
- this->stop.store(false);
- }
- // 提交一个任务
- template<class F, class... Args>
- auto commit(F&& f, Args&&... args) ->std::future<decltype(f(args...))> {
- if(stop.load()){ // stop == true ??
- throw std::runtime_error("task executor have closed commit.");
- }
- using ResType = decltype(f(args...)); // typename std::result_of<F(Args...)>::type, 函数 f 的返回值类型
- auto task = std::make_shared<std::packaged_task<ResType()>>(
- std::bind(std::forward<F>(f), std::forward<Args>(args)...)
- ); // wtf !
- { // 加入任务到队列
- std::lock_guard<std::mutex> lock {m_task};
- tasks.emplace([task](){ // push(Task{...})
- (*task)();
- });
- }
- cv_task.notify_all(); // 唤醒线程运行
- std::future<ResType> future = task->get_future();
- return future;
- }
- private:
- // 获取一个待运行的 task
- Task get_one_task(){
- std::unique_lock<std::mutex> lock {m_task};
- cv_task.wait(lock, [this](){ return !tasks.empty(); }); // wait 直到有 task
- Task task {std::move(tasks.front())}; // 取一个 task
- tasks.pop();
- return task;
- }
- // 任务调度
- void schedual(){
- while(true){
- if(Task task = get_one_task()){
- task(); //
- }else{
- // return; // done
- }
- }
- }
- };
- #endif
- void f()
- {
- std::cout << "hello, f !" << std::endl;
- }
- struct G{
- int operator()(){
- std::cout << "hello, g !" << std::endl;
- return 42;
- }
- };
- int main()
- try{
- ilovers::TaskExecutor executor {10};
- std::future<void> ff = executor.commit(f);
- std::future<int> fg = executor.commit(G{});
- std::future<std::string> fh = executor.commit([]()->std::string { std::cout << "hello, h !" << std::endl; return "hello,fh !";});
- executor.shutdown();
- ff.get();
- std::cout << fg.get() << " " << fh.get() << std::endl;
- std::this_thread::sleep_for(std::chrono::seconds(5));
- executor.restart(); // 重新启动任务
- executor.commit(f).get(); //
- std::cout << "end..." << std::endl;
- return 0;
- }catch(std::exception& e){
- std::cout << "some unhappy happened... " << e.what() << std::endl;
- }
为了避嫌,先进行一下版权说明:代码是 me “写”的,可是思路来自 Internet。 特别是这个线程池实现(窝的实现。基本 copy 了这个实现,好东西值得
copy !)。
实现原理
接着前面的废话说。“管理一个任务队列,一个线程队列,然后每次取一个任务分配给一个线程去做,循环往复。
” 这个思路有神马问题?线程池一般要复用线程。所以假设是取一个 task 分配给某一个 thread,运行完之后再又一次分配,在语言层面基本都是不支持的:一般语言的 thread 都是运行一个固定的 task 函数,运行完成线程也就结束了(至少 c++ 是这样)。so 要怎样实现 task 和 thread 的分配呢?
让每个 thread 都去运行调度函数:循环获取一个 task,然后运行之。
idea 是不是非常赞!
保证了 thread 函数的唯一性,并且复用线程运行 task 。
即使理解了 idea,me 想代码还是须要详解一下的。
- 一个线程 pool,一个任务队列 queue 。应该没有意见;
- 任务队列是典型的生产者-消费者模型,本模型至少须要两个工具:一个 mutex + 一个条件变量。或是一个 mutex + 一个信号量。mutex 实际上就是锁。保证任务的加入和移除(获取)的相互排斥性,一个条件变量是保证获取 task 的同步性:一个 empty 的队列。线程应该等待(堵塞);
- stop 控制任务提交,是受了 Java 的影响,还有实现类不叫 ThreadPool 而是叫 TaskExecutor;
- atomic<bool> 本身是原子类型,从名字上就懂:它们的操作 load()/store() 是原子操作,所以不须要再加 mutex。
c++语言细节
即使懂原理也不代表能写出程序。上面用了众多c++11的“奇技淫巧”,以下简单描写叙述之。
- using Task = function<void()> 是类型别名,简化了 typedef 的使用方法。function<void()> 能够觉得是一个函数类型,接受随意原型是 void() 的函数。或是函数对象,或是匿名函数。void() 意思是不带參数,没有返回值。
最初的实现版本号 Task 类型不是单纯的函数类型,而是一个 class,包括一个 status 字段。表明 Task 的状态:未调度、运行中、运行结束。后来由于简化,故删掉了。
- pool.emplace_back(&TaskExecutor::schedual, this); 和 pool.push_back(thread{&TaskExecutor::schedual, this}) 功能一样,仅仅只是前者性能会更好;
- thread{&TaskExecutor::schedual, this} 是构造了一个线程对象。运行函数是成员函数 TaskExecutor::schedual 。
- 全部对象的初始化方式均採用了 {},而不再使用之前的 () 方式,由于风格不够一致且easy出错;
- 匿名函数: [](int a, int b)->int { return a+b; } 不多说。[] 是捕捉器,&r 是引用域外的变量 r, =r 是拷贝域外的 r 值;
- delctype(expr) 用来判断 expr 的类型。和 auto 是类似的。相当于类型占位符。占领一个类型的位置;auto f(A a, B b) -> decltype(a+b) 是一种使用方法,不能写作 decltype(a+b) f(A a, B b),为啥?!
c++ 就是这么规定的!
- commit 方法是不是略奇葩!
能够带随意多的參数,第一个參数是 f。后面依次是函数 f 的參数! 可变參数模板是 c++11 的一大亮点,够亮!至于为什么是 Arg... 和 arg... 。由于规定就是这么用的!
- make_shared 用来构造 shared_ptr 智能指针。
使用方法大体是 shared_ptr<int> p = make_shared<int>(4) 然后 *p == 4 。智能指针的优点就是。 自己主动 delete !
- bind 函数。接受函数 f 和部分參数,返回currying后的匿名函数。譬如 bind(add, 4) 能够实现类似 add4 的函数!
- forward() 函数,类似于 move() 函数,后者是将參数右值化,前者是... 肿么说呢?大概意思就是:不改变最初传入的类型的引用类型(左值还是左值,右值还是右值);
- packaged_task 就是任务函数的封装类,通过 get_future 获取 future , 然后通过 future 能够获取函数的返回值(future.get());packaged_task 本身能够像函数一样调用 () ;
- queue 是队列类, front() 获取头部元素, pop() 移除头部元素;back() 获取尾部元素,push() 尾部加入元素。
- lock_guard 是 mutex 的 stack 封装类,构造的时候 lock(),析构的时候 unlock(),是 c++ RAII 的 idea。
- condition_variable cv; 条件变量, 须要配合 unique_lock 使用。unique_lock 相比 lock_guard 的优点是:能够随时 unlock() 和 lock()。 cv.wait() 之前须要持有 mutex,wait 本身会 unlock() mutex,假设条件满足则会又一次持有 mutex。
结束语
是不是感觉有些反人类!
c++11线程池实现的更多相关文章
- 托管C++线程锁实现 c++11线程池
托管C++线程锁实现 最近由于工作需要,开始写托管C++,由于C++11中的mutex,和future等类,托管C++不让调用(报错),所以自己实现了托管C++的线程锁. 该类可确保当一个线程位于 ...
- 简单的C++11线程池实现
线程池的C++11简单实现,源代码来自Github上作者progschj,地址为:A simple C++11 Thread Pool implementation,具体博客可以参见Jakob's D ...
- c++11 线程池学习笔记 (一) 任务队列
学习内容来自一下地址 http://www.cnblogs.com/qicosmos/p/4772486.html github https://github.com/qicosmos/cosmos ...
- C++11线程池的实现
什么是线程池 处理大量并发任务,一个请求一个线程来处理请求任务,大量的线程创建和销毁将过多的消耗系统资源,还增加了线程上下文切换开销. 线程池通过在系统中预先创建一定数量的线程,当任务请求到来时从线程 ...
- c++ 11 线程池---完全使用c++ 11新特性
前言: 目前网上的c++线程池资源多是使用老版本或者使用系统接口实现,使用c++ 11新特性的不多,最近研究了一下,实现一个简单版本,可实现任意任意参数函数的调用以及获得返回值. 0 前置知识 首先介 ...
- 基于C++11线程池
1.包装线程对象 class task : public std::tr1::enable_shared_from_this<task> { public: task():exit_(fa ...
- 《java.util.concurrent 包源码阅读》11 线程池系列之ThreadPoolExecutor 第一部分
先来看ThreadPoolExecutor的execute方法,这个方法能体现出一个Task被加入到线程池之后都发生了什么: public void execute(Runnable command) ...
- c++11线程池
#pragma once #include <future> #include <vector> #include <atomic> #include <qu ...
- c++11 线程池
也可参考: https://www.cnblogs.com/ailumiyana/p/10016965.html *** https://blog.csdn.net/jlusuoya/article/ ...
随机推荐
- xml文件中配置JDBC源遇到问题 : The reference to entity "characterEncoding" must end with the ';' delimiter
数据源配置时加上编码转换格式后出问题了: The reference to entity"characterEncoding" must end with the ';' deli ...
- hdu-Coins
http://acm.hdu.edu.cn/showproblem.php?pid=2844 Problem Description Whuacmers use coins.They have coi ...
- scrapy报错:ImportError: No module named 'win32api'
https://github.com/mhammond/pywin32/releases 下载安装对应的版本即可.
- Apache高级配置
认证授权和访问控制 ip访问控制: 目录控制语句以开头:以结束. AllowOverride None:不允许覆盖,即不允许从根目录向子目录覆盖.即默认情况下拒绝从根目录下向子目录访 问,如果要看根目 ...
- VS提示无法连接到已配置的开发web服务器的解决方法
VS2013每次启动项目调试好好的,今天出现了提示“提示无法连接到已配置的开发web服务器“,使用环境是本地IISExpress,操作系统为windows10,之前也出现过就是重启电脑又好了,这次是刚 ...
- Solidworks如何隐藏零件细节,如何让零件变成一个输入
先把东西另存为IGS格式 再次打开这个IGS文件,凡是看到这个对话框都选择取消,然后确定 打开之后,还是可以看到文件结构,但是再打开每个零件都变成了输入,所以就相当于隐藏了文件细节,不知道怎么 ...
- STL源码剖析(heap)
STL heap并不是容器,而是一系列的算法. 这些算法接受RandomAccessIterator[start, end),并将其表述成一棵完全二叉树. 关于heap算法可以参考之前算法导论的一篇博 ...
- 【VBA编程】03.判断输入年份是否是闰年
通过输入月份,判断是否是闰年 [代码区域] Sub 判断闰年() Dim year As Integer '用于保存输入的年份 year = CInt(InputBox("请输入需要判断的年 ...
- struts2 页面向Action传参方式
1.基本属性注入 我们可以直接将表单数据项传递给Action,而Action只需要提供基本的属性来接收参数即可,这种传参方式称为基本属性注入.例如 jsp页面: <s:form method=& ...
- C# 调用bat文件
引入名称空间: using System.Diagnostics; Process proc = null; try { string targetDir = string.Format(@" ...