muduo网络库学习笔记(四) 通过eventfd实现的事件通知机制


上篇文章为EventLoop添加了一个定时器Fd,为EventLoop增加了3个接口:runAfter()、runAt()、runEvery()、这三个接口用于处理定时任务和周期任务. 底层通过封装TimerFd实现。

	TimerId runAt(const TimeStamp& time, const NetCallBacks::TimerCallBack& cb);
TimerId runAfter(double delay, const NetCallBacks::TimerCallBack& cb);
TimerId runEvery(double interval, const NetCallBacks::TimerCallBack& cb);

今天为EventLoop添加另一个Fd:EventFd, 用于实现线程间的事件通知机制.本文会先介绍eventfd的使用,然后给出muduo中EventLoop对eventfd的封装.

eventfd的使用

eventfd系统函数

eventfd  - 事件通知文件描述符

#include <sys/eventfd.h>

int eventfd(unsigned int initval ,int flags );

创建一个能被用户应用程序用于时间等待唤醒机制的eventfd对象.

initval :

eventfd()创建一个可用作事件的“eventfd对象”用户空间应用程序和内核等待/通知机制通知用户空间应用程序的事件。该对象包含一个由内核维护的无符号64位整型(uint64_t)计数器。此计数器的初始值通过initval指定。一般设0.

flags

以下标志中按位OR运算以更改eventfd()的行为,(文件中常用的这两个flags肯定都懂意思吧,就不翻译了,第三个信号量的不管它.):

   EFD_CLOEXEC (since Linux 2.6.27)
Set the close-on-exec (FD_CLOEXEC) flag on the new file
descriptor. See the description of the O_CLOEXEC flag in
open(2) for reasons why this may be useful. EFD_NONBLOCK (since Linux 2.6.27)
Set the O_NONBLOCK file status flag on the new open file
description. Using this flag saves extra calls to fcntl(2) to
achieve the same result. EFD_SEMAPHORE (since Linux 2.6.30)
Provide semaphore-like semantics for reads from the new file
descriptor. See below.

read(2)

成功读取返回一个8byte的整数。read(2)如果提供的缓冲区的大小小于8个字节返回错误EINVAL

write (2)

将缓冲区写入的8字节整形值加到内核计数器上。可以写入的最大值

是计数器中是最大的无符号64位值减1(即0xfffffffffffffffe)。

返回值:

On success, eventfd() returns a new eventfd file descriptor. On error, -1 is returned and errno is set to indicate the error.

使用示例

#include <iostream>
#include <assert.h>
#include <poll.h>
#include <signal.h>
#include <sys/eventfd.h>
#include <unistd.h>
#include <string.h>
#include <thread> static int s_efd = 0; int createEventfd()
{
int evtfd = eventfd(0, EFD_NONBLOCK | EFD_CLOEXEC); std::cout << "createEventfd() fd : " << evtfd << std::endl; if (evtfd < 0)
{
std::cout << "Failed in eventfd\n";
abort();
} return evtfd;
} void testThread()
{
int timeout = 0;
while(timeout < 3) {
sleep(1);
timeout++;
} uint64_t one = 1;
ssize_t n = write(s_efd, &one, sizeof one);
if(n != sizeof one)
{
std::cout << " writes " << n << " bytes instead of 8\n";
}
} int main()
{
s_efd = createEventfd(); fd_set rdset;
FD_ZERO(&rdset);
FD_SET(s_efd, &rdset); struct timeval timeout;
timeout.tv_sec = 1;
timeout.tv_usec = 0; std::thread t(testThread); while(1)
{
if(select(s_efd + 1, &rdset, NULL, NULL, &timeout) == 0)
{
std::cout << "timeout\n";
timeout.tv_sec = 1;
timeout.tv_usec = 0;
FD_SET(s_efd, &rdset);
continue;
} uint64_t one = 0; ssize_t n = read(s_efd, &one, sizeof one);
if(n != sizeof one)
{
std::cout << " read " << n << " bytes instead of 8\n";
} std::cout << " wakeup !\n"; break;
} t.join();
close(s_efd); return 0;
}
./test.out
createEventfd() fd : 3
timeout
timeout
timeout
wakeup !

eventfd 单纯的使用文件描述符实现的线程间的通知机制,可以很好的融入select、poll、epoll的I/O复用机制中.

EventLoop对eventfd的封装

所增加的接口及成员:

	typedef std::function<void()> Functor;
void runInLoop(const Functor& cb);
void wakeup(); //是写m_wakeupFd 通知poll 处理读事件.
void queueInLoop(const Functor& cb);
private:
//used to waked up
void handleRead();
void doPendingFunctors(); int m_wakeupFd;
std::unique_ptr<Channel> p_wakeupChannel;
mutable MutexLock m_mutex;
bool m_callingPendingFunctors; /* atomic */
std::vector<Functor> m_pendingFunctors; // @GuardedBy mutex_

工作时序

(runInLoop() -> quueInLoop())/queueInLoop() -> wakeup() -> poll() -> handleRead() -> doPendingFunctors()

runInLoop()

如果用户在当前IO线程调用这个函数, 回调会同步进行; 如果用户在其他线程调用runInLoop(),cb会被加入队列, IO线程会被唤醒来调用这个Functor.

void EventLoop::runInLoop(const Functor&  cb)
{
if(isInloopThread())
cb();
else
queueInLoop(cb);
}

queueInLoop()

会将回调添加到容器,同时通过wakeup()唤醒poll()调用容器内的回调.

void EventLoop::queueInLoop(const Functor& cb)
{
LOG_TRACE << "EventLoop::queueInLoop()";
{
MutexLockGuard lock(m_mutex);
m_pendingFunctors.push_back(std::move(cb));
} if(!isInloopThread())
{
wakeup();
}
}

内部实现,

wakeup()

写已注册到poll的eventfd 通知poll 处理读事件.

//  m_wakeupFd(createEventfd()),
// p_wakeupChannel(new Channel(this, m_wakeupFd)),
void EventLoop::wakeup()
{
uint64_t one = 1;
ssize_t n = sockets::write(m_wakeupFd, &one, sizeof one);
if(n != sizeof one)
{
LOG_ERROR << "EventLoop::wakeup() writes " << n << " bytes instead of 8";
}
}

handleRead()

poll回调读事件,处理eventfd.

void EventLoop::handleRead() //handle wakeup Fd
{
LOG_TRACE << "EventLoop::handleRead() handle wakeup Fd";
uint64_t one = 1;
ssize_t n = sockets::read(m_wakeupFd, &one, sizeof one);
if(n != sizeof one)
{
LOG_ERROR << "EventLoop::handleRead() reads " << n << "bytes instead of 8";
}
doPendingFunctors();
}

doPendingFunctors()

处理挂起的事件.

void EventLoop::doPendingFunctors()
{
LOG_TRACE << "EventLoop::doPendingFunctors()";
std::vector<Functor> functors;
m_callingPendingFunctors = true; {
MutexLockGuard lock(m_mutex);
functors.swap(m_pendingFunctors);
} for(size_t i = 0; i < functors.size(); ++i)
{
functors[i]();
} m_callingPendingFunctors = false; }

总结

本文主要介绍了muduo中EventLoop通过 通过封装一层eventfd实现的runInLoop()函数,使得其他线程想往EventLoop所在的I/O线程注册任务成为可能.

下篇文章会写Connector和Acceptor,链接器和监听器 实现第一条链接。

muduo网络库学习笔记(四) 通过eventfd实现的事件通知机制的更多相关文章

  1. muduo网络库学习笔记(五) 链接器Connector与监听器Acceptor

    目录 muduo网络库学习笔记(五) 链接器Connector与监听器Acceptor Connector 系统函数connect 处理非阻塞connect的步骤: Connetor时序图 Accep ...

  2. muduo网络库学习笔记(三)TimerQueue定时器队列

    目录 muduo网络库学习笔记(三)TimerQueue定时器队列 Linux中的时间函数 timerfd简单使用介绍 timerfd示例 muduo中对timerfd的封装 TimerQueue的结 ...

  3. muduo网络库学习笔记(10):定时器的实现

    传统的Reactor通过控制select和poll的等待时间来实现定时,而现在在Linux中有了timerfd,我们可以用和处理IO事件相同的方式来处理定时,代码的一致性更好. 一.为什么选择time ...

  4. muduo 网络库学习之路(一)

    前提介绍: 本人是一名大三学生,主要使用C++开发,兴趣是高性能的服务器方面. 网络开发离不开网络库,所以今天开始学一个新的网络库,陈老师的muduo库 我参考的书籍就是陈老师自己关于muduo而编著 ...

  5. muduo网络库学习之MutexLock类、MutexLockGuard类、Condition类、CountDownLatch类封装中的知识点

    一.MutexLock 类 class  MutexLock  :  boost::noncopyable 二.MutexLockGuard类 class  MutexLockGuard  :  bo ...

  6. Linux多线程服务端编程 使用muduo C++网络库 学习笔记 日志log

    代码来自陈硕开源代码库 muduo中 地址是https://github.com/chenshuo/muduo #pragma once #include <string> #define ...

  7. 网络协议学习笔记(四)传输层的UDP和TCP

    概述 传输层里比较重要的两个协议,一个是 TCP,一个是 UDP.对于不从事底层开发的人员来讲,或者对于开发应用的人来讲,最常用的就是这两个协议.由于面试的时候,这两个协议经常会被放在一起问,因而我在 ...

  8. muduo网络库架构总结

    目录 muduo网络库简介 muduo网络库模块组成 Recator反应器 EventLoop的两个组件 TimerQueue定时器 Eventfd Connector和Acceptor连接器和监听器 ...

  9. 陈硕 - Linux 多线程服务端编程 - muduo 网络库作者

    http://chenshuo.com/book/ Muduo网络库源码分析(一) EventLoop事件循环(Poller和Channel)http://blog.csdn.net/nk_test/ ...

随机推荐

  1. 基于esky实现python应用的自动升级

    一.esky介绍 Esky is an auto-update framework for frozen Python applications. It provides a simple API t ...

  2. Java入门系列:实例讲解ArrayList用法

    本文通过实例讲解Java中如何使用ArrayList类. Java.util.ArrayList类是一个动态数组类型,也就是说,ArrayList对象既有数组的特征,也有链表的特征.可以随时从链表中添 ...

  3. 35_张孝祥Java高新技术_为注解增加各种属性

    注解的作用之所以那么强大,就是因为它有属性 注解很像接口,属性很像方法.   什么是注解的属性 一个注解相当于一个胸牌,如果你胸前贴了胸牌,就是传智播客的学生,否则,就不是.如果还想区分出事传智播客 ...

  4. 金三银四求职季,前端面试题小梳理(HTML、CSS、JS)

    好久没写学习记录,最近太多事,又到一年求职季,都说金三银四求职季,自己也做一下最近学习的一些前端面试题梳理,还是个小白,写的不对请指正,不胜感激. HTML篇 html语义化 用语义化的代码标签书写, ...

  5. 细数垃圾邮箱客户端 Live Mail 的BUG

    以前用XP系统,里面自带的有outlook,使用中还行,不过bug也不少,常见的如 1.查找,邮件多了后,常常查找不到: 2.有时收件箱什么的突然空白,或部分邮件不见了(2G大小限制,超过了就不能做移 ...

  6. C结构体数组赋值

    #include <stdio.h> #include <stdlib.h> struct MyStruct { int a; char b; }; struct MyStru ...

  7. Breaking Down Type Erasure in Swift

    Type Erasure Pattern We can use the type erasure pattern to combine both generic type parameters and ...

  8. libco协程库上下文切换原理详解

    缘起 libco 协程库在单个线程中实现了多个协程的创建和切换.按照我们通常的编程思路,单个线程中的程序执行流程通常是顺序的,调用函数同样也是 “调用——返回”,每次都是从函数的入口处开始执行.而li ...

  9. Spring Boot 扩展点应用之工厂加载机制

    Spring 工厂加载机制,即 Spring Factories Loader,核心逻辑是使用 SpringFactoriesLoader 加载由用户实现的类,并配置在约定好的META-INF/spr ...

  10. CentOS7+Nginx设置Systemctl restart nginx.service服务

    centos 7上是用Systemd进行系统初始化的,Systemd 是 Linux 系统中最新的初始化系统(init),它主要的设计目标是克服 sysvinit 固有的缺点,提高系统的启动速度.关于 ...