Linux如何设计一个线程池

在设计线程池之前,我们可以对线程进行简单的封装这样子在线程池中就可以少一点调用接口,就像搭积木一样,一层一层的搭上去

#pragma once#include <iostream>
#include <pthread.h>
#include <string>
#include <functional>
#include <cassert>// 上下文namespace ThreadNs
{const int num = 1024;typedef std::function<void *(void *)> func_t;class Thread{private:// 在类内创建线程,想让线程执行对应的方法,需要将方法设置为staticstatic void *start_routine(void *argv) // 类内成员,有缺省参数!this指针{// 静态方法不能调用成员方法和成员变量// 将成员设置成为静态的不推荐,友元也可以Thread *_this = static_cast<Thread *>(argv);return _this->calback();}public:Thread(const Thread &t): _func(t._func), _args(t._args), _name(t._name){}Thread() {// _name = "thread-";// _name += std::to_string(number);char namebuffer[num];snprintf(namebuffer, sizeof namebuffer, "thread - %d", Threadnum++);_name = namebuffer;}void start(func_t func, void *args = nullptr){_func = func;_args = args;int n = pthread_create(&_tid, nullptr, start_routine, this);assert(n == 0);(void)n; // 有些编译器会报warning}void *calback() { return _func(_args);}std::string threadname(){return _name;}void join(){int n = pthread_join(_tid, nullptr);assert(n == 0);(void)n;}~Thread(){// do nothing}private:std::string _name;pthread_t _tid;func_t _func;void *_args;static int Threadnum;};int Thread::Threadnum = 1;
} // namespace ThreadNs

这里的命名方式都是使用前_代表类内成员,我们将构造函数的参数设计的简单一点,方便后面实施,然后用_args代表要喂给线程的参数,_func代表回调函数。给每个线程设计一个名字使用_name

线程池里面肯定要有线程,不过在此之前我们可以写一个Task的类方便后面测试,我这里写一个示例

#pragma once#include <iostream>
#include <functional>class Task
{
public:using func_t = std::function<int(int,int, char)>;// typedef std::function<int(int,int)> func_t;Task(){}Task(int x, int y,char op, func_t func):_x(x),_y(y), _op(op),_callback(func){}std::string operator()(){int result = _callback(_x,_y, _op);char buffer[1024];snprintf(buffer, sizeof buffer, "%d %c %d = %d", _x, _op, _y, result);return buffer;}std::string toTaskstring(){char buffer[1024];snprintf(buffer, sizeof buffer, "%d %c %d = ?", _x, _op, _y);return buffer;        }
private:int _x;int _y;char _op;func_t _callback;
};
const std::string oper = "+-*/%";int mymath(int x, int y, char op)
{int result = 0;switch (op){case '+':result = x + y;break;case '-':result = x - y;break;case '*':result = x * y;break;case '/':{if (y == 0){std::cerr << "div zero error !" << std::endl;result = -1;}elseresult = x / y;}break;case '%':{if (y == 0){std::cerr << "mod zero error !" << std::endl;result = -1;}elseresult = x % y;}break;default:break;}return result;
}

这是一个简单的算术任务类。

接下来负责写线程池,线程池中肯定要有一系列线程,还有一个队列用于拿任务,还要有一个互斥锁和条件变量。当你完成了积木的底层以后上层就很容易了

#pragma once#include "Mutex.hpp"
#include "Thread.hpp"
#include "Task.hpp"
#include <vector>
#include <queue>
#include <mutex>
#include <pthread.h>
#include <unistd.h>using namespace ThreadNs;
const int gnum = 5;
template <class T>
class ThreadPool;
template <class T>
class ThreadData
{
public:ThreadPool<T> *_tp;std::string _name;public:ThreadData(ThreadPool<T> *tp, const std::string &name) : _tp(tp), _name(name) {}
};
template <class T>
class ThreadPool
{
private:static void *handlerTask(void *args){ThreadData<T> *td = (ThreadData<T> *)args;// ThreadPool<T>* tp = static_cast<ThreadPool<T>*> (args);while (1){// sleep(1);// std::cout << "thread " << pthread_self() << " run ..." << std::endl;// td->_tp->lockQueue();T t;{LockGuard lockgurad(td->_tp->mutex());while (td->_tp->isEmptyQueue()){/* code */td->_tp->threadwait();}t = td->_tp->Pop();}// td->_tp->unlockQueue();std::cout << td->_name << "处理完了任务:" << t.toTaskstring() << t() << std::endl;}delete td;return nullptr;}public:void lockQueue() { pthread_mutex_lock(&_mutex); }void unlockQueue() { pthread_mutex_unlock(&_mutex); }bool isEmptyQueue() { return _task_queue.empty(); }void threadwait() { pthread_cond_wait(&_cond, &_mutex); }pthread_mutex_t *mutex() { return &_mutex; }T Pop(){T t = _task_queue.front();_task_queue.pop();return t;}ThreadPool(const int &num = gnum) : _num(num){pthread_mutex_init(&_mutex, nullptr);pthread_cond_init(&_cond, nullptr);for (int i = 0; i < _num; i++){_threads.push_back(new Thread());}}ThreadPool(const ThreadPool &) = delete;ThreadPool operator=(const ThreadPool &) = delete;public:void run(){for (const auto &t : _threads){ThreadData<T> *td = new ThreadData<T>(this, t->threadname());t->start(handlerTask, td);std::cout << t->threadname() << "start ..." << std::endl;}}void push(const T &in){// pthread_mutex_lock(&_mutex);LockGuard lockgurad(&_mutex);_task_queue.push(in);pthread_cond_signal(&_cond);// pthread_mutex_unlock(&_mutex);}~ThreadPool(){pthread_mutex_destroy(&_mutex);pthread_cond_destroy(&_cond);for (const auto &t : _threads)delete t;}// 最好加staticstatic ThreadPool<T> *getInstance(){// LockGuard(&_mutex);if (nullptr == tp){_singlock.lock();if (nullptr == tp){tp = new ThreadPool<Task>();}_singlock.unlock();}return tp;}private:int _num;std::vector<Thread *> _threads;std::queue<T> _task_queue;pthread_mutex_t _mutex;pthread_cond_t _cond;static ThreadPool<T> *tp;static std::mutex _singlock;
};template <class T>
ThreadPool<T> *ThreadPool<T>::tp = nullptr;template <class T>
std::mutex ThreadPool<T>::_singlock;

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

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

相关文章

【树】【异或】【深度优先】【DFS时间戳】2322. 从树中删除边的最小分数

作者推荐 【二分查找】【C算法】378. 有序矩阵中第 K 小的元素 涉及知识点 树 异或 DFS时间戳 LeetCode2322. 从树中删除边的最小分数 存在一棵无向连通树&#xff0c;树中有编号从 0 到 n - 1 的 n 个节点&#xff0c; 以及 n - 1 条边。 给你一个下标从 0 开始的整数数组…

【操作系统学习笔记】文件管理1.3

【操作系统学习笔记】文件管理1.3 参考书籍: 王道考研 视频地址: Bilibili I/O 控制方式 程序直接控制方式中断驱动方式DMA 方式通道控制方式 程序直接控制方式 关键词: 轮询 完成一次读/写操作的流程 CPU 向控制器发出读指令。于是设备启动&#xff0c;并且状态寄存器设…

2021 年 12 月青少年软编等考 C 语言一级真题解析

目录 T1. 输出整数部分思路分析 T2. 疫情集中隔离思路分析 T3. 字符判断思路分析 T4. 统计数思路分析 T5. 最大质因子思路分析 T1. 输出整数部分 输入一个双精度浮点数 f f f&#xff0c;输出其整数部分。 时间限制&#xff1a;1 s 内存限制&#xff1a;64 MB 输入 一个双精…

C++惯用法之RAII思想: 资源管理

C编程技巧专栏&#xff1a;http://t.csdnimg.cn/eolY7 目录 1.概述 2.RAII的应用 2.1.智能指针 2.2.文件句柄管理 2.3.互斥锁 3.注意事项 3.1.禁止复制 3.2.对底层资源使用引用计数法 3.3.复制底部资源(深拷贝)或者转移资源管理权(移动语义) 4.RAII的优势和挑战 5.总…

探索Pandas:数据处理与分析的利剑

在这篇文章中&#xff0c;我们将深入探讨Pandas库&#xff0c;这是一个开源的Python库&#xff0c;专为数据分析和处理而设计。Pandas提供了高效的DataFrame对象&#xff0c;使得数据清洗、分析变得简单易行。通过本篇文章&#xff0c;我们不仅会了解Pandas的核心功能&#xff…

MATLAB:Image Processing Toolbox工具箱入门实战

目录 1.基本图像导入、处理和导出 2.实战项目一&#xff1a;利用imfindcircles()函数检测和测量图像中的圆形目标 1.基本图像导入、处理和导出 Basic Image Import, Processing, and Export- MATLAB & SimulinkThis example shows how to read an image into the worksp…

linux系统iptables的操作

iptables操作 安装参数解释参数使用iptables语法示例规则匹配条件通用匹配&#xff08;协议&#xff09;&#xff0c;可以独立使用通过端口规则匹配:通过ip地址修改规则: icmp类型匹配扩展匹配指定ip范围指定多端口范围MAC地址匹配通过网卡接口保存和删除规则本地端口转发 网络…

前端Vue篇之Vue 3.0 中的 Vue Composition API?Composition API与React Hook很像,区别是什么

目录 Vue 3.0 中的 Vue Composition API&#xff1f;Composition API与React Hook很像&#xff0c;区别是什么1. 实现原理2. 调用方式和性能3. 生态和社区 Vue 3.0 中的 Vue Composition API&#xff1f; 在Vue 3中&#xff0c;引入了Composition API来解决Vue 2中Options API…

Java集合框架-Collection和Map

文章目录 Collection-单列集合特点ListArrayListLinkedListVecter SetHashSetTreeSet Map-键值对集合特点Map常用APIput添加细节remove Map的三种遍历方式1.通过键找值2.通过"键值对"3.Lambda表达式foreach源码 HashMap需求 为什么要使用泛型 泛型的优点1.集合中存储…

#QT(智能家居界面-布局)

1.IDE&#xff1a;QTCreator 2.实验&#xff1a; 水平布局&#xff0c;垂直布局&#xff0c;栅格布局&#xff08;弹簧&#xff09; 界面自动调整 3.记录 注意弹簧不是拖拽拉长&#xff0c;而是使用栅格布局 运行发现窗口放大缩小可以自动调整 如果想要重新布局&#xff0c;需…

Feign失败降级逻辑

一&#xff0c;为什么要编写失败降级逻辑 业务失败后&#xff0c;不能直接报错&#xff0c;而应该返回用户一个提示或者默认结果 二&#xff0c;实现步骤 1&#xff0c;自定义类实现FallbackFactory接口 import feign.hystrix.FallbackFactory; import lombok.extern.slf4j.Sl…

LCR 095. 最长公共子序列【leetcode】/动态规划

LCR 095. 最长公共子序列 给定两个字符串 text1 和 text2&#xff0c;返回这两个字符串的最长 公共子序列 的长度。如果不存在 公共子序列 &#xff0c;返回 0 。 一个字符串的 子序列 是指这样一个新的字符串&#xff1a;它是由原字符串在不改变字符的相对顺序的情况下删除某…

【PHP趣味技术】分分钟教会你轻松采集PDF文本内容 《重庆话真的太吃皮老!》

&#x1f680; 个人主页 极客小俊 ✍&#x1f3fb; 作者简介&#xff1a;web开发者、设计师、技术分享博主 &#x1f40b; 希望大家多多支持一下, 我们一起学习和进步&#xff01;&#x1f604; &#x1f3c5; 如果文章对你有帮助的话&#xff0c;欢迎评论 &#x1f4ac;点赞&a…

备忘 clang diagnostic 类的应用示例 ubuntu 22.04

系统的ncurses环境有些问题 通过源码安装了ncurses6.3后&#xff0c;才可以在 llvmort-18.1.rc4中编译通过示例&#xff1a; 1&#xff0c;折腾环境 ncurses-6.3$ ./configure ncurses-6.3$ make -j ncurses-6.3$ sudo make install sudo apt install libtinfo5 sudo…

C判断操作系统、编译器类型、编译器版本及编译位数

1. 操作系统 #ifdef __linux__// Linux #elif defined(_WIN32) || defined(_WIN64)// Windows #else// 其他 #endif2. 编译器类型及版本 #ifdef __GNUC__// 使用了GCC编译器#if __GNUC__ > 7// GCC版本大于等于7#else// GCC版本小于7#endif #elif defined(_MSC_VER)// …

使用Visual Studio 2022 创建lib和dll并使用

概述&#xff1a;对于一个经常写javaWeb的人来说,使用Visual Studio似乎没什么必要&#xff0c;但是对于使用ffi的人来说&#xff0c;使用c或c编译器&#xff0c;似乎是必不可少的&#xff0c;下面我将讲述如何用Visual Studio 2022 来创建lib和dll&#xff0c;并使用。 静态库…

springboot/ssm华为数码商城交易平台Java数码手机购物系统web

springboot/ssm华为数码商城交易平台Java数码手机购物系统web 基于springboot(可改ssm)vue项目 开发语言&#xff1a;Java 框架&#xff1a;springboot/可改ssm vue JDK版本&#xff1a;JDK1.8&#xff08;或11&#xff09; 服务器&#xff1a;tomcat 数据库&#xff1a;…

ABAP - SALV教程12 显示图标和提示信息

ALV要求字段的值为图标的需求并不多见&#xff0c;一般都用于红黄绿灯&#xff0c;来表示单据的执行状态&#xff0c;添加图标的方式也可以实现红黄绿灯的功能&#xff0c;也可以参考SALV实现红黄绿灯这篇文章&#xff1a;http://t.csdnimg.cn/Dzx7x效果图SAVL列设置为图标图标…

434G数据失窃!亚信安全发布《勒索家族和勒索事件监控报告》

最新态势快速感知 最新一周全球共监测到勒索事件90起&#xff0c;与上周相比数量有所增加。 lockbit3.0仍然是影响最严重的勒索家族&#xff1b;alphv和cactus恶意家族也是两个活动频繁的恶意家族&#xff0c;需要注意防范。 Change Healthcare - Optum - UnitedHealth遭受了…

每天学习一个Linux命令之du

每天学习一个Linux命令之du 简介 Linux命令行界面提供了大量实用工具来管理和维护系统。du&#xff08;disk usage&#xff09;命令是其中之一&#xff0c;它可用于查看目录或文件占用磁盘空间的信息。本篇博客将详细介绍du命令&#xff0c;并列举出所有可用的选项及其用法。…