c++ 简单线程池

头文件

#pragma once
#include <iostream>
#include <vector>
#include <queue>
#include <thread>
#include <mutex>
#include <condition_variable>
#include <functional>
#include <future>class ThreadPool {
public:ThreadPool(size_t numThreads);~ThreadPool();template<class F, class... Args>auto enqueue(F&& f, Args&&... args)->std::future<typename std::result_of<F(Args...)>::type>;
private:void workerThread();
private:std::vector<std::thread> workers;std::queue<std::function<void()>> tasks;std::mutex queueMutex;std::condition_variable condition;bool stop;
};

cpp

 #include "threadPool.h"ThreadPool::ThreadPool(size_t numThreads) : stop(false)
{for (size_t i = 0; i < numThreads; ++i){workers.emplace_back(&ThreadPool::workerThread, this);}
}ThreadPool::~ThreadPool() {{std::unique_lock<std::mutex> lock(queueMutex);stop = true;}condition.notify_all();for (std::thread& worker : workers) {worker.join();}
}void ThreadPool::workerThread() {while (true) {std::function<void()> task;{std::unique_lock<std::mutex> lock(queueMutex);condition.wait(lock, [this] { return stop || !tasks.empty(); });if (stop && tasks.empty()) {return;}if (!tasks.empty()) {task = std::move(tasks.front());tasks.pop();}}if (task) {task();}}
}template<class F, class... Args>
auto ThreadPool::enqueue(F&& f, Args&&... args) -> std::future<typename std::result_of<F(Args...)>::type> {using returnType = typename std::result_of<F(Args...)>::type;auto task = std::make_shared<std::packaged_task<returnType()>>(std::bind(std::forward<F>(f), std::forward<Args>(args)...));std::future<returnType> res = task->get_future();{std::unique_lock<std::mutex> lock(queueMutex);if (stop) {throw std::runtime_error("enqueue on stopped ThreadPool");}tasks.emplace([task]() { (*task)(); });}condition.notify_one();return res;
}int main() {ThreadPool pool(4);auto result1 = pool.enqueue([](int answer) { return answer; }, 42);auto result2 = pool.enqueue([](int a, int b) { return a + b; }, 5, 7);std::cout << "Result1: " << result1.get() << std::endl;std::cout << "Result2: " << result2.get() << std::endl;return 0;
}

解释

enqueue

Sure, let’s break down the enqueue function template step-by-step:

Template Definition

template<class F, class... Args>

This defines a function template that can take any callable object F (such as a function, function pointer, lambda, or functor) and a variadic list of arguments Args. The class... Args syntax allows the function to accept any number of additional arguments, making it very flexible.

Return Type

auto enqueue(F&& f, Args&&... args) -> std::future<typename std::result_of<F(Args...)>::type>;

The return type of the function is a std::future that will hold the result of invoking the callable object F with arguments Args.... The std::result_of<F(Args...)>::type part determines the type that will be returned by calling F with Args....

  • std::result_of<F(Args...)>::type: This uses the std::result_of type trait to deduce the return type of calling the function F with arguments Args....

Function Body

auto task = std::make_shared<std::packaged_task<returnType()>>(std::bind(std::forward<F>(f), std::forward<Args>(args)...)
);

Here, we are creating a std::shared_ptr to a std::packaged_task. A std::packaged_task wraps a callable object, allowing it to be executed asynchronously and providing a future to retrieve the result.

  • returnType: This is a type alias for the return type of the callable object F with arguments Args....
  • std::make_shared<std::packaged_task<returnType()>>: This creates a shared pointer to a std::packaged_task that will eventually execute the callable F with the provided arguments.
  • std::bind(std::forward<F>(f), std::forward<Args>(args)...): This binds the callable F with the provided arguments Args..., allowing them to be stored and called later.

Storing the Task

{std::unique_lock<std::mutex> lock(queueMutex);if (stop) {throw std::runtime_error("enqueue on stopped ThreadPool");}tasks.emplace([task](){ (*task)(); });
}

This block ensures that access to the task queue is synchronized using a mutex lock. It checks if the thread pool is stopped and throws an exception if it is. Otherwise, it adds the task to the queue.

  • std::unique_lock<std::mutex> lock(queueMutex): Locks the mutex to ensure thread-safe access to the task queue.
  • if (stop) { throw std::runtime_error("enqueue on stopped ThreadPool"); }: Checks if the thread pool has been stopped. If so, it throws an exception.
  • tasks.emplace([task](){ (*task)(); }): Adds a new task to the task queue. The task is a lambda function that calls the packaged_task to execute the callable F with its arguments.

Notifying Workers

condition.notify_one();

This line notifies one of the worker threads that a new task is available. The worker threads are waiting on this condition variable and will wake up to process the new task.

Returning the Future

return res;

Finally, the function returns the std::future associated with the packaged_task. This future can be used by the caller to get the result of the task once it has been executed by a worker thread.

Full Example for Clarity

Here’s the complete enqueue function with the detailed explanation:

template<class F, class... Args>
auto ThreadPool::enqueue(F&& f, Args&&... args) -> std::future<typename std::result_of<F(Args...)>::type> {using returnType = typename std::result_of<F(Args...)>::type;// Create a packaged_task to wrap the callable and its argumentsauto task = std::make_shared<std::packaged_task<returnType()>>(std::bind(std::forward<F>(f), std::forward<Args>(args)...));// Get the future associated with the taskstd::future<returnType> res = task->get_future();{std::unique_lock<std::mutex> lock(queueMutex);// Ensure the thread pool is not stoppedif (stop) {throw std::runtime_error("enqueue on stopped ThreadPool");}// Add the task to the queuetasks.emplace([task](){ (*task)(); });}// Notify one of the waiting worker threadscondition.notify_one();return res;
}

Summary

  1. Template Parameters: F is the callable, Args... are the arguments.
  2. Return Type: A std::future that holds the result of the callable.
  3. Creating Packaged Task: Wraps the callable and its arguments to be executed asynchronously.
  4. Mutex Lock: Ensures thread-safe access to the task queue.
  5. Task Queue: Adds the task to the queue.
  6. Notify Worker: Notifies a worker thread to process the new task.
  7. Return Future: Provides a future to get the result of the task.

Next Steps

a. Add unit tests to verify the ThreadPool implementation.
b. Implement error handling for tasks within the ThreadPool.

enqueue

好的,下面是对每一行代码的详细解释:

函数模板声明

template<class F, class... Args>
auto ThreadPool::enqueue(F&& f, Args&&... args) -> std::future<typename std::result_of<F(Args...)>::type>
  • template<class F, class… Args>: 定义一个模板函数,该函数接受一个可调用对象 F 和一组参数 Args...
  • auto ThreadPool::enqueue(F&& f, Args&&… args): enqueueThreadPool 类的成员函数,它使用了模板参数 FArgs...,并通过右值引用接收这些参数(即使用 &&)。
  • -> std::future<typename std::result_of<F(Args…)>::type>: 函数返回类型是一个 std::future,其类型由 F 调用 Args... 参数后返回的结果类型决定。

使用别名 returnType

using returnType = typename std::result_of<F(Args...)>::type;
  • using returnType: 使用类型别名将 std::result_of<F(Args...)>::type 定义为 returnType
  • std::result_of<F(Args…)>::type: 通过 std::result_of 获取可调用对象 F 使用参数 Args... 后的返回类型。

创建 packaged_task

auto task = std::make_shared<std::packaged_task<returnType()>>(std::bind(std::forward<F>(f), std::forward<Args>(args)...)
);
  • std::make_shared<std::packaged_task<returnType()>>: 创建一个 std::shared_ptr,指向一个 std::packaged_task 对象。
  • std::packaged_task<returnType()>: std::packaged_task 是一个模板类,用于包装一个可调用对象,以便异步调用并获取其结果。
  • std::bind(std::forward(f), std::forward(args)…): 使用 std::bind 将可调用对象 F 和参数 Args... 绑定在一起,生成一个新的可调用对象,并将其传递给 std::packaged_taskstd::forward 确保参数的完美转发。

获取 future

std::future<returnType> res = task->get_future();
  • std::future res: 定义一个 std::future 对象 res,用于保存 packaged_task 的结果。
  • task->get_future(): 调用 packaged_taskget_future 方法,获取与任务关联的 std::future 对象。

加锁并检查线程池状态

{std::unique_lock<std::mutex> lock(queueMutex);if (stop) {throw std::runtime_error("enqueue on stopped ThreadPool");}tasks.emplace([task](){ (*task)(); });
}
  • std::unique_lockstd::mutex lock(queueMutex): 创建一个互斥锁对象 lock,并锁定 queueMutex,确保对任务队列的访问是线程安全的。
  • if (stop): 检查线程池是否已停止接受新任务。
  • throw std::runtime_error(“enqueue on stopped ThreadPool”): 如果线程池已停止,抛出一个运行时错误异常。
  • tasks.emplace(task{ (*task)(); }): 将一个新的任务添加到任务队列中。这个任务是一个 lambda 函数,调用 task 对象的 operator() 来执行实际的任务。

通知一个等待的线程

condition.notify_one();
  • condition.notify_one(): 通知一个正在等待 condition 的线程,让它从等待中醒来,以便处理新添加的任务。

返回 future

return res;
  • return res: 返回先前获取的 std::future 对象,让调用者可以在稍后获取任务的结果。

为什么使用 std::future 的详细解释:

  1. 异步任务的结果获取
    当我们将一个任务提交到线程池时,任务是异步执行的。std::future 提供了一种机制,让我们可以在任务执行完成后,获取其结果,而不需要阻塞主线程或者轮询状态。
auto result = pool.enqueue([](int x) { return x * x; }, 10);
std::cout << result.get() << std::endl; // 获取任务结果
  1. 同步等待任务完成
    std::future 提供了 get() 方法,这个方法会阻塞调用它的线程,直到任务完成并返回结果。这样,我们可以在需要的时候等待任务完成并获取结果。
auto result = pool.enqueue([](int x) { return x * x; }, 10);
result.get(); // 阻塞等待任务完成并获取结果
  1. 异常传播
    如果任务在执行过程中抛出异常,std::future 会捕获这个异常,并在调用 get() 时重新抛出。这使得我们可以在调用 get() 时处理任务中的异常。
auto result = pool.enqueue([]() { throw std::runtime_error("Error"); });
try {result.get();
} catch (const std::exception& e) {std::cout << "Caught exception: " << e.what() << std::endl;
}
  1. 使用简单方便
    std::future 和 std::promise 以及 std::packaged_task 的组合使用,使得在多线程环境中管理任务和获取任务结果变得非常简单和方便。

参考资料
chatgpt
现代 C++ 编程实战

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

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

相关文章

【保姆级教学】Stable Diffusion提示词书写攻略!

前言 Stable Diffusion是一种深度学习模型&#xff0c;它能够根据提示词生成高质量的图像。在Stable Diffusion模型中&#xff0c;提示词起着至关重要的作用&#xff0c;因为它们为模型提供了关于所需输出的指导。本文将探讨Stable Diffusion关于提示词的原理&#xff0c;包括…

JAVA+SSM+VUE《教学视频点播系统》

1管理员登录 管理员登录&#xff0c;通过填写用户名、密码、角色等信息&#xff0c;输入完成后选择登录即可进入视频点播系统&#xff0c;如图1所示。 图1管理员登录界面图 2管理员功能实现 2.1 修改密码 管理员对修改密码进行填写原密码、新密码、确认密码并进行删除、修改…

MobileDiffusion:移动设备上亚秒级文本到图像生成

文本到图像扩散模型在生成高质量图像方面具有卓越的能力&#xff0c;这些模型是多种应用的基础&#xff0c;包括图像编辑、控制生成、个性化内容生成、视频合成和低级视觉任务等。然而&#xff0c;这些大规模模型通常需要在具有强大神经计算单元的服务器上运行&#xff0c;在移…

每天一个数据分析题(四百零六)- 因子分析

关于因子分析的KMO检验说法错误的是&#xff08; &#xff09;。 A. KMO统计量是取值在0和1之间 B. 当所有变量间的简单相关系数平方和远远大于偏相关系数平方和时&#xff0c;KMO值越接近于1 C. 当KMO值接近1时&#xff0c;表示各变量之间的偏相关系数应该很小 D. 当所有变…

MySQL 函数简介

MySQL 提供了丰富的函数&#xff0c;以下是一些常见的类型和示例&#xff1a; 数学函数&#xff1a; **1.ABS(x) &#xff1a;返回 x 的绝对值。 示例&#xff1a; select ABS(-89);**2. CEIL(x) &#xff1a;返回大于或等于 x 的最小整数。 示例&#xff1a; select CEIL(-…

get_metrology_object_result 得到计量模型的测量结果

get_metrology_object_result (Operator) 名称 get_metrology_object_result 得到计量模型的测量结果 签名 get_metrology_object_result( : : MetrologyHandle, Index, Instance, GenParamName, GenParamValue : Parameter) 描述 get_metrology_object_result允许访问由…

设备维护管理系统的主要内容有哪些

设备维护管理系统是一个综合的管理工具&#xff0c;旨在提高设备维修的效率和效果&#xff0c;优化资源利用&#xff0c;并确保设备的稳定运行。以下是设备维护管理系统的主要内容&#xff1a; 设备台账信息管理&#xff1a; 设备台账&#xff1a;记录设备的基本信息&#xff0…

【小沐学AI】Python实现语音识别(whisper+HuggingFace)

文章目录 1、简介1.1 whisper 2、HuggingFace2.1 安装transformers2.2 Pipeline 简介2.3 Tasks 简介2.3.1 sentiment-analysis2.3.2 zero-shot-classification2.3.3 text-generation2.3.4 fill-mask2.3.5 ner2.3.6 question-answering2.3.7 summarization2.3.8 translation 3、…

surfer做等值线图笔记

surfer等值线图及其白化 **grd文件的制作****白化的边界文件的制作****白化****绘图****逆转坐标轴** grd文件的制作 单击格网&#xff0c;选择x,y,z的数据&#xff0c;选择克里金插值方法&#xff0c;让后确定&#xff0c;保存grd文件 白化的边界文件的制作 surfer新建表&am…

J-Flash刷机的步骤

1、Keil编译代码&#xff0c;生成文件&#xff1a;E:\automotive\xxx.axf 2、打开"SEGGER J-Flash V7.88k"&#xff0c;配置Project information 3、点击菜单栏中的"File"&#xff0c;open data file&#xff0c;找到所需的xxx.axf文件 4、按快捷键F7进…

Ubuntu24.04(22.04+版本通用)Miniconda与Isaacgym

1. ubuntu24.04安装minicondda mkdir -p ~/miniconda3 wget https://repo.anaconda.com/miniconda/Miniconda3-latest-Linux-x86_64.sh -O ~/miniconda3/miniconda.sh解释下这段代码 bash ~/miniconda3/miniconda.sh -b -u -p ~/miniconda3~/miniconda3/miniconda.sh: 指向Mi…

前端笔记-day12

文章目录 01-视口02-宽度适配方案03-rem体验04-rem基本使用05-媒体查询06-rem适配07-rem布局08-less-体验09-less-注释10-less-运算11-less-嵌套12-less-变量13-less-导入14-less-导出15-less-禁止导出16-急速问诊&#xff08;不准确写法&#xff09;index.htmlindex.css 17-急…

mmdetection3增加12种注意力机制

在mmdetection/mmdet/models/layers/目录下增加attention_layers.py import torch.nn as nn from mmdet.registry import MODELS #自定义注意力机制算法 from .attention.CBAM import CBAMBlock as _CBAMBlock from .attention.BAM import BAMBlock as _BAMBlock from .attent…

C++的模板(十):shared_ptr的上锁问题

CSTL中的智能指针shared_ptr以前没用过&#xff0c;它是不是线程安全过去也没关注过。很多说它是不安全的&#xff0c;也有说是安全的。线程安全的问题&#xff0c;简单测试是测不出&#xff0c;到底怎么样&#xff0c;需要直接看代码。 从代码看&#xff0c;shared_ptr是个简…

使用表单系统快速搭建邀请和签到系统

在组织活动时&#xff0c;邀请和签到环节往往是活动成败的关键之一。传统的纸质邀请和签到方式不仅费时费力&#xff0c;还容易出现各种问题&#xff0c;例如名单遗漏、签到混乱等。而使用TDuckX“搭建邀请和签到系统”将彻底改变这一现状&#xff0c;为活动组织者提供了一种高…

python单元测试入门

编写基本的单元测试来验证代码的行为。 使用的库&#xff1a;unittest 单元测试框架 python的unittest库的基本单元测试框架可以表示为&#xff1a; import unittestclass XXXTests(unittest.TestCase): # 第一个测试集classmethoddef setUpClass(self):...self.x, self.y …

STM32蓝牙HID实战:打造低功耗、高性能的客制化键盘

一、项目概述 本项目旨在使用STM32单片机打造一款功能强大的蓝牙客制化键盘&#xff0c;它拥有以下特点&#xff1a; 九键布局&#xff0c;小巧便携: 满足日常使用需求&#xff0c;方便携带。全键可编程: 所有按键和旋钮均可通过电脑软件自定义快捷键&#xff0c;实现个性化功…

curl代理用户名或密码出现特殊字符时需要转义

举例&#xff1a;使用代理127.0.0.1:3128访问百度, 用户名peter, 密码123! 密码中包含&#xff0c;需要转义。 查询在线URL编码工具, %21是!的URL编码&#xff0c;curl使用方法如下&#xff1a; curl -x peter:123%21127.0.0.1:3128 https://www.baidu.com参考 https://www.u…

locally Holder continuous (non-Lipschitz)

locally Holder continuous (non-Lipschitz) Holder连续性和Lipschitz连续性是描述函数局部或全局性质的两种方式&#xff0c;它们之间存在联系但并不等同。 如果一个函数(f)在某区间上满足Lipschitz条件&#xff0c;即存在常数(K > 0)&#xff0c;使得对任意(x, y)在该区间…

如何用java语言+若依开源框架开发一套数字化产科系统 数字化产科管理平台源码

如何用java语言若依开源框架开发一套数字化产科系统 数字化产科管理平台源码 要使用Java语言和若依&#xff08;RuoYi&#xff09;开源框架来开发一个数字化产科系统&#xff0c;你需要遵循一系列步骤&#xff0c;从环境搭建到系统设计与开发&#xff0c;再到测试与部署。 以下…