Commit 9cca3d32 authored by captainwong's avatar captainwong

thread pool

parent b60eed77
#include "config.h"
#include "noncopyable.h"
#include <mutex>
namespace jlib
{
class CountDownLatch : noncopyable
{
public:
explicit CountDownLatch(int count)
: mutex_()
, cv_()
, count_(count)
{}
void wait() {
std::unique_lock<std::mutex> lock(mutex_);
cv_.wait(lock, [this]() { return count_ <= 0; });
}
void countDown() {
std::lock_guard<std::mutex> lock(mutex_);
if (--count_ == 0) { cv_.notify_all(); }
}
int getCount() const {
std::lock_guard<std::mutex> lock(mutex_);
return count_;
}
private:
mutable std::mutex mutex_;
std::condition_variable cv_;
int count_;
};
}
#pragma once
#include "config.h"
#include "noncopyable.h"
#include <mutex>
#include <thread>
#include <functional>
#include <vector>
#include <deque>
#include <string>
#include <exception>
#include <stdio.h>
#include <assert.h>
namespace jlib
{
class ThreadPool : noncopyable
{
public:
typedef std::function<void()> Task;
explicit ThreadPool(const std::string& name = "ThreadPool")
: mutex_()
, notEmpty_()
, notFull_()
, name_(name)
, maxQueueSize_(0)
, running_(false)
{}
~ThreadPool() {
if (running_) {
stop();
}
}
//! must be called before start()
void setMaxQueueSize(size_t size) { maxQueueSize_ = size; }
//! must be called before start()
void setThreadInitCallback(const Task& cb) { threadInitCallback_ = cb; }
void start(int nThreads) {
assert(threads_.empty());
running_ = true;
for (int i = 0; i < nThreads; i++) {
threads_.emplace_back(std::thread(std::bind(&ThreadPool::runInThread, this)));
}
if (nThreads == 0 && threadInitCallback_) {
threadInitCallback_();
}
}
void stop() {
{
std::lock_guard<std::mutex> lock(mutex_);
running_ = false;
}
notEmpty_.notify_all();
for (auto& t : threads_) {
t.join();
}
}
const std::string& name() const { return name_; }
size_t queueSize() const {
std::lock_guard<std::mutex> lock(mutex_);
return taskQueue_.size();
}
void run(Task task) {
if (threads_.empty()) {
task();
} else {
{
std::unique_lock<std::mutex> lock(mutex_);
notFull_.wait(lock, [this]() { return !isFull(); });
}
std::lock_guard<std::mutex> lock(mutex_);
assert(!isFull());
taskQueue_.emplace_back(std::move(task));
notEmpty_.notify_one();
}
}
protected:
bool isFull() const {
return maxQueueSize_ > 0 && taskQueue_.size() >= maxQueueSize_;
}
Task take() {
{
std::unique_lock<std::mutex> lock(mutex_);
notEmpty_.wait(lock, [this]() { return !(taskQueue_.empty() && running_); });
}
std::lock_guard<std::mutex> lock(mutex_);
Task task;
if (!taskQueue_.empty()) {
task = taskQueue_.front();
taskQueue_.pop_front();
if (maxQueueSize_ > 0) {
notFull_.notify_one();
}
}
return task;
}
void runInThread() {
try {
if (threadInitCallback_) {
threadInitCallback_();
}
while (running_) {
Task task(take());
if (task) {
task();
}
}
} catch (const std::exception & ex) {
fprintf(stderr, "exception caught in ThreadPool %s\n", name_.c_str());
fprintf(stderr, "reason: %s\n", ex.what());
abort();
} catch (...) {
fprintf(stderr, "unknown exception caught in ThreadPool %s\n", name_.c_str());
throw; // rethrow
}
}
private:
mutable std::mutex mutex_;
std::condition_variable notEmpty_;
std::condition_variable notFull_;
std::string name_;
Task threadInitCallback_;
std::vector<std::thread> threads_;
std::deque<Task> taskQueue_;
size_t maxQueueSize_;
bool running_;
};
}
......@@ -26,6 +26,7 @@ Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "base", "base", "{608A105E-4
..\jlib\base\cast.h = ..\jlib\base\cast.h
..\jlib\base\config.h = ..\jlib\base\config.h
..\jlib\base\copyable.h = ..\jlib\base\copyable.h
..\jlib\base\countdownlatch.h = ..\jlib\base\countdownlatch.h
..\jlib\base\currentthread.h = ..\jlib\base\currentthread.h
..\jlib\base\date.h = ..\jlib\base\date.h
..\jlib\base\logging.h = ..\jlib\base\logging.h
......@@ -34,6 +35,7 @@ Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "base", "base", "{608A105E-4
..\jlib\base\singleton.h = ..\jlib\base\singleton.h
..\jlib\base\stringpiece.h = ..\jlib\base\stringpiece.h
..\jlib\base\thread.h = ..\jlib\base\thread.h
..\jlib\base\threadpool.h = ..\jlib\base\threadpool.h
..\jlib\base\time.h = ..\jlib\base\time.h
..\jlib\base\timestamp.h = ..\jlib\base\timestamp.h
..\jlib\base\timezone.h = ..\jlib\base\timezone.h
......@@ -247,6 +249,8 @@ Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "logstream_unittest", "logst
EndProject
Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_mutex", "test_mutex\test_mutex.vcxproj", "{F1EFC4C7-AF79-4A65-9FE1-7C5305DC2E6A}"
EndProject
Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_threadpool", "test_threadpool\test_threadpool.vcxproj", "{96714588-A974-49B5-95BE-BF843FBFD260}"
EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|x64 = Debug|x64
......@@ -437,6 +441,14 @@ Global
{F1EFC4C7-AF79-4A65-9FE1-7C5305DC2E6A}.Release|x64.Build.0 = Release|x64
{F1EFC4C7-AF79-4A65-9FE1-7C5305DC2E6A}.Release|x86.ActiveCfg = Release|Win32
{F1EFC4C7-AF79-4A65-9FE1-7C5305DC2E6A}.Release|x86.Build.0 = Release|Win32
{96714588-A974-49B5-95BE-BF843FBFD260}.Debug|x64.ActiveCfg = Debug|x64
{96714588-A974-49B5-95BE-BF843FBFD260}.Debug|x64.Build.0 = Debug|x64
{96714588-A974-49B5-95BE-BF843FBFD260}.Debug|x86.ActiveCfg = Debug|Win32
{96714588-A974-49B5-95BE-BF843FBFD260}.Debug|x86.Build.0 = Debug|Win32
{96714588-A974-49B5-95BE-BF843FBFD260}.Release|x64.ActiveCfg = Release|x64
{96714588-A974-49B5-95BE-BF843FBFD260}.Release|x64.Build.0 = Release|x64
{96714588-A974-49B5-95BE-BF843FBFD260}.Release|x86.ActiveCfg = Release|Win32
{96714588-A974-49B5-95BE-BF843FBFD260}.Release|x86.Build.0 = Release|Win32
EndGlobalSection
GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE
......@@ -486,6 +498,7 @@ Global
{58DA7AE8-9975-4F28-A1BF-44A7C01B6F7F} = {D9BC4E5B-7E8F-4C86-BF15-CCB75CBC256F}
{B8F4AB37-A049-443B-8B75-4D0C831B234B} = {D9BC4E5B-7E8F-4C86-BF15-CCB75CBC256F}
{F1EFC4C7-AF79-4A65-9FE1-7C5305DC2E6A} = {D9BC4E5B-7E8F-4C86-BF15-CCB75CBC256F}
{96714588-A974-49B5-95BE-BF843FBFD260} = {D9BC4E5B-7E8F-4C86-BF15-CCB75CBC256F}
EndGlobalSection
GlobalSection(ExtensibilityGlobals) = postSolution
SolutionGuid = {A8EBEA58-739C-4DED-99C0-239779F57D5D}
......
#include "../../jlib/base/logging.h"
#include "../../jlib/base/threadpool.h"
#include "../../jlib/base/countdownlatch.h"
#include "../../jlib/base/currentthread.h"
using namespace jlib;
using namespace std::chrono;
void print() {
printf("tid=%lld\n", CurrentThread::tid());
}
void printString(const std::string& str) {
LOG_INFO << str;
std::this_thread::sleep_for(100ms);
}
void test(int maxSize) {
LOG_WARN << "Test ThreadPool with max queue size = " << maxSize;
ThreadPool pool("MainThreadPool");
pool.setMaxQueueSize(maxSize);
pool.start(5);
LOG_WARN << "Adding";
pool.run(print);
pool.run(print);
for (int i = 0; i < 100; i++) {
char buf[32];
snprintf(buf, sizeof(buf), "task %d", i);
pool.run(std::bind(printString, std::string(buf)));
}
LOG_WARN << "Done";
CountDownLatch latch(1);
pool.run(std::bind(&CountDownLatch::countDown, &latch));
latch.wait();
pool.stop();
LOG_WARN << "All Done\n\n";
}
int main()
{
Logger::setLogLevel(Logger::LOGLEVEL_DEBUG);
LOG_INFO << _getpid();
//test(0);
//test(1);
//test(5);
//test(10);
test(50);
}
<?xml version="1.0" encoding="utf-8"?>
<Project DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<ItemGroup Label="ProjectConfigurations">
<ProjectConfiguration Include="Debug|Win32">
<Configuration>Debug</Configuration>
<Platform>Win32</Platform>
</ProjectConfiguration>
<ProjectConfiguration Include="Release|Win32">
<Configuration>Release</Configuration>
<Platform>Win32</Platform>
</ProjectConfiguration>
<ProjectConfiguration Include="Debug|x64">
<Configuration>Debug</Configuration>
<Platform>x64</Platform>
</ProjectConfiguration>
<ProjectConfiguration Include="Release|x64">
<Configuration>Release</Configuration>
<Platform>x64</Platform>
</ProjectConfiguration>
</ItemGroup>
<PropertyGroup Label="Globals">
<VCProjectVersion>16.0</VCProjectVersion>
<ProjectGuid>{96714588-A974-49B5-95BE-BF843FBFD260}</ProjectGuid>
<RootNamespace>testthreadpool</RootNamespace>
<WindowsTargetPlatformVersion>10.0</WindowsTargetPlatformVersion>
</PropertyGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" />
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>true</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>false</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<WholeProgramOptimization>true</WholeProgramOptimization>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>true</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>false</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<WholeProgramOptimization>true</WholeProgramOptimization>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" />
<ImportGroup Label="ExtensionSettings">
</ImportGroup>
<ImportGroup Label="Shared">
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<PropertyGroup Label="UserMacros" />
<PropertyGroup />
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>Disabled</Optimization>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
<LanguageStandard>stdcpp17</LanguageStandard>
<PreprocessorDefinitions>HAS_UNCAUGHT_EXCEPTIONS=1;%(PreprocessorDefinitions)</PreprocessorDefinitions>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
<AdditionalDependencies>G:\dev_libs\date\build\Debug\tz.lib;%(AdditionalDependencies)</AdditionalDependencies>
</Link>
</ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>Disabled</Optimization>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
</Link>
</ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>MaxSpeed</Optimization>
<FunctionLevelLinking>true</FunctionLevelLinking>
<IntrinsicFunctions>true</IntrinsicFunctions>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
<EnableCOMDATFolding>true</EnableCOMDATFolding>
<OptimizeReferences>true</OptimizeReferences>
</Link>
</ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>MaxSpeed</Optimization>
<FunctionLevelLinking>true</FunctionLevelLinking>
<IntrinsicFunctions>true</IntrinsicFunctions>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
<EnableCOMDATFolding>true</EnableCOMDATFolding>
<OptimizeReferences>true</OptimizeReferences>
</Link>
</ItemDefinitionGroup>
<ItemGroup>
<ClCompile Include="test_threadpool.cpp" />
</ItemGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" />
<ImportGroup Label="ExtensionTargets">
</ImportGroup>
</Project>
\ No newline at end of file
<?xml version="1.0" encoding="utf-8"?>
<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<ItemGroup>
<Filter Include="Source Files">
<UniqueIdentifier>{4FC737F1-C7A5-4376-A066-2A32D752A2FF}</UniqueIdentifier>
<Extensions>cpp;c;cc;cxx;def;odl;idl;hpj;bat;asm;asmx</Extensions>
</Filter>
<Filter Include="Header Files">
<UniqueIdentifier>{93995380-89BD-4b04-88EB-625FBE52EBFB}</UniqueIdentifier>
<Extensions>h;hh;hpp;hxx;hm;inl;inc;ipp;xsd</Extensions>
</Filter>
<Filter Include="Resource Files">
<UniqueIdentifier>{67DA6AB6-F800-4c08-8B7A-83BB121AAD01}</UniqueIdentifier>
<Extensions>rc;ico;cur;bmp;dlg;rc2;rct;bin;rgs;gif;jpg;jpeg;jpe;resx;tiff;tif;png;wav;mfcribbon-ms</Extensions>
</Filter>
</ItemGroup>
<ItemGroup>
<ClCompile Include="test_threadpool.cpp">
<Filter>Source Files</Filter>
</ClCompile>
</ItemGroup>
</Project>
\ No newline at end of file
<?xml version="1.0" encoding="utf-8"?>
<Project ToolsVersion="Current" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup />
</Project>
\ No newline at end of file
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment