muduo里的CountDownLatch类实际上是对条件变量condition进行的封装,既可以用于所有子线程等待主线程发起 “起跑” ,也可以用于主线程等待子线程初始化完毕才开始工作。

condition.h代码如下:

// Use of this source code is governed by a BSD-style license
// that can be found in the License file.
//
// Author: Shuo Chen (chenshuo at chenshuo dot com)
//条件变量
#ifndef MUDUO_BASE_CONDITION_H
#define MUDUO_BASE_CONDITION_H #include <muduo/base/Mutex.h> #include <boost/noncopyable.hpp>
#include <pthread.h> namespace muduo
{ class Condition : boost::noncopyable
{
public:
//构造函数只能显式调用
explicit Condition(MutexLock& mutex) : mutex_(mutex)
{//构造函数初始化条件变量
pthread_cond_init(&pcond_, NULL);
}
//析构函数
~Condition()
{//析构函数销毁条件变量
pthread_cond_destroy(&pcond_);
}
//等待函数
void wait()
{
pthread_cond_wait(&pcond_, mutex_.getPthreadMutex());
} // returns true if time out, false otherwise.
bool waitForSeconds(int seconds);
//signal函数
void notify()
{
pthread_cond_signal(&pcond_);
}
//broadcast函数
void notifyAll()
{
pthread_cond_broadcast(&pcond_);
} private:
MutexLock& mutex_;//锁,不拥有他,是一个引用,不负责管理他的生存期
pthread_cond_t pcond_;//为一个条件变量
}; }
#endif // MUDUO_BASE_CONDITION_H

condition.cc

// Use of this source code is governed by a BSD-style license
// that can be found in the License file.
//
// Author: Shuo Chen (chenshuo at chenshuo dot com) #include <muduo/base/Condition.h> #include <errno.h> // returns true if time out, false otherwise.
bool muduo::Condition::waitForSeconds(int seconds)
{
struct timespec abstime;
clock_gettime(CLOCK_REALTIME, &abstime);
abstime.tv_sec += seconds;
return ETIMEDOUT == pthread_cond_timedwait(&pcond_, mutex_.getPthreadMutex(), &abstime);
}

CountDownLatch.h

// Use of this source code is governed by a BSD-style license
// that can be found in the License file.
//
// Author: Shuo Chen (chenshuo at chenshuo dot com)
//对条件变量的封装,既可以用于所有子线程等待主线程发起起跑命令,
//也可以用于主线程等待子线程初始化完毕才开始工作
#ifndef MUDUO_BASE_COUNTDOWNLATCH_H
#define MUDUO_BASE_COUNTDOWNLATCH_H #include <muduo/base/Condition.h>
#include <muduo/base/Mutex.h> #include <boost/noncopyable.hpp> namespace muduo
{ class CountDownLatch : boost::noncopyable
{
public:
//构造函数,显示调用
explicit CountDownLatch(int count);
//等待函数
void wait();
//计数器减
void countDown();
//获取当前计数器的值
int getCount() const; private://mutable表明在const里可以改变他的状态
mutable MutexLock mutex_;//互斥锁
Condition condition_;//条件变量
int count_;//计数器
}; }
#endif // MUDUO_BASE_COUNTDOWNLATCH_H

CountDownLatch.cc

// Use of this source code is governed by a BSD-style license
// that can be found in the License file.
//
// Author: Shuo Chen (chenshuo at chenshuo dot com) #include <muduo/base/CountDownLatch.h> using namespace muduo;
//构造函数对值进行初始化,参数为计数器,构造mutex_对象,将mutex_对象传到condition_里面
CountDownLatch::CountDownLatch(int count): mutex_(), condition_(mutex_),count_(count)
{
} void CountDownLatch::wait()
{
MutexLockGuard lock(mutex_);
//count_不为0则一直等待
while (count_ > 0)
{
condition_.wait();
}
} void CountDownLatch::countDown()
{
MutexLockGuard lock(mutex_);
--count_;//count_减少
if (count_ == 0)
{//如果count_为0,则通知所有的等待线程
condition_.notifyAll();
}
} int CountDownLatch::getCount() const
{//得到count_的值
MutexLockGuard lock(mutex_);
return count_;
}

测试代码需要自己编写,如下所示,该程序先打印主进程id,建立3个线程,wait等待主线程发号施令,然后睡眠3秒,之后发起号令,打印各个线程的id,代码如下:

#include <muduo/base/CountDownLatch.h>
#include <muduo/base/Thread.h> #include <boost/bind.hpp>
#include <boost/ptr_container/ptr_vector.hpp>
#include <string>
#include <stdio.h>
//测试程序
using namespace muduo; class Test
{
public:
Test(int numThreads) : latch_(1),threads_(numThreads)
{//CountDownLatch对象的计数值初始化为1,线程对象数组的容量初始化为传进来的参数
for (int i = 0; i < numThreads; ++i)
{//创建numThreads个线程
char name[32];//线程的名称
snprintf(name, sizeof name, "work thread %d", i);
//创建线程,threadFunc为回调函数,因为是成员函数,所以要用&,this为当前类指针
threads_.push_back(new muduo::Thread(boost::bind(&Test::threadFunc, this), muduo::string(name)));
}
//占位符为参数
for_each(threads_.begin(), threads_.end(), boost::bind(&Thread::start, _1));
} void run()
{//count_初始化的时候赋为1,这里只需执行一次既可以跳出等待
latch_.countDown();
} void joinAll()
{
for_each(threads_.begin(), threads_.end(), boost::bind(&Thread::join, _1));
} private: void threadFunc()
{
latch_.wait();//等待主线程发号施令
printf("tid=%d, %s started\n", CurrentThread::tid(), CurrentThread::name()); printf("tid=%d, %s stopped\n",CurrentThread::tid(),CurrentThread::name());
} CountDownLatch latch_;//CountDownLatch对象
boost::ptr_vector<Thread> threads_;//线程对象数组
}; int main()
{//首先打印当前进程pid,当前线程tid
printf("pid=%d, tid=%d\n", ::getpid(), CurrentThread::tid());
//构造Test对象
Test t(3);
sleep(3);
printf("pid=%d, tid=%d %s running ...\n", ::getpid(), CurrentThread::tid(), CurrentThread::name());
t.run();//发号施令
t.joinAll(); printf("number of created threads %d\n", Thread::numCreated());
}

由于线程竞争,运行结果不唯一:



另一个结果:

muduo网络库源码学习————条件变量的更多相关文章

  1. muduo网络库源码学习————Timestamp.cc

    今天开始学习陈硕先生的muduo网络库,moduo网络库得到很多好评,陈硕先生自己也说核心代码不超过5000行,所以我觉得有必要拿过来好好学习下,学习的时候在源码上面添加一些自己的注释,方便日后理解, ...

  2. muduo网络库源码学习————线程池实现

    muduo库里面的线程池是固定线程池,即创建的线程池里面的线程个数是一定的,不是动态的.线程池里面一般要包含线程队列还有任务队列,外部程序将任务存放到线程池的任务队列中,线程池中的线程队列执行任务,也 ...

  3. muduo网络库源码学习————无界队列和有界队列

    muduo库里实现了两个队列模板类:无界队列为BlockingQueue.h,有界队列为BoundedBlockingQueue.h,两个测试程序实现了生产者和消费者模型.(这里以无界队列为例,有界队 ...

  4. muduo网络库源码学习————互斥锁

    muduo源码的互斥锁源码位于muduo/base,Mutex.h,进行了两个类的封装,在实际的使用中更常使用MutexLockGuard类,因为该类可以在析构函数中自动解锁,避免了某些情况忘记解锁. ...

  5. muduo网络库源码学习————线程类

    muduo库里面的线程类是使用基于对象的编程思想,源码目录为muduo/base,如下所示: 线程类头文件: // Use of this source code is governed by a B ...

  6. muduo网络库源码学习————原子性操作Atomic.h

    原子性操作可以做到比互斥锁更小的开销,在多线程编程中原子性操作是非常有用的.Atomic.h文件位于muduo/base下,代码如下: // Use of this source code is go ...

  7. muduo网络库源码学习————日志滚动

    muduo库里面的实现日志滚动有两种条件,一种是日志文件大小达到预设值,另一种是时间到达超过当天.滚动日志类的文件是LogFile.cc ,LogFile.h 代码如下: LogFile.cc #in ...

  8. muduo网络库源码学习————日志类封装

    muduo库里面的日志使方法如下 这里定义了一个宏 #define LOG_INFO if (muduo::Logger::logLevel() <= muduo::Logger::INFO) ...

  9. muduo网络库源码学习————线程特定数据

    muduo库线程特定数据源码文件为ThreadLocal.h //线程本地存储 // Use of this source code is governed by a BSD-style licens ...

随机推荐

  1. Nginx知多少系列之(六)Linux下.NET Core项目负载均衡

    目录 1.前言 2.安装 3.配置文件详解 4.工作原理 5.Linux下托管.NET Core项目 6.Linux下.NET Core项目负载均衡 7.负载均衡策略详解 8.Linux下.NET C ...

  2. shell-function 删除目录和文件

    function sDelDirFile() { if [ "$#" -eq 1 ];then if [ -e "$1" ];then rm "$1& ...

  3. Redis学习一:Redis两种持久化机制

    申明 本文章首发自本人公众号:壹枝花算不算浪漫,如若转载请标明来源! 感兴趣的小伙伴可关注个人公众号:壹枝花算不算浪漫 22.jpg 前言 Redis是基于内存来实现的NO SQL数据库,但是我么你都 ...

  4. 关于连接内部服务器以及redis缓存基本操作

    1.linux命令行远程连接内部服务器 ssh -p 6637 mndevops@172.18.11.183 //建立连接命令 端口号和用户名+ip 输入密码 ./redis-cli 进入redis数 ...

  5. 11-JS变量

    一. JavaScript 是什么 JavaScript是一种运行在客户端(浏览器)的脚本语言 客户端:客户端是相对于服务器而言的,在这里先简单理解为浏览器 浏览器就是一个客户端软件,浏览器从服务器上 ...

  6. Python列表介绍,最常用的Python数据类型

    文的文字及图片来源于网络,仅供学习.交流使用,不具有任何商业用途,版权归原作者所有,如有问题请及时联系我们以作处理. 作者:数据杂论 PS:如有需要Python学习资料的小伙伴可以加点击下方链接自行获 ...

  7. L22 Data Augmentation数据增强

    数据 img2083 链接:https://pan.baidu.com/s/1LIrSH51bUgS-TcgGuCcniw 提取码:m4vq 数据cifar102021 链接:https://pan. ...

  8. shiro:集成Springboot(六)

    1:导入相关依赖 <!--thymeleaf 模板引擎依赖包--> <dependency> <groupId>org.springframework.boot&l ...

  9. redis:安装及基础知识(一)

    Redis官网:https://redis.io/ Redis中文网:http://www.redis.cn/ Redis 是一个开源的,内存中的数据结构存储系统,它可以用作数据库.缓存和消息中间件. ...

  10. python 获取的json字符串取值

    获取到的json字符串,然后对其取值 {u'result': {u'10.10.10.100': {u'status': u'OK', u'msg': u"{'listen': {'': s ...