<div class="markdown_views prism-atom-one-light" id="content_views">
<svg style="display: none;" xmlns="http://www.w3.org/2000/svg">
<path d="M5,0 0,2.5 5,5z" id="raphael-marker-block" stroke-linecap="round" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></path>
</svg>
<blockquote>
<p><strong>个人主页:平凡的小苏</strong><br/> <strong>学习格言:命运给你一个低的起点,是想看你精彩的翻盘,而不是让你自甘堕落,脚下的路虽然难走,但我还能走,比起向阳而生,我更想尝试逆风翻盘</strong>。<br/> <strong>C++项目实战</strong>:<a href="http://t.csdnimg.cn/tVmrT" rel="nofollow"><strong>C++项目实战</strong></a><br/> <strong>> 家人们更新不易,你们的点赞和⭐关注⭐真的对我真重要,各位路 过的友友麻烦多多点赞关注。 欢迎你们的私信提问,感谢你们的转发! 关注我,关注我,关注我,你们将会看到更多的优质内容!!</strong></p>
</blockquote>
<h2><a id="Http_5"></a>一、Http服务器认识</h2>
<h3><a id="_7"></a>概念</h3>
<p>HTTP(Hyper Text Transfer Protocol),超⽂本传输协议是应⽤层协议,是⼀种简单的请求-响应协议(客⼾端根据⾃⼰的需要向服务器发送请求,服务器针对请求提供服务,完毕后通信结束)。</p>
<p>实现⼀个HTTP服务器很简单,但是实现⼀个⾼性能的服务器并不简单,这个单元中将讲解基于Reactor模式的⾼性能服务器实现。</p>
<p>当然准确来说,因为我们要实现的服务器本⾝并不存在业务,咱们要实现的应该算是⼀个⾼性能服务器基础库,是⼀个基础组件。</p>
<h2><a id="Reactor_15"></a>二、Reactor模型</h2>
<h3><a id="_17"></a>概念</h3>
<p>Reactor 模式,是指<strong>通过⼀个或多个输⼊同时传递给服务器进⾏请求处理时的事件驱动处理模式</strong>。</p>
<p>服务端程序处理传⼊多路请求,并将它们同步分派给请求对应的处理线程,<strong>Reactor 模式也叫Dispatcher 模式</strong>。</p>
<p>简单理解就是使⽤ I/O多路复⽤ 统⼀监听事件,收到事件后分发给处理进程或线程,是编写⾼性能⽹络服务器的必备技术之⼀。</p>
<h3><a id="ReactorIO_25"></a><strong>单Reactor单线程:单I/O多路复⽤+业务处理</strong></h3>
<ul><li> <p>通过IO多路复⽤模型进⾏客⼾端请求监控</p> </li><li> <p>触发事件后,进⾏事件处理</p>
<ul><li> <p>如果是新建连接请求,则获取新建连接,并添加⾄多路复⽤模型进⾏事件监控。</p> </li><li> <p>如果是数据通信请求,则进⾏对应数据处理(接收数据,处理数据,发送响应)。</p> </li></ul> </li></ul>
<p><strong>优点</strong>:所有 *** 作均在同⼀线程中完成,思想流程较为简单,不涉及进程/线程间通信及资源争抢问题。</p>
<p><strong>缺点</strong>:⽆法有效利⽤CPU多核资源,很容易达到性能瓶颈。</p>
<p><strong>适⽤场景</strong>:适⽤于客⼾端数量较少,且处理速度较为快速的场景。(处理较慢或活跃连接较多,会导致串⾏处理的情况下,后处理的连接⻓时间⽆法得到响应).</p>
<h3><a id="ReactorIO_41"></a>单Reactor多线程:单I/O多路复⽤+线程池(业务处理)</h3>
<ul><li> <p>Reactor线程通过I/O多路复⽤模型进⾏客⼾端请求监控</p> </li><li> <p>触发事件后,进⾏事件处理</p>
<ul><li>如果是新建连接请求,则获取新建连接,并添加⾄多路复⽤模型进⾏事件监控。</li><li>如果是数据通信请求,则接收数据后分发给Worker线程池进⾏业务处理。</li><li>⼯作线程处理完毕后,将响应交给Reactor线程进⾏数据响应</li></ul> </li></ul>
<p><strong>优点</strong>:充分利⽤CPU多核资源</p>
<p><strong>缺点</strong>:多线程间的数据共享访问控制较为复杂,单个Reactor 承担所有事件的监听和响应,在单线程中运⾏,⾼并发场景下容易成为性能瓶颈。</p>
<h3><a id="ReactorIO_54"></a>多Reactor多线程:多I/O多路复⽤+线程池(业务处理)</h3>
<ul><li> <p>在主Reactor中处理新连接请求事件,有新连接到来则分发到⼦Reactor中监控</p> </li><li> <p>在⼦Reactor中进⾏客⼾端通信监控,有事件触发,则接收数据分发给Worker线程池</p> </li><li> <p>Worker线程池分配独⽴的线程进⾏具体的业务处理</p>
<ul><li>⼯作线程处理完毕后,将响应交给⼦Reactor线程进⾏数据响应</li></ul> </li></ul>
<p><strong>优点</strong>:充分利⽤CPU多核资源,主从Reactor各司其职</p>
<h3><a id="Reactor_65"></a>⽬标定位:主从Reactor模型⾼并发服务器</h3>
<p>我要实现的是主从Reactor模型服务器,也就是主Reactor线程仅仅监控监听描述符,获取新建连接,保证获取新连接的⾼效性,提⾼服务器的并发性能。</p>
<p>主Reactor获取到新连接后分发给⼦Reactor进⾏通信事件监控。⽽⼦Reactor线程监控各⾃的描述符的读写事件进⾏数据读写以及业务处理。<strong>(该项目从Reactor主要作用:IO事件监控+IO *** 作+业务处理)(比较轻量)。</strong></p>
<p>当前实现中,因为并不确定组件使⽤者的使⽤意向,因此并不提供业务层⼯作线程池的实现,只实现主从Reactor,⽽Worker⼯作线程池,可由组件库的使⽤者的需要⾃⾏决定是否使⽤和实现。</p>
<h2><a id="_73"></a>三、功能模块划分</h2>
<p>我要实现的是⼀个带有协议⽀持的Reactor模型⾼性能服务器,因此将整个项⽬的实现划分为两个⼤的模块:</p>
<ul><li> <p>SERVER模块:实现Reactor模型的TCP服务器;</p> </li><li> <p>协议模块:对当前的Reactor模型服务器提供应⽤层协议⽀持。</p> </li></ul>
<h3><a id="SERVER_81"></a>SERVER模块</h3>
<p>SERVER模块就是对所有的连接以及线程进⾏管理,让它们各司其职,在合适的时候做合适的事,最终</p>
<p>完成⾼性能服务器组件的实现。</p>
<p>⽽具体的管理也分为三个⽅⾯:</p>
<p>• 监听连接管理:对监听连接进⾏管理。</p>
<p>• 通信连接管理:对通信连接进⾏管理。</p>
<p>• 超时连接管理:对超时连接进⾏管理。</p>
<p>基于以上的管理思想,将这个模块进⾏细致的划分⼜可以划分为以下多个⼦模块:</p>
<h4><a id="Buffer_97"></a>Buffer子模块</h4>
<p>Buffer模块是⼀个缓冲区模块,⽤于实现通信中⽤⼾态的接收缓冲区和发送缓冲区功能</p>
<p><strong>意义</strong>:1、防止接收到的数据不是一条完整的数据,因此对接收的数据进行缓冲</p>
<p> 2、对于客户端响应的数据,应该是在套接字可写的情况下进行发送</p>
<p><strong>功能设计</strong>:<br/> 1、向缓冲区中添加数据<br/> 2、从缓冲区中取出数据</p>
<h4><a id="Socket_109"></a>Socket子模块</h4>
<p>Socket模块是对套接字 *** 作封装的⼀个模块,主要实现的socket的各项 *** 作。</p>
<p><strong>意义</strong>:程序中对于套接字的各项 *** 作更加简便</p>
<p><strong>功能设计</strong>:</p>
<ol><li> 创建套接字</li><li> 绑定地址信息</li><li> 开始监听</li><li> 向服务器发起连接</li><li> 获取新连接</li><li> 接收数据</li><li> 发送数据</li><li> 关闭套接字</li><li> 创建一个监听连接</li><li> 创建一个客户端连接</li></ol>
<h4><a id="Channel_128"></a>Channel模块</h4>
<p>Channel模块是对⼀个描述符需要进⾏的IO事件管理的模块,实现对描述符可读,可写,错误…事件的管理 *** 作,以及Poller模块对描述符进⾏IO事件监控就绪后,根据不同的事件,回调不同的处理函数功能。</p>
<p><strong>意义</strong>:对于描述符的监控事件在用户态更容易维护,以及触发事件后的 *** 作流程更加的清晰</p>
<p><strong>功能设计</strong>:</p>
<ol><li>对监控事件的管理<br/> 描述符是否可读<br/> 描述符是否可写<br/> 对描述符监控可读<br/> 对描述符监控可写<br/> 解除可读事件监控<br/> 解除可写事件监控<br/> 解除所有事件监控</li><li>对监控事件触发后的处理<br/> 设置对于不同事件的回调处理函数,明确触发了某个事件之后应该怎么处理</li></ol>
<h4><a id="Connection_147"></a>Connection模块</h4>
<p><strong>功能</strong>:</p>
<ul><li> 这是一个对于通信连接进行整体管理的一个模块,对一个连接的 *** 作都是通过这个模块进行的</li><li> Connection模块,一个连接有任何的事件该怎么处理都是由这个模块来进行处理的,因为组件的设计也不知道使用者要如何处理事 件,因此只能是提供一些事件回调函数由使用者设置</li></ul>
<p>• Connection模块内部包含有三个由组件使⽤者传⼊的回调函数:连接建⽴完成回调,事件回调,新数据回调,关闭回调。</p>
<p>• Connection模块内部包含有两个组件使⽤者提供的接⼝:数据发送接⼝,连接关闭接⼝</p>
<p>• Connection模块内部包含有两个⽤⼾态缓冲区:⽤⼾态接收缓冲区,⽤⼾态发送缓冲区</p>
<p>• Connection模块内部包含有⼀个Socket对象:完成描述符⾯向系统的IO *** 作</p>
<p>• Connection模块内部包含有⼀个Channel对象:完成描述符IO事件就绪的处理</p>
<p><strong>具体处理流程如下</strong>:</p>
<ol><li> <p>实现向Channel提供可读,可写,错误等不同事件的IO事件回调函数,然后将Channel和对应的描述符添加到Poller事件监控中。</p> </li><li> <p>当描述符在Poller模块中就绪了IO可读事件,则调⽤描述符对应Channel中保存的读事件处理函数,进⾏数据读取,将socket接收缓冲区全部读取到Connection管理的⽤⼾态接收缓冲区中。然后调⽤由组件使⽤者传⼊的新数据到来回调函数进⾏处理。</p> </li><li> <p>组件使⽤者进⾏数据的业务处理完毕后,通过Connection向使⽤者提供的数据发送接⼝,将数据写⼊Connection的发送缓冲区中。</p> </li><li> <p>启动描述符在Poll模块中的IO写事件监控,就绪后,调⽤Channel中保存的写事件处理函数,将发送缓冲区中的数据通过Socket进⾏⾯向系统的实际数据发送。</p> </li></ol>
<h4><a id="Acceptor_174"></a>Acceptor模块:</h4>
<p>Acceptor模块是对Socket模块,Channel模块的⼀个整体封装,实现了对⼀个监听套接字的整体的管理。</p>
<p>• Acceptor模块内部包含有⼀个Socket对象:实现监听套接字的 *** 作</p>
<p>• Acceptor模块内部包含有⼀个Channel对象:实现监听套接字IO事件就绪的处理</p>
<p><strong>具体处理流程如下</strong>:</p>
<ol><li>实现向Channel提供可读事件的IO事件处理回调函数,函数的功能其实也就是获取新连接</li><li>为新连接构建⼀个Connection对象出来。</li></ol>
<p><strong>意义</strong>:<br/> 当获取了一个新建连接的描述符之后,需要为这个通信连接,封装一个Connection对象,设置各种不同回调</p>
<p><strong>注意</strong>:</p>
<p> 因为Acceptor模块本身并不知道一个连接产生了某个事件该如何处理,因此获取一个通信连接后,Connection的封装,以及事件回调的设置都应该由服务器模块来进行</p>
<h4><a id="TimerQueue_194"></a>TimerQueue模块</h4>
<p>TimerQueue模块是实现固定时间定时任务的模块,可以理解就是要给定时任务管理器,向定时任务管理器中添加⼀个任务,任务将在固定时间后被执⾏,同时也可以通过刷新定时任务来延迟任务的执⾏</p>
<p>这个模块主要是对Connection对象的⽣命周期管理,对⾮活跃连接进⾏超时后的释放功能。</p>
<blockquote>
<p><strong>TimerQueue模块内部包含有⼀个timerfd:linux系统提供的定时器。</strong></p>
<p><strong>TimerQueue模块内部包含有⼀个Channel对象:实现对timerfd的IO时间就绪回调处理</strong></p>
</blockquote>
<p><strong>功能设计</strong>:添加定时任务、刷新定时任务、希望一个定时任务重新开始计时、取消定时任务</p>
<h4><a id="Poller_206"></a>Poller模块</h4>
<p>Poller模块是对epoll进⾏封装的⼀个模块,主要实现epoll的IO事件添加,修改,移除,获取活跃连接功能。</p>
<p><strong>意义</strong>:对epoll进行的封装,让对描述符进行事件监控的 *** 作更加简单</p>
<p><strong>功能接口</strong>:添加事件监控、Channel模块、修改事件监控、移除事件监控</p>
<h4><a id="EventLoop_214"></a><strong>EventLoop模块</strong></h4>
<p>EventLoop模块可以理解就是我们上边所说的Reactor模块,它是对Poller模块,TimerQueue模块,Socket模块的⼀个整体封装,进⾏所有描述符的事件监控。</p>
<p><strong>意义</strong>:对于服务器中的所有的事件都是由EventLoop模块来完成<br/> 每一个Connection连接,都会绑定一个EventLoop模块和线程,因为外界对于连接的所有 *** 作,都是要放到同一个线程中进行的</p>
<p><strong>思想</strong>:1、对所有的连接进行事件监控</p>
<p> 2、连接触发事件后调用回调进行处理</p>
<p> 3、对于连接的所有 *** 作,都要放到eventloop模块来完成</p>
<p><strong>功能设计</strong>:将对连接的 *** 作任务添加到任务队列、定时任务的添加、定时任务的刷新、定时任务的取消</p>
<p><strong>具体 *** 作流程</strong>:</p>
<p> 1、通过Poller模块对当前模块管理内的所有描述符进⾏IO事件监控,有描述符事件就绪后,通过描述符对应的Channel进⾏事件 处理。</p>
<p> 2、所有就绪的描述符IO事件处理完毕后,对任务队列中的所有 *** 作顺序进⾏执⾏。</p>
<p> 3、 由于epoll的事件监控,有可能会因为没有事件到来⽽持续阻塞,导致任务队列中的任务不能及时得到执⾏,因此创建了 eventfd,添加到Poller的事件监控中,⽤于实现每次向任务队列添加任务的时候,通过向eventfd写⼊数据来唤醒epoll的阻塞</p>
<h4><a id="TcpServer_237"></a>TcpServer模块</h4>
<p>这个模块是⼀个整体Tcp服务器模块的封装,内部封装了Acceptor模块,EventLoopThreadPool模块。</p>
<p> • TcpServer中包含有⼀个EventLoop对象:在超轻量使⽤场景中不需要EventLoop线程池,只需要在主线程中完成所有 *** 作的情况。</p>
<p> • TcpServer模块内部包含有⼀个EventLoopThreadPool对象:其实就是EventLoop线程池,也就是⼦Reactor线程池</p>
<p> • TcpServer模块内部包含有⼀个Acceptor对象:⼀个TcpServer服务器,必然对应有⼀个监听套接字,能够完成获取客⼾端新连接,并处理的任务。</p>
<p> • TcpServer模块内部包含有⼀个std::shared_ptr的hash表:保存了所有的新建连接对应的Connection,注意,所有的Connection使⽤shared_ptr进⾏管理,这样能够保证在hash表中删除了Connection信息后,在shared_ptr计数器为0的情况下完成对Connection资源的释放 *** 作。</p>
<p><strong>意义</strong>:让组件使用者可以更加轻便的完成一个服务器的搭建</p>
<p><strong>功能</strong>:对于监听连接的管理,获取一个新连接之后如何处理,由Server模块设置</p>
<p> 对于通信连接的管理,连接产生的某个事件如何处理,由Server模块设置<br/> 对于超时连接的管理,连接非活跃超时是否关闭,由Server模块设置<br/> 对于事件监控的管理,启动多少个线程,有多少个EventLoop,由Server设置<br/> 事件回调函数的设置,一个连接产生了一个事件,对于这个事件如何处理,只有组件使用者知道,因此一个事件的处理回调,一定 是组件使用者,设置给TcpServer,TcpServer设置给各个Connection连接</p>
<p><strong>具体流程如下</strong>:</p>
<ol><li> <p>在实例化TcpServer对象过程中,完成BaseLoop的设置,Acceptor对象的实例化,以及EventLoop线程池的实例化,以及std::shared_ptr的hash表的实例化。</p> </li><li> <p>为Acceptor对象设置回调函数:获取到新连接后,为新连接构建Connection对象,设置Connection的各项回调,并使⽤shared_ptr进⾏管理,并添加到hash表中进⾏管理,并为Connection选择⼀个EventLoop线程,为Connection添加⼀个定时销毁任务,为Connection添加事件监控,</p> </li><li> <p>启动BaseLoop。</p> </li></ol>
<h4><a id="_266"></a>通信连接管理模块关系图</h4>
<p><img alt="image-20240206172759555" src="https://img-blog.csdnimg.cn/img_convert/fc4c65d0e168f40fbf1ac505d849705c.png"/></p>
<h2><a id="Server_270"></a>四、Server代码实现</h2>
<h3><a id="1_272"></a>1、前置技术知识</h3>
<h4><a id="C11bind_274"></a>C++11中的bind</h4>
<pre><p style='background-color:black;color:white;padding:12px;'>bind (Fn&& fn, Args&&... args);
</p></pre>
<p>我们可以将bind接⼝看作是⼀个通⽤的函数适配器,它接受⼀个函数对象,以及函数的各项参数,然后返回⼀个新的函数对象,但是这个函数对象的参数已经被绑定为设置的参数。运⾏的时候相当于总是调⽤传⼊固定参数的原函数。</p>
<p>但是如果进⾏绑定的时候,给与的参数为 <p style='background-color:black;color:white;padding:12px;'>std::placeholders::_1, _2...</p> 则相当于为新适配⽣成的函数对象的调⽤预留⼀个参数进⾏传递。</p>
<h3><a id="2_284"></a>2、简单的秒级定时任务实现</h3>
<p>在当前的⾼并发服务器中,我们不得不考虑⼀个问题,那就是连接的超时关闭问题。我们需要避免⼀个连接⻓时间不通信,但是也不关闭,空耗资源的情况。<strong>这时候我们就需要⼀个定时任务,定时的将超时过期的连接进⾏释放。</strong></p>
<h4><a id="Linux_288"></a>Linux提供给我们的定时器</h4>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <sys/timerfd.h>
int timerfd_create(int clockid, int flags);
clockid: CLOCK_REALTIME-系统实时时间,如果修改了系统时间就会出问题;
CLOCK_MONOTONIC-从开机到现在的时间是⼀种相对时间;
flags: 0-默认阻塞属性
返回值:小于0则为错误
int timerfd_settime(int fd, int flags, struct itimerspec *new, structitimerspec *old);
fd: timerfd_create返回的⽂件描述符
flags: 0-相对时间, 1-绝对时间;默认设置为0即可.
new: ⽤于设置定时器的新超时时间
old: ⽤于接收原来的超时时间
struct timespec {
time_t tv_sec; /* Seconds */
long tv_nsec; /* Nanoseconds */
};
struct itimerspec {
struct timespec it_interval; /* 第⼀次之后的超时间隔时间 */
struct timespec it_value; /* 第⼀次超时时间 */
};
定时器会在每次超时时,⾃动给fd中写⼊8字节的数据,表⽰在上⼀次读取数据到当前读取数据期间超时了多少次。
</p></pre>
<p><strong>示例</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <iostream>
#include <cstdio>
#include <unistd.h>
#include <sys/timerfd.h>int main()
{
int timerfd = timerfd_create(CLOCK_MONOTONIC, 0);
if(timerfd < 0)
{
perror("timerfd_create error");
return -1;
} struct itimerspec itime;
itime.it_value.tv_sec = 3;
itime.it_value.tv_nsec = 0; // 第一次超时时间为1s后
itime.it_interval.tv_sec = 1;
itime.it_interval.tv_nsec = 0; //第一次超时后,每次超时的间隔 timerfd_settime(timerfd, 0, &itime, nullptr);
while(1)
{
uint64_t times;
int ret = read(timerfd, & times, 8);
if(ret < 0)
{
perror("read error");
return -1;
}
printf("超时了,距离上一次超时了%d次\n",times);
}
close(timerfd);
return 0;
}
</p></pre>
<p><img alt="image-20240211100305549" src="https://img-blog.csdnimg.cn/img_convert/8b5df707ed0873082f66a084dd737992.png"/></p>
<blockquote>
<p><strong>上边例⼦,是⼀个定时器的使⽤⽰例,是每隔3s钟触发⼀次定时器超时,否则就会阻塞在read读取数据这⾥</strong></p>
</blockquote>
<h4><a id="_357"></a>时间轮思想</h4>
<ul><li> <p>上述的例⼦,存在⼀个很⼤的问题,每次超时都要将所有的连接遍历⼀遍,如果有上万个连接,效率⽆疑是较为低下的。</p> </li><li> <p>时间轮的思想来源于钟表,如果我们定了⼀个3点钟的闹铃,则当时针⾛到3的时候,就代表时间到了。</p> </li><li> <p>同样的道理,如果我们定义了⼀个数组,并且有⼀个指针,指向数组起始位置,这个指针每秒钟向后⾛动⼀步,⾛到哪⾥,则代表哪⾥的任务该被执⾏了,那么如果我们想要定⼀个3s后的任务,则只需要将任务添加到tick+3位置,则每秒中⾛⼀步,三秒钟后tick⾛到对应位置,这时候执⾏对应位置的任务即可。</p> </li><li> <p>但是,同⼀时间可能会有⼤批量的定时任务,因此我们可以给数组对应位置下拉⼀个数组,这样就可</p> </li></ul>
<p> 以在同⼀个时刻上添加多个定时任务了。</p>
<p><img alt="image-20240211104630967" src="https://img-blog.csdnimg.cn/img_convert/252210d15fe929f50081afe4bb77d65a.png"/></p>
<ul><li> <p>上述 *** 作也有⼀些缺陷,⽐如我们如果要定义⼀个60s后的任务,则需要将数组的元素个数设置为60才可以,如果设置⼀⼩时后的定时任务,则需要定义3600个元素的数组,这样⽆疑是⽐较⿇烦的。</p> </li><li> <p>因此,可以采⽤多层级的时间轮,有秒针轮,分针轮,时针轮,当指针指向了时针轮所对应的位置的时候,那么就会像分针轮进行移动,当指针指向了分针轮所对应的位置的时候,指针就会向秒针轮进行移动。</p> </li><li> <p>因为当前我们的应⽤中,倒是不⽤设计的这么⿇烦,因为我们的定时任务通常设置的30s以内,所以简单的单层时间轮就够⽤了。</p> </li></ul>
<p><strong>但是,我们也得考虑⼀个问题,当前的设计是时间到了,则主动去执⾏定时任务,释放连接,那能不能在时间到了后,⾃动执⾏定时任务呢?</strong></p>
<p>作为一个时间轮定时器,本身并不关注任务类型,只要是时间到了就需要被执行。</p>
<p>解决方案:类的析构函数 + 智能指针share_ptr, 通过这两个技术可以实现定时任务的延时</p>
<p> 1、使用一个类,对定时任务进行封装,类实例化的每一个对象,就是一个定时任务对象,当对象被销毁的时候,再去执行定时任务</p>
<p> (将定时任务的执行,放到析构函数中)</p>
<p> 2、shared_ptr用于对new的对象进行空间管理,当shared_ptr对一个对象进行管理的时候,内部有一个计数器,计数器为0的时候,</p>
<p> 则释放所管理的对象。</p>
<p> int *a = new int;</p>
<p> std::shared_ptr pi(a); —a对象只有在pi技术为0的时候,才会被释放</p>
<p> std::shared_ptr pi1(pi) --当针对pi又构建了一个shared_ptr对象,则pi和pi1计数器为2</p>
<p> 当pi和pi1中任意一个被释放的时候,只是计数器-1,因此他们管理的a对象并没有被释放,</p>
<p> 只有当pi和pi1都被释放了,计数器为0了,这时候才会释放管理的a 对象</p>
<p><strong>示例代码</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <iostream>
#include <vector>
#include <string>
#include <functional>
#include <unordered_map>
#include <memory>
#include <unistd.h>using std::cout;
using std::endl;
using TaskFunc = std::function<void()>;
using ReleaseFunc = std::function<void()>;
class TimerTask
{
public:
TimerTask(uint64_t id, uint32_t delay,const TaskFunc &cb)
:_id(id),_timeout(delay),_task_cb(cb),_canceled(false)
{}
void SetRelease(const ReleaseFunc &cb)
{
_release = cb;
} uint32_t DelayTime()
{
return _timeout;
} void Cancel()
{
_canceled = true;
} ~TimerTask()
{
if(_canceled == false) _task_cb();//定时任务没有被取消才会执行
_release();
}
private:
uint64_t _id;//定时器任务对象ID
uint32_t _timeout;//定时任务的超时时间
TaskFunc _task_cb;//定时器对象要执行的定时任务
ReleaseFunc _release;//用于删除TimerWheel中保存的定时器对象信息
bool _canceled; //false-表示任务没有被取消, true-表示任务被取消
};class TimerWheel
{
public:
TimerWheel()
:_capacity(60),_tick(0),_wheel(_capacity)
{}
void TimerAdd(u_int64_t id, uint32_t delay, const TaskFunc &cb)//添加定时任务
{
PtrTask pt(new TimerTask(id,delay,cb));
pt->SetRelease(std::bind(&TimerWheel::RemoveTimer,this,id));
_timers[id] = WeakTask(pt);
int pos = (_tick + delay) % _capacity;
_wheel[pos].push_back(pt);
}
//刷新/延迟定时任务
void TimerRefresh(u_int64_t id)
{
//通过保存我的定时器对象的weak_ptr构造一个shared_ptr出来,添加到轮子中
auto it = _timers.find(id);
if(it == _timers.end())
{
return;//没有找到定时任务,没法刷新,没法延迟
}
PtrTask pt = it->second.lock();//lock获取weak_ptr管理的对象对应的shared_ptr
int delay = pt->DelayTime();
int pos = (_tick + delay) % _capacity;
_wheel[pos].push_back(pt);
} //这个函数应该每秒钟执行一次,相当于秒针向后走了一步
void RunTimerTask()
{
_tick = (_tick + 1) % _capacity;
_wheel[_tick].clear();
} //取消定时任务
void TimerCancel(uint64_t id)
{
auto it = _timers.find(id);
if(it == _timers.end())
{
return;//没有找到定时任务,没法刷新,没法延迟
}
PtrTask pt = it->second.lock();
if(pt) pt->Cancel();
}
private:
void RemoveTimer(uint64_t id)
{
auto it = _timers.find(id);
if(it != _timers.end())
{
_timers.erase(it);
}
}
private:
using PtrTask = std::shared_ptr<TimerTask>;
using WeakTask = std::weak_ptr<TimerTask>;
int _tick; //当前的秒针,走到哪里释放哪里,就相当于执行哪里的任务
int _capacity; //表盘最大数量---其实就是最大延迟时间
std::vector<std::vector<PtrTask>> _wheel;
std::unordered_map<uint64_t, WeakTask> _timers;
};class Test
{
public:
Test() {cout << "构造" << endl;}
~Test() {cout << "析构" <<endl;}
};void DelTest(Test *t)
{
delete t;
}
int main()
{
//测试代码
TimerWheel tw;
Test *t = new Test();
tw.TimerAdd(888,5,std::bind(DelTest, t)); for(int i = 0; i < 5; i++)
{
sleep(1);
tw.TimerRefresh(888);//刷新定时任务
tw.RunTimerTask();
cout << "刷新了一下定时任务,重新需要5s中后才会销毁" << endl;
}
tw.TimerCancel(888);//取消定时任务就不会被销毁了
while(1)
{
sleep(1);
cout << "-----------------" << endl;
tw.RunTimerTask();
}
return 0;
}
</p></pre>
<h3><a id="3_551"></a>3、正则表达式的简单使用</h3>
<p>正则表达式(regular expression)描述了⼀种字符串匹配的模式(pattern),可以⽤来检查⼀个串是否含有某种⼦串、将匹配的⼦串替换或者从某个串中取出符合某个条件的⼦串等。</p>
<pre><p style='background-color:black;color:white;padding:12px;'>std::regex_match(const std::string &src, std::smatch &matches, std::regex &e)
src: 原始字符串
matches: 正则表达式可以从原始字符串中匹配并提取符合某种规则的数据,提取的数据就放在matches中是一个类似于数组的容器
e:正则表达式的匹配规则
返回值:用于确定匹配是否成功
</p></pre>
<p><img alt="image-20240211180722226" src="https://img-blog.csdnimg.cn/img_convert/732cb63afa88468c3aec0275a4a5def7.png"/></p>
<p><strong>示例代码</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <iostream>
#include <string>
#include <regex>int main()
{
std::string str = "/numbers/1234";//需要提取数字字符串
//匹配以/number/起始,后边跟了一个或多个数字字符的字符串,并且在匹配过程中提取这个匹配到的数字字符串
std::regex e("/numbers/(\\d+)");
std::smatch matches; bool ret = std::regex_match(str,matches,e);
if(ret == false)
{
std::cout << "匹配失败" << std::endl;
} for(auto s : matches)
{
std::cout << s << std::endl;
}
return 0;
}
</p></pre>
<h4><a id="HTTP_593"></a>正则表达式提取HTTP请求方法</h4>
<p><strong>示例代码</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <iostream>
#include <string>
#include <regex>int main()
{
//HTTP请求格式: GET /bitejiuyeke/login?user=xiaoming&pass=123123 HTTP/1.1\r\n
std::string str = "GET /bitejiuyeke/login?user=xiaoming&pass=123123 HTTP/1.1";
std::smatch matches;
//请求方法的匹配 GET HEAD POST PUT DELETE ....
//GET|HEAD|POST|PUT|DELETE 表示匹配并提取任意一个字符串
//[^?]* [^?]表示匹配非问号字符,后边的*表示0次或多次
//点 匹配除“\n”和"\r"之外的任何单个字符。要匹配包括“\n”和"\r"在内的任何字符,请使用像“[\s\S]”的模式。
//星 匹配前面的子表达式任意次。例如,zo*能匹配“z”,也能匹配“zo”以及“zoo”。*等价于{0,}。
//\\?(.*) \\? 表示原始的?字符 (.*)表示提取?之后的任意字符0次或多次,直到遇到空格
//?: 非获取匹配,匹配pattern但不获取匹配结果,不进行存储供以后使用。最后的?表示的是匹配前边的表达式0次或1次
std::regex e("(GET|HEAD|POST|PUT|DELETE) ([^?]*)(?:\\?(.*))? (HTTP/1\\.[01])(?:\n|\r\n)?");
bool ret = std::regex_match(str, matches, e);
if(ret == false)
{
return -1;
} for(auto &s : matches)
{
std::cout << s << std::endl;
} return 0;
}
</p></pre>
<p><img alt="image-20240211183308536" src="https://img-blog.csdnimg.cn/img_convert/84cd35b222c934357c47e781795b7684.png"/></p>
<h3><a id="4any_632"></a>4、通用类型any类型设计</h3>
<ul><li> <p>每⼀个Connection对连接进⾏管理,最终都不可避免需要涉及到应⽤层协议的处理,因此在Connection中需要设置协议处理的上下⽂来控制处理节奏。但是应⽤层协议千千万,为了降低耦合度,这个协议接收解析上下⽂就不能有明显的协议倾向,它可以是任意协议的上下⽂信息,因此就需要⼀个通⽤的类型来保存各种不同的数据结构。</p> </li><li> <p>在C语⾔中,通⽤类型可以使⽤void*来管理,但是在C++中,boost库和C++17给我们提供了⼀个通⽤类型any来灵活使⽤,如果考虑增加代码的移植性,尽量减少第三⽅库的依赖,则可以使⽤C++17特性中的any,或者⾃⼰来实现。</p> </li></ul>
<p>1、一个连接必须拥有一个请求接收与解析的上下文</p>
<p>2、上下文的类型或者说结构不能固定,因为服务器支持的协议有可能会不断增多不同的协议,可能都会有不同的上下文结构</p>
<p><strong>结论</strong>:必须拥有一个容器,能够保存各种不同的类型结构数据</p>
<p>通用类型:any</p>
<p><strong>解决方案</strong>:</p>
<ul><li>Any类主要是实现⼀个通⽤类型出来,在c++17和boost库中都有现成的可以使⽤,但是这⾥实现⼀下了解其思想,这样也就避免了第三⽅库的使⽤了</li><li>⾸先Any类肯定不能是⼀个模板类,否则编译的时候 Any a, Anyb,需要传类型作为模板参数,也就是说在使⽤的时候就要确定其类型</li><li>这是⾏不通的,因为保存在Content中的协议上下⽂,我们在定义any对象的时候是不知道他们的协议类型的,因此⽆法传递类型作为模板参数</li><li>因此考虑Any内部设计⼀个模板容器holder类,可以保存各种类型数据</li><li>⽽因为在Any类中⽆法定义这个holder对象或指针,因为any也不知道这个类要保存什么类型的数据,因此⽆法传递类型参数</li><li>所以,定义⼀个基类placehoder,让holder继承于placeholde,⽽Any类保存⽗类指针即可</li><li>当需要保存数据时,则new⼀个带有模板参数的⼦类holder对象出来保存数据,然后让Any类中的⽗类指针,指向这个⼦类对象就搞定了</li></ul>
<p><strong>示例代码</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <iostream>
#include <typeinfo>
#include <assert.h>using std::cout;
using std::endl;
class Any
{private:
class holder
{
public:
virtual ~holder() {}
virtual const std::type_info& type() = 0;
virtual holder* clone() = 0;
}; template<class T>
class placeholder : public holder
{
public:
placeholder(const T&val):_val(val) {}
virtual ~placeholder() {}
//获取子类对象保存的数据类型
virtual const std::type_info& type() {return typeid(T);}
//针对当前的对象自身,克隆出一个新的子类对象
virtual holder* clone() {return new placeholder(_val);}
public:
T _val;
};
holder* _content;
public:
Any():_content(nullptr) {}
template<class T>
Any(const T &val):_content(new placeholder<T>(val)) {}
Any(const Any& other):_content(other._content ? other._content->clone() : nullptr){}
~Any(){ delete _content;} Any& Swap(Any &other)
{
std::swap(_content,other._content);
return *this;
} template<class T>
T* get()//返回子类对象保存的数据的指针
{
//想要获取的数据类型,必须和保存的数据类型一致
assert(typeid(T) == _content->type());
return &((placeholder<T>*)_content)->_val;
}
template<class T>
Any& operator=(const T& val)//赋值运算符的重载函数
{
Any(val).Swap(*this);
return *this;
}
Any& operator=(const Any& other)
{
Any(other).Swap(*this);
return *this;
}
};class Test{
public:
Test()
{
cout << "构造" << endl;
}
~Test()
{
cout << "析构" << endl;
}
};
int main()
{
Any a;
{
Test t;
a = t;
}
a = 10;
int *pa = a.get<int>();
cout << *pa << endl;
a = std::string("nihao");
std::string *ps = a.get<std::string>();
cout << *ps << endl;
return 0;
}
</p></pre>
<h3><a id="5Buffer_752"></a>5、缓冲区Buffer类设计</h3>
<p><strong>实现思想</strong>:</p>
<p> 1、实现缓冲区得有一块内存空间,采用vector,vector底层其实使用的就是一个线性的内存空间</p>
<p> <strong>2、要素</strong></p>
<p> (1)默认的空间大小</p>
<p> (2)当前的读取数据位置</p>
<p> (3)当前的写入数据位置</p>
<p> <strong>3、 *** 作</strong></p>
<p> (1)写入数据:当前写入位置指向哪里,就从哪里开始写入,如果后续剩余空闲不够了</p>
<p> 考虑整体缓冲区空闲空间是否足够(因为都位置也会向后偏移,前边有可能会有空闲空间)</p>
<p> 足够:将数据移动到起始位置即可</p>
<p> 不够:扩容,从当前写位置开始扩容足够大小</p>
<p> 数据一旦写入成功,当前写位置,就要向后偏移</p>
<p> (2)读取数据</p>
<p> 当前的读取位置指向哪里,就从哪里开始读取,前提是有数据可读</p>
<p> 可读数据大小:当前写入位置,减去当前读取位置</p>
<p> <strong>4、主要功能</strong></p>
<p> (1)获取当前写位置地址</p>
<p> (2)确保可写空间足够(移动+扩容)</p>
<p> (3)获取前沿空闲空间大小</p>
<p> (4)获取后沿空闲空间大小</p>
<p> (5)将写位置向后移动指定长度</p>
<p> (6)获取当前都位置地址</p>
<p> (7)获取可读数据大小</p>
<p> (8)将读位置向后移动指定长度</p>
<p> (9)写入数据</p>
<p> (10)读取数据</p>
<p> (11)清理功能</p>
<p><strong>代码</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class Buffer
{
public:
Buffer():_reader_idx(0),_writer_idx(0),_buffer(BUFFER_DEFAULT_SIZE){}
//获取起始地址
char* Begin() {return &*_buffer.begin();}
// 获取当前写位置起始地址
char* WritePosition(){return Begin() + _writer_idx;} // 获取当前读位置起始地址
char* ReadPosition(){return Begin() + _reader_idx;} // 获取前沿空闲空间大小
uint64_t HeadIdleSize(){return _reader_idx;} // 获取后沿空闲空间大小
uint64_t TailIdleSize(){return _buffer.size() - _writer_idx;} // 获取可读数据大小
uint64_t ReadAbleSize(){return _writer_idx - _reader_idx;} // 确保可写空间足够(移动+扩容)
void EnsureWriteSpace(uint64_t len)
{
//末尾空间足够,直接返回
if(TailIdleSize() >= len) {return;}
//末尾空闲空间不够,则判断加上起始位置的空闲空间按大小是否足够,狗了就将数据移到起始位置
if(len <= TailIdleSize() + HeadIdleSize())
{
//将数据移动到起始位置
uint64_t rsz = ReadAbleSize();//把当前数据大小先保存起来
std::copy(ReadPosition(),ReadPosition() + rsz, Begin());
_reader_idx = 0;
_writer_idx = rsz;
}
else
{
//总体空间不够,则需要扩容,不移动数据
_buffer.resize(_writer_idx + len); }
} // 将写位置向后移动指定长度
void MoveWriteOffset(uint64_t len)
{
assert(len <= TailIdleSize());
_writer_idx += len;
} // 将读位置向后移动指定长度
void MoveReadOffset(uint64_t len)
{
if(len == 0) {return 0;}
assert(len <= ReadAbleSize());
_reader_idx += len;
} //写入数据
void Write(void* data, uint64_t len)
{
if(len == 0) {return;}
//确保空间足够
EnsureWriteSpace(len);
const char* d = (const char*)data;
std::copy(d,d+len,WritePosition());
}
//写入数据并移动位置
void WriteAndPush(void *data, uint64_t len)
{
Write(data,len);
MoveReadOffset(len);
}
// 写入字符串并移动位置
void WriteStringAndPush(const std::string& data)
{
WriteString(data);
MoveWriteOffset(data.size());
}
//写入缓冲区并移动位置
void WriteBufferAndPush(Buffer& data)
{
WriteBuffer(data);
MoveWriteOffset(data.ReadAbleSize());
}
// 写入字符串不移动数据
void WriteString(const std::string& data)
{
Write((void*)data.c_str(), data.size());
}
//写入缓冲区数据不移动位置
void WriteBuffer(Buffer &data)
{
return Write((void*)data.ReadPosition(), data.ReadAbleSize());
}
//读取数据
void Read(void* buf, uint64_t len)
{
assert(ReadAbleSize() >= len);
std::copy(ReadPosition(), ReadPosition() + len, (char*)buf);
}
//读取并移动读取位置
void ReadAndPop(void* buf, uint64_t len)
{
Read(buf,len);
MoveReadOffset(len);
}
//读取字符串并移动读取位置
std::string ReadStringAndPop(uint64_t len)
{
assert(ReadAbleSize() >= len);
std::string str = ReadString(len);
MoveReadOffset(len);
return str;
}
//读取字符串不移动位置
std::string ReadString(uint64_t len)
{
assert(len <= ReadAbleSize());
std::string str;
str.resize(len);
Read(&str[0],len);
return str;
} //获取换行符
char* FindCRLF()
{
char* res = (char*)memchr(ReadPosition(), '\n', ReadAbleSize());
return (char*)res;
} //获取一行数据
std::string GetLine()
{
char* pos = FindCRLF();
if(pos == nullptr)
{
return "";
}
return ReadString(pos - ReadPosition() +1);//+1是为了把换行也读取出来
} std::string GetLineAndPop()
{
std::string str = GetLine();
MoveReadOffset(str.size());
return str;
} // 清理功能
void clear()
{
//归零,进行覆盖式写入
_reader_idx = 0;
_writer_idx = 0;
}
private:
std::vector<char> _buffer;//使用vector进行内存空间管理
uint64_t _reader_idx; //读偏移
uint64_t _writer_idx; //写偏移
};
</p></pre>
<p><strong>测试代码</strong>:</p>
<pre><p style='background-color:black;color:white;padding:12px;'>int main()
{
Buffer buffer;
std::string str = "hello!!";
for(int i = 0; i < 300; i++)
{
std::string str = "hello!!" + std::to_string(i) + '\n';
buffer.WriteStringAndPush(str);
} while(buffer.ReadAbleSize() > 0)
{
std::string line = buffer.GetLineAndPop();
cout << line << endl;
}
std::string tmp;
tmp = buffer.ReadStringAndPop(buffer.ReadAbleSize());
cout << tmp << endl; // buffer.WriteStringAndPush(str); // Buffer buffer1;
// buffer1.WriteBufferAndPush(buffer); // std::string tmp = buffer1.ReadStringAndPop(buffer1.ReadAbleSize()); // cout << tmp << endl;
// cout << buffer.ReadAbleSize() << endl;
// cout << buffer1.ReadAbleSize() << endl; return 0;
}
</p></pre>
<h3><a id="6_1013"></a>6、日志宏的编写</h3>
<p>这里使用了自己做的日志系统项目,就不编写了。</p>
<h3><a id="7Socket_1017"></a>7、套接字Socket类设计</h3>
<p><strong>主要功能</strong>:创建套接字、绑定地址信息、开始监听、向服务器发起连接、获取新连接、接收数据、发送数据</p>
<p>关闭套接字、创建一个服务端连接、创建一个客户端连接、设置套接字选项—开启地址端口重用、</p>
<p>设置套接字阻塞属性—设置为非阻塞</p>
<h4><a id="setsockopt_1025"></a>setsockopt</h4>
<pre><p style='background-color:black;color:white;padding:12px;'>//int setsockopt(int fd, int level, int optname, void *val, int vallen)
//fd:文件套接字
//level: 选项定义的层次。或为特定协议的代码(如IPv4,IPv6,TCP),或为通用套接字代码(SOL_SOCKET)//地址重用
setsockopt(_sockfd,SOL_SOCKET,SO_REUSEADDR, (void*)val, sizeof(int));//端口重用
setsockopt(_sockfd,SOL_SOCKET,SO_REUSEPORT, (void*)val, sizeof(int));
</p></pre>
<h4><a id="Socket_1039"></a>Socket类代码</h4>
<pre><p style='background-color:black;color:white;padding:12px;'>#define MAX_LISTEN 1024
class Socket
{
public:
Socket():_sockfd(-1){}
Socket(int fd):_sockfd(fd){}
~Socket(){Close();} int Fd()
{
return _sockfd;
}
//创建套接字
bool Create()
{
//int socket(int domain, int type, int protocol);
_sockfd = socket(AF_INET,SOCK_STREAM,IPPROTO_TCP);
if(_sockfd < 0)
{
logger->fatal("CREATE SOCKET FAILED!!");
return false;
}
return true;
} //绑定地址信息
bool Bind(const std::string &ip, uint16_t port)
{
struct sockaddr_in addr;
addr.sin_family = AF_INET;//IPV4
addr.sin_port = htons(port);
addr.sin_addr.s_addr = inet_addr(ip.c_str());
socklen_t len = sizeof(struct sockaddr_in);
//int bind(int sockfd, const struct sockaddr *addr,socklen_t addrlen);
int ret = bind(_sockfd,(struct sockaddr*)&addr, len);
if(ret < 0)
{
logger->fatal("BIND ADDRESS FAILED");
return false;
}
return true;
} //开始监听
bool Listen(int backlog = MAX_LISTEN)//同一时间最大并发连接数
{
//int listen(int sockfd, int backlog);
int ret = listen(_sockfd,backlog);
if(ret < 0)
{
logger->fatal("SOCKET LISTEN FAILED");
return false;
}
return true;
} //向服务端发起连接
bool Connect(const std::string &ip,uint16_t port)
{
struct sockaddr_in addr;
addr.sin_family = AF_INET;//IPV4
addr.sin_port = htons(port);
addr.sin_addr.s_addr = inet_addr(ip.c_str());
socklen_t len = sizeof(struct sockaddr_in);
//int connect(int sockfd, struct sockaddr*addr, socklen_len)
int ret = connect(_sockfd,(struct sockaddr*)&addr, len);
if(ret < 0)
{
logger->fatal("CONNECT SERVER FAILED");
return false;
}
return true;
} //获取新连接
int Accept()
{
// int accept(int sockfd, struct sockaddr *addr, socklen_t* len);
int newfd = accept(_sockfd,nullptr,nullptr);
if(newfd < 0)
{
logger->fatal("SOCKET ACCEPT FAILED");
return -1;
}
return newfd;
} //接收数据
ssize_t Recv(void* buf, size_t len, int flag = 0)
{
//ssize_t recv(int sockfd, void *buf, size_t len, int flag);
ssize_t ret = recv(_sockfd, buf, len, flag);
if(ret <= 0)
{
//EAGAUIN 当前socket的接收缓冲区没有数据量,在非阻塞的情况下才会有这个错误
//EINTR 表示当前socket的阻塞等待,被信号打断了
if(errno == EAGAIN || errno == EINTR)
{
return 0;//表示这次接收没有数据,但是可以被原谅
}
logger->fatal("SOCKET RECV FAILED!!");
return -1;
}
return ret;//实际接收数据长度
} ssize_t NonBlockRecv(void* buf, size_t len)
{
return Recv(buf,len,MSG_DONTWAIT);//MSG_DONTWAIT 表示当前接收为非阻塞
} //发送数据
ssize_t Send(const void* buf, ssize_t len, int flag = 0)
{
//ssize_t send(int sockfd, void* data, size_t len, int flag);
ssize_t ret = send(_sockfd, buf, len, flag);
if(ret < 0)
{
logger->fatal("SOCKET SEND FAILED!!");
return -1;
}
return ret;//实际发送长度
} ssize_t NonBlockSend(void * buf, size_t len)
{
return Send(buf, len, MSG_DONTWAIT); // MSG_DONTWAIT 表示当前发送为非阻塞
} //关闭套接字
void Close()
{
if(_sockfd != -1)
{
close(_sockfd);
_sockfd = -1;
}
}
//创建一个服务端连接
bool CreateServer(uint16_t port, const std::string &ip = "0.0.0.0", bool flag = false)
{
//1、创建套接字 2、绑定地址 3、开始监听 4、设置非阻塞 5、启动地址重用
if(Create() == false) return false;
if(flag) NonBlock();
if(Bind(ip,port) == false) return false;
if(Listen() == false) return false;
ReuseAddress();
return true;
} //创建一个客户端连接
bool CreateClient(uint16_t port, const std::string &ip)
{
//1、创建套接字 2、指向连接服务器
if(Create() == false ) return false;
if(Connect(ip, port) == false) return false;
return true;
} //设置套接字选项---开启地址端口重用
void ReuseAddress()
{
//int setsockopt(int fd, int level, int optname, void *val, int vallen)
int val = 1;
//地址重用
setsockopt(_sockfd,SOL_SOCKET,SO_REUSEADDR, (void*)val, sizeof(int));
val = 1;
//端口重用
setsockopt(_sockfd,SOL_SOCKET,SO_REUSEPORT, (void*)val, sizeof(int)); }
//设置套接字阻塞属性---设置为非阻塞
void NonBlock()
{
// int fcntl(int fd, int cmd, ... /* arg */);
int flag = fcntl(_sockfd, F_GETFL, 0);
fcntl(_sockfd, F_SETFL, flag | O_NONBLOCK);//设置为非阻塞函数
}
private:
int _sockfd;
};
</p></pre>
<h4><a id="_1225"></a>测试代码</h4>
<p><strong>tcp_server.cc</strong></p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include "../server.hpp"int main()
{
Socket lst_socket;
lst_socket.CreateServer(8888);
while(1)
{
int newfd = lst_socket.Accept();
if(newfd < 0)
{
continue;
}
Socket cli_sock(newfd);
char buf[1024] = {0};
int ret = cli_sock.Recv(buf,1023);
if(ret < 0)
{
cli_sock.Close();
continue;
}
cli_sock.Send(buf,ret);
cli_sock.Close();
}
lst_socket.Close();
}
</p></pre>
<p><strong>tcp_client.cc</strong></p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include "../server.hpp"int main()
{
Socket cli_sock;
cli_sock.CreateClient(8888, "127.0.0.1");
std::string str = "hello sqy";
cli_sock.Send(str.c_str(),str.size());
char buf[1024] = {0};
cli_sock.Recv(buf,sizeof buf);
std::cout << buf << std::endl;
return 0;
}
</p></pre>
<h3><a id="8Channel_1277"></a>8、Channel类设计</h3>
<p><strong>目的</strong>:对描述符的监控事件管理</p>
<p><strong>功能</strong>:</p>
<p> 1、事件管理:</p>
<p> 描述符是否可读</p>
<p> 描述符是否可写</p>
<p> 对描述符监控可读</p>
<p> 对描述符监控可写</p>
<p> 解除可读事件监控</p>
<p> 解除可写事件监控</p>
<p> 解除所有事件监控</p>
<p> 2、事件触发后的处理的管理</p>
<p> 需要处理的事件:可读,可写,挂断,错误,任意</p>
<p> 事件处理的回调函数</p>
<p><strong>成员</strong>:后边使用epoll进行事件监控</p>
<p>EPOLLIN 可读</p>
<p>EPOLLOUT 可写</p>
<p>EPOLLRDHUP 连接断开</p>
<p>EPOLLPRI 优先数据</p>
<p>EPOLLERR 出错</p>
<p>EPOLLHUP 挂断</p>
<p>以上的事件是在uint_32上保存</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class Poller;
class EventLoop;
class Channel
{
using EventCallback = std::function<void()>;
public:
Channel(EventLoop* loop, int fd):_fd(fd),_events(0),_revents(0),_loop(loop) {}
int Fd() {return _fd;}
bool ReadAble() //当前是否监控了可读
{
return (_events & EPOLLIN);
}
bool WriteAble() //当前是否监控了可写
{
return (_events & EPOLLOUT);
}
void EnableRead() //启动读事件监控
{
_events |= EPOLLIN; Update();
}
void EnableWrite() //启动写事件监控
{
_events |= EPOLLOUT; Update();
}
void DisableRead() //关闭读事件监控
{
_events &= ~EPOLLIN; Update();
}
void DisableWrite()//关闭写事件监控
{
_events &= ~EPOLLOUT; Update();
}
void DisableAll() //关闭所有事件监控
{
_events = 0; Update();
}
void Remove();
void Update();
void HandleEvent() //事件处理,一旦连接触发了事件,就调用这个函数
{
if((_revents & EPOLLIN) || (_revents & EPOLLRDHUP) || (_revents & EPOLLPRI))
{
if(_event_callback)_event_callback();
if(_read_callback) _read_callback();
}
if(_revents & EPOLLOUT)
{
if(_event_callback)_event_callback();//放到事件处理完毕后调用,刷新活跃度
if(_write_callback) _write_callback();
}
else if(_revents & EPOLLERR)
{
if(_event_callback)_event_callback();//不管任何事件,都会调用的回调函数
if(_error_callback) _error_callback();
}
else if(_revents & EPOLLHUP)
{
if(_event_callback)_event_callback();
if(_close_callback) _close_callback();
}
}
void SetReadCallback (const EventCallback &cb){_read_callback = cb;}
void SetWriteCallback(const EventCallback &cb){_write_callback = cb;}
void SetErrorCallback(const EventCallback &cb){_error_callback = cb;}
void SetCloseCallback(const EventCallback &cb){_close_callback = cb;}
void SetEventCallback(const EventCallback &cb){_event_callback = cb;}
void SetREvents(uint32_t events) {_revents = events;}//设置实际就绪的事件
uint32_t Events() {return _events;}//获取想要监控的事件private:
EventLoop* _loop;
int _fd;
uint32_t _events; //当前需要监控的事件
uint32_t _revents;//当前连接触发的事件
EventCallback _read_callback; //可读事件被触发的回调函数
EventCallback _write_callback; //可写事件被触发的回调函数
EventCallback _error_callback; //错误事件被触发的回调函数
EventCallback _close_callback; //连接断开事件被触发的回调函数
EventCallback _event_callback; //任意事件被触发的回调函数
};
</p></pre>
<h3><a id="9Poller_1404"></a>9、Poller模块</h3>
<p><strong>功能</strong>:对任意的描述符进行IO事件监控</p>
<p><strong>意义</strong>:对epoll进行的封装,让对描述符进行事件监控的 *** 作更加简单</p>
<p><strong>功能接口</strong>:添加事件监控、修改事件监控、移除事件监控</p>
<p><strong>封装思想</strong>:</p>
<p> 1、必须拥有一个epoll的 *** 作句柄</p>
<p> 2、拥有一个struct epoll_event 结构数组,监控时保存所有的活跃事件</p>
<p> 3、使用hash表管理描述符与描述符对应事件管理Channel对象</p>
<p><strong>逻辑流程</strong>:</p>
<p> 1、对描述符进行监控,通过Channel才能知道描述符需要监控什么事件</p>
<p> 2、当描述符就绪了,通过描述符在hash表中找到对应的Channel(得到了Channel才能知道什么事件如何处理)</p>
<p> 当描述符就绪了,返回就绪描述符对应的Channel</p>
<pre><p style='background-color:black;color:white;padding:12px;'>#define MAX_EPOLLEVENTS 1024
class Poller
{
public:
Poller()
{
_epfd = epoll_create(1);//这个数字随便给
if(_epfd < 0)
{
logger->fatal("EPOLL CREATE FAILED");
return;
}
}
//添加或修改监控事件
void UpdateEvent(Channel* channel)
{
bool ret = HashChannel(channel);
if(ret == false)
{
//不存在则添加
_channels.insert(std::make_pair(channel->Fd(), channel));
Update(channel,EPOLL_CTL_ADD);
return;
}
Update(channel,EPOLL_CTL_MOD);
}
//移除监控
void RemoveEvent(Channel* Channel)
{
auto it = _channels.find(Channel->Fd());
if(it != _channels.end())
{
_channels.erase(it);
}
Update(Channel,EPOLL_CTL_DEL);
}
//开始监控,返回活跃连接
void Poll(std::vector<Channel*>* active)
{
// int epoll_wait(int epfd, struct epoll_event *evs, int maxevents, int timeout);
int nfds = epoll_wait(_epfd,_evs, MAX_EPOLLEVENTS-1 , -1);//-1为阻塞监控
if(nfds < 0)
{
if(errno == EINTR)
{
return;//这是被信号打断的直接返回
}
logger->fatal("EPOLL WAIT ERROR: %s\n",strerror(errno));
abort();//退出程序
}
for(int i = 0; i < nfds; i++)
{
auto it = _channels.find(_evs[i].data.fd);
assert(it != _channels.end());
it->second->SetREvents(_evs[i].events);//设置实际就绪的事件
active->push_back(it->second);
}
}
private:
//内层封装
void Update(Channel* channel, int op)
{
// int epoll_ctl(int epfd, int op, int fd, struct epoll_event *ev);
int fd = channel->Fd();
struct epoll_event ev;
ev.data.fd = fd;
ev.events = channel->Events();
int ret = epoll_ctl(_epfd,op, fd,&ev);
if(ret < 0)
{
logger->error("EPOLLCTL FAILED");
abort();//退出程序
}
}
//判断一个Channel是否已经添加了事件监控
bool HashChannel(Channel* channel)
{
auto it = _channels.find(channel->Fd());
if(it == _channels.end())
{
return false;
}
return true;
}
private:
int _epfd;
struct epoll_event _evs[MAX_EPOLLEVENTS];
std::unordered_map<int,Channel*> _channels;
};void Channel::Remove(){ _poller->RemoveEvent(this);}//移除监控
void Channel::Update(){ _poller->UpdateEvent(this);}
</p></pre>
<h4><a id="PollerChannel_1523"></a>Poller与Channel的联合调试代码</h4>
<pre><p style='background-color:black;color:white;padding:12px;'>#include "../server.hpp"
using std::cout;
using std::endl;void HandleClose(Channel* channel)
{
std::cout << "close: " << channel->Fd() << std::endl;
channel->Remove();//移除监控
delete channel;
}void HandleRead(Channel* channel)
{
int fd = channel->Fd();
char buf[1024] = {0};
int ret = recv(fd, buf, 1023, 0);
if(ret <= 0)
{
return HandleClose(channel);
}
channel->EnableWrite();//启动可写事件
cout << buf << endl;
}void HandleWrite(Channel* channel)
{
int fd = channel->Fd();
const char *data = "天气还不错";
int ret = send(fd, data, strlen(data), 0);
if(ret < 0)
{
HandleClose(channel);//出错移除监控
}
channel->DisableWrite();//关闭写监控
}void HandleError(Channel* channel)
{
HandleClose(channel);//出错移除监控
}void HandleEvent(Channel* channel)
{
cout << "有了一个事件" << endl;
}void Acceptor(Poller* poller, Channel *lst_channel)
{
int fd = lst_channel->Fd();
int newfd = accept(fd,nullptr,nullptr);
if(newfd < 0) {return ;}
Channel* channel = new Channel(poller, newfd);
channel->SetReadCallback (std::bind(HandleRead,channel));//为通信套接字设置可读事件的回调函数
channel->SetWriteCallback(std::bind(HandleWrite,channel));//可写事件的回调函数
channel->SetCloseCallback(std::bind(HandleClose,channel));//关闭事件的回调函数
channel->SetErrorCallback(std::bind(HandleError,channel));//错误事件的回调函数
channel->SetEventCallback(std::bind(HandleEvent,channel));//任意事件的回调函数
channel->EnableRead();
}
int main()
{
Poller poller;
Socket lst_socket;
lst_socket.CreateServer(8888);
//为监听套接字,创建一个Channel进行事件的管理,以及事件的处理
Channel channel(&poller,lst_socket.Fd());
channel.SetReadCallback(std::bind(Acceptor,&poller, &channel));//回调中,获取新连接,为新连接创建Channel并且添加监控
channel.EnableRead();
while(1)
{
std::vector<Channel*>actives;
poller.Poll(&actives);
for(auto &a : actives)
{
a->HandleEvent();
}
}
lst_socket.Close();
}
</p></pre>
<h3><a id="10EventLoop_1609"></a>10、EventLoop模块</h3>
<p><strong>eventfd</strong>: 一种事件通知机制</p>
<p>创建一个描述符用于实现事件通知</p>
<p>eventfd本质在内核里边管理的就是一个计数器,创建eventfd就会在内核中创建一个计数器(结构)</p>
<p>每当向eventfd中写入一个数值–用于表示事件通知次数</p>
<p>可以使用read进行数据的读取,读取到的数据就是通知的次数</p>
<p><strong>例如</strong>:假设每次给eventfd中写入一个1,就表示通知了一次,连续写了三次之后,再去read读取出来的数字就是3,读取之后计数清零</p>
<h4><a id="eventfd_1623"></a>eventfd</h4>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <sys/eventfd.h>
int eventfd(unsigned int initval, int flags);
功能:创建一个eventfd对象,实现事件通知
参数:
initval:计数初值
flags:
EFD_CLOEXEC -禁止进程复制
EFD_NONBLOCK-开启非阻塞属性
返回值:返回一个文件描述符用于 *** 作
eventfd也是通过read/write/close进行 *** 作的
注意:read&write进行IO的时候数据只能是一个8字节的数据
</p></pre>
<p><strong>基本使用</strong></p>
<pre><p style='background-color:black;color:white;padding:12px;'>#include <stdio.h>
#include <stdint.h>
#include <unistd.h>
#include <sys/eventfd.h>
int main()
{
int efd = eventfd(0, EFD_CLOEXEC | EFD_NONBLOCK);
if(efd < 0)
{
perror("eventfd failed!!");
return -1;
}
uint64_t val = 1;
write(efd, &val, sizeof(val));
write(efd, &val, sizeof(val));
write(efd, &val, sizeof(val));
uint64_t res = 0;
read(efd, &res, sizeof(res));
printf("%ld\n",res);
write(efd, &val, sizeof(val));
read(efd, &res, sizeof(res));
printf("%ld\n",res);
close(efd);
return 0;
}
</p></pre>
<p><img alt="image-20240218230230264" src="https://img-blog.csdnimg.cn/img_convert/fce5c5eb9b73b66793c1c0e4a8ee04aa.png"/></p>
<h4><a id="Eventloop_1671"></a>Eventloop</h4>
<p>EventLoop:进行事件监控,以及事件处理模块</p>
<p> 关键点:这个模块与线程是一一对应的。</p>
<p>监控了一个连接,而这个连接一旦就绪,就要进行事件处理,但是如果这个描述符,在多个线程中触发了事件,进行处理,</p>
<p>就会存在线程安全问题。因此我们需要将一个连接的事件监控,以及连接事件处理,以及其他 *** 作都放在同一个线程中进行。</p>
<p><strong>如何保证一个连接的所有 *** 作都在eventloop对应的线程中?</strong></p>
<p><strong>解决方案</strong>:给eventloop模块中,添加一个任务队列,对连接的所有 *** 作,都进行一次封装,将对</p>
<p> 连接的 *** 作并不直接执行,而是当任务添加到任务队列中</p>
<p><strong>eventloop处理流程</strong>:</p>
<p> 1、在线程中对描述符进行事件监控</p>
<p> 2、有描述符就绪则对描述符进行事件处理(如何保证处理回调函数中的 *** 作都在线程中)</p>
<p> 3、所有的就绪事件处理完了,这时候再去将任务队列中的所有任务一一执行</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class EventLoop
{
using Functor = std::function<void()>;
public:
EventLoop()
:_thread_id(std::this_thread::get_id()),_event_fd(CreatEventFd())
,_event_channel(new Channel(this,_event_fd))
,_poller()
,_timer_wheel(this)
{
//给eventfd添加可读事件回调函数,读取eventfd事件通知次数
_event_channel->SetReadCallback(std::bind(&EventLoop::ReadEventFd,this));
_event_channel->EnableRead();//启动可读事件监控
}
void ReadEventFd()
{
uint64_t res = 0;
int ret = read(_event_fd, &res, sizeof(res));
if(ret < 0)
{
if(errno == EINTR)
{
return;
}
logger->fatal("READ EVENTFD FAILED!!");
abort();
}
}
static int CreatEventFd()
{
int efd = eventfd(0, EFD_CLOEXEC | EFD_NONBLOCK);
if(efd < 0)
{
logger->fatal("CREATE EVENTFD FAILED!!");
abort();
}
return efd;
}
void WeakUpEventFd()
{
uint64_t val = 1;
int ret = write(_event_fd,&val, sizeof(val));
if(ret < 0)
{
if(errno == EINTR)
{
return;
}
logger->fatal("READ EVENTFD FAILED!!");
abort();
}
}
//判断将要执行的任务是否处于当前线程中,如果是则执行,不是则压入队列
void RunInLoop(const Functor &cb)
{
if(IsInLoop())
{
return cb();
}
return QueueInLoop(cb);
}
void QueueInLoop(const Functor &cb)//将 *** 作压入任务池
{
{
std::unique_lock<std::mutex> _lock(_mutex);
_tasks.push_back(cb);
}
//唤醒又肯因为没有事件就绪,而导致的epoll阻塞
//其实就是给eventfd写入一个数据,eventfd就会触发可读事件
WeakUpEventFd();
}
//用于判断当前线程是否是EventLoop对应的线程
bool IsInLoop()
{
return _thread_id == std::this_thread::get_id();
}
void AssertInLoop()
{
assert(_thread_id == std::this_thread::get_id());
}
//添加/修改描述符事件监控
void UpdateEvent(Channel * channel)
{
_poller.UpdateEvent(channel);
}
//移除面是否的监控
void RemoveEvent(Channel* channel)
{
_poller.RemoveEvent(channel);
}
void TimerAdd(uint64_t id, uint32_t delay, const TaskFunc &cb)
{
return _timer_wheel.TimerAdd(id, delay,cb);
} void TimerRefresh(uint64_t id)
{
return _timer_wheel.TimerRefresh(id);
} void TimerCancel(uint64_t id)
{
return _timer_wheel.TimerCancel(id);
}
void Start()//事件监控-》就绪事件处理-》执行任务
{
//1、事件监控
std::vector<Channel*> actives;
_poller.Poll(&actives);
//2、事件处理
for(auto &channel : actives)
{
channel->HandleEvent();
}
//3、执行任务
// RunAllTask();
}
//这个接口存在线程安全问题--这个接口不能被外界使用者调用,只能在模块内,在对应的eventloop线程内执行
bool HasTimer(uint64_t id)
{
return _timer_wheel.HasTimer(id);
}
private:
void RunAllTask()//执行所有任务池的任务
{
std::vector<Functor> functor;
{
std::unique_lock<std::mutex> _lock(_mutex);//加锁保护交换 *** 作,交换 *** 作不上线程安全的
_tasks.swap(functor);
}
for(auto &f : functor)
{
f();
}
}
private:
int _event_fd;//eventfd唤醒IO事件监控有可能导致的阻塞
std::thread::id _thread_id;//线程ID
Poller _poller;
std::unique_ptr<Channel>_event_channel;//在eventloop释放的时候他也要释放,所以用智能指针
std::vector<Functor> _tasks;//任务池
std::mutex _mutex;//实现任务池 *** 作的线程安全
TimerWheel _timer_wheel;
};
</p></pre>
<h3><a id="11_1846"></a>11、定时器模块</h3>
<p>timefd:实现内核每隔一段事件,给进程一次超时事件(timefd可读)</p>
<p>timewheel:实现每次执行Runtimetask,都可以执行一波到期的定时任务</p>
<p>要实现一个完整的秒级定时器,就需要将这两个功能整合到一起</p>
<p>timefd设置为每秒钟触发一次定时事件,当事件被触发,则运行一次timewheel的runtimetask,执行一下所有的过期定时任务</p>
<pre><p style='background-color:black;color:white;padding:12px;'>using TaskFunc = std::function<void()>;
using ReleaseFunc = std::function<void()>;
class TimerTask
{
public:
TimerTask(uint64_t id, uint32_t delay,const TaskFunc &cb)
:_id(id),_timeout(delay),_task_cb(cb),_canceled(false)
{}
void SetRelease(const ReleaseFunc &cb)
{
_release = cb;
} uint32_t DelayTime()
{
return _timeout;
} void Cancel()
{
_canceled = true;
} ~TimerTask()
{
if(_canceled == false) _task_cb();//定时任务没有被取消才会执行
_release();
}
private:
uint64_t _id;//定时器任务对象ID
uint32_t _timeout;//定时任务的超时时间
TaskFunc _task_cb;//定时器对象要执行的定时任务
ReleaseFunc _release;//用于删除TimerWheel中保存的定时器对象信息
bool _canceled; //false-表示任务没有被取消, true-表示任务被取消
};class EventLoop;
class TimerWheel
{
public:
TimerWheel(EventLoop* loop)
:_capacity(60),_tick(0),_wheel(_capacity)
,_timefd(CreateTimerfd())
,_timer_channel(new Channel(_loop, _timefd))
,_loop(loop)
{
_timer_channel->SetReadCallback(std::bind(&TimerWheel::OnTime, this));
_timer_channel->EnableRead();//启动读事件监控
}
void ReadTimefd()
{
uint64_t times;
int ret = read(_timefd, ×, 8);
if(ret < 0)
{
logger->fatal("READ TIMERFD FAILED!");
abort();
}
} bool HasTimer(uint64_t id)
{
auto it = _timers.find(id);
if (it == _timers.end())
{
return false;
}
return true;
} static int CreateTimerfd()
{
int timerfd = timerfd_create(CLOCK_MONOTONIC, 0);
if(timerfd < 0)
{
perror("timerfd_create error");
abort();
} struct itimerspec itime;
itime.it_value.tv_sec = 1;
itime.it_value.tv_nsec = 0; // 第一次超时时间为1s后
itime.it_interval.tv_sec = 1;
itime.it_interval.tv_nsec = 0; //第一次超时后,每次超时的间隔 timerfd_settime(timerfd, 0, &itime, nullptr);
return timerfd;
}
//因为很多定时任务都涉及线程安全问题,如果不在同一线程先加入任务队列
void TimerAdd(u_int64_t id, uint32_t delay, const TaskFunc &cb);//添加定时任务
void TimerAddInLoop(u_int64_t id, uint32_t delay, const TaskFunc &cb)
{
PtrTask pt(new TimerTask(id,delay,cb));
pt->SetRelease(std::bind(&TimerWheel::RemoveTimer,this,id));
_timers[id] = WeakTask(pt);
int pos = (_tick + delay) % _capacity;
_wheel[pos].push_back(pt);
}
//刷新/延迟定时任务
void TimerRefresh(u_int64_t id);
void TimerRefreshInLoop(u_int64_t id)
{
//通过保存我的定时器对象的weak_ptr构造一个shared_ptr出来,添加到轮子中
auto it = _timers.find(id);
if(it == _timers.end())
{
return;//没有找到定时任务,没法刷新,没法延迟
}
PtrTask pt = it->second.lock();//lock获取weak_ptr管理的对象对应的shared_ptr
int delay = pt->DelayTime();
int pos = (_tick + delay) % _capacity;
_wheel[pos].push_back(pt);
} //这个函数应该每秒钟执行一次,相当于秒针向后走了一步
void RunTimerTask()
{
_tick = (_tick + 1) % _capacity;
_wheel[_tick].clear();
} void OnTime()
{
ReadTimefd();
RunTimerTask();
}
//取消定时任务
void TimerCancel(uint64_t id);
void TimerCancelInLoop(uint64_t id)
{
auto it = _timers.find(id);
if(it == _timers.end())
{
return;//没有找到定时任务,没法刷新,没法延迟
}
PtrTask pt = it->second.lock();
if(pt) pt->Cancel();
}
private:
void RemoveTimer(uint64_t id)
{
auto it = _timers.find(id);
if(it != _timers.end())
{
_timers.erase(it);
}
}
private:
using PtrTask = std::shared_ptr<TimerTask>;
using WeakTask = std::weak_ptr<TimerTask>;
int _timefd;//定时器描述符
EventLoop* _loop;
std::unique_ptr<Channel> _timer_channel;
int _tick; //当前的秒针,走到哪里释放哪里,就相当于执行哪里的任务
int _capacity; //表盘最大数量---其实就是最大延迟时间
std::vector<std::vector<PtrTask>> _wheel;
std::unordered_map<uint64_t, WeakTask> _timers;
};
</p></pre>
<h3><a id="12Connection_2017"></a>12、Connection模块</h3>
<p><strong>目的</strong>:对连接进行全方位的管理,对通信连接的所有 *** 作都是通过这个模块提供的功能完成</p>
<p><strong>功能设计</strong>:</p>
<p> 1、套接字的管理,能够进行套接字的 *** 作</p>
<p> 2、连接事件的管理,可读,可写,错误,挂断,任意</p>
<p> 3、缓冲区的管理,便于socket数据的接收和发送</p>
<p> 4、协议上下文的管理,记录请求数据的处理过程</p>
<p> 5、回调函数的管理</p>
<p> 因为连接接收到数据之后该如何处理,由用户决定,因此必须有业务处理回调函数</p>
<p> 一个连接建立成功后,该如何处理,由用户决定,因此必须有连接建立成功的回调函数</p>
<p> 一个连接关闭前,该如何处理,由用户决定,因此必须有关闭连接回调函数。</p>
<p> 任意事件的产生,有没有某些处理,由用户决定,因此必须有任意事件的回调函数</p>
<p><strong>功能</strong>:</p>
<p> 1、发送数据 — 给用户提供的发送数据接口,并不是真正的发送接口,而是把数据放到发送缓冲区,然后启动写事件监控</p>
<p> 2、关闭连接 — 给用户提供的关闭连接接口,应该在实际释放连接之前,看看输入输出缓冲区是否有数据待处理</p>
<p> 3、启动非活跃连接的超时销毁功能</p>
<p> 4、取消非活跃连接的超时销毁功能</p>
<p> 5、协议切换 — 一个连接接收数据后如何进行业务处理,取决上下文,以及数据的业务处理回调函数</p>
<p>Connection模块是对连接的管理模块,对于连接的所有 *** 作都是通过这个模块完成的</p>
<p> <strong>场景</strong>:对连接进行 *** 作的时候,但是连接已经被释放,导致内存访问错误,最终程序崩溃</p>
<p> <strong>解决方案</strong>:使用只能指针shared_ptr对Connection对象进行管理,这样就能保证任意一个地方对Connection对象进行 *** 作的时候,保 存了一份shared_ptr,因此就算其他地方进行释放 *** 作,也只是对shared_ptr的计数器-1,而不会导致Connection的实际释放</p>
<pre><p style='background-color:black;color:white;padding:12px;'>typedef enum
{
DISCONNECTED,//连接关闭状态
CONNECTING, //连接建立成功--待处理状态
CONNECTED, //连接建立完成--各种设置已完成,可以通信的状态
DISCONNECTING//待关闭状态}ConnStatu;
class Connection;
using PtrConnection = std::shared_ptr<Connection>;
class Connection : public std::enable_shared_from_this<Connection> {
private:
uint64_t _conn_id; // 连接的唯一ID,便于连接的管理和查找
//uint64_t _timer_id; //定时器ID,必须是唯一的,这块为了简化 *** 作使用conn_id作为定时器ID
int _sockfd; // 连接关联的文件描述符
bool _enable_inactive_release; // 连接是否启动非活跃销毁的判断标志,默认为false
EventLoop *_loop; // 连接所关联的一个EventLoop
ConnStatu _statu; // 连接状态
Socket _socket; // 套接字 *** 作管理
Channel _channel; // 连接的事件管理
Buffer _in_buffer; // 输入缓冲区---存放从socket中读取到的数据
Buffer _out_buffer; // 输出缓冲区---存放要发送给对端的数据
Any _context; // 请求的接收处理上下文 /*这四个回调函数,是让服务器模块来设置的(其实服务器模块的处理回调也是组件使用者设置的)*/
/*换句话说,这几个回调都是组件使用者使用的*/
using ConnectedCallback = std::function<void(const PtrConnection&)>;
using MessageCallback = std::function<void(const PtrConnection&, Buffer *)>;
using ClosedCallback = std::function<void(const PtrConnection&)>;
using AnyEventCallback = std::function<void(const PtrConnection&)>;
ConnectedCallback _connected_callback;
MessageCallback _message_callback;
ClosedCallback _closed_callback;
AnyEventCallback _event_callback;
/*组件内的连接关闭回调--组件内设置的,因为服务器组件内会把所有的连接管理起来,一旦某个连接要关闭*/
/*就应该从管理的地方移除掉自己的信息*/
ClosedCallback _server_closed_callback;
private:
/*五个channel的事件回调函数*/
//描述符可读事件触发后调用的函数,接收socket数据放到接收缓冲区中,然后调用_message_callback
void HandleRead() {
//1. 接收socket的数据,放到缓冲区
char buf[65536];
ssize_t ret = _socket.NonBlockRecv(buf, 65535);
if (ret < 0) {
//出错了,不能直接关闭连接
return ShutdownInLoop();
}
//这里的等于0表示的是没有读取到数据,而并不是连接断开了,连接断开返回的是-1
//将数据放入输入缓冲区,写入之后顺便将写偏移向后移动
_in_buffer.WriteAndPush(buf, ret);
//2. 调用message_callback进行业务处理
if (_in_buffer.ReadAbleSize() > 0) {
//shared_from_this--从当前对象自身获取自身的shared_ptr管理对象
return _message_callback(shared_from_this(), &_in_buffer);
}
}
//描述符可写事件触发后调用的函数,将发送缓冲区中的数据进行发送
void HandleWrite() {
//_out_buffer中保存的数据就是要发送的数据
ssize_t ret = _socket.NonBlockSend(_out_buffer.ReadPosition(), _out_buffer.ReadAbleSize());
if (ret < 0) {
//发送错误就该关闭连接了,
if (_in_buffer.ReadAbleSize() > 0) {
_message_callback(shared_from_this(), &_in_buffer);
}
return Release();//这时候就是实际的关闭释放 *** 作了。
}
_out_buffer.MoveReadOffset(ret);//千万不要忘了,将读偏移向后移动
if (_out_buffer.ReadAbleSize() == 0) {
_channel.DisableWrite();// 没有数据待发送了,关闭写事件监控
//如果当前是连接待关闭状态,则有数据,发送完数据释放连接,没有数据则直接释放
if (_statu == DISCONNECTING) {
return Release();
}
}
return;
}
//描述符触发挂断事件
void HandleClose() {
/*一旦连接挂断了,套接字就什么都干不了了,因此有数据待处理就处理一下,完毕关闭连接*/
if (_in_buffer.ReadAbleSize() > 0) {
_message_callback(shared_from_this(), &_in_buffer);
}
return Release();
}
//描述符触发出错事件
void HandleError() {
return HandleClose();
}
//描述符触发任意事件: 1. 刷新连接的活跃度--延迟定时销毁任务; 2. 调用组件使用者的任意事件回调
void HandleEvent() {
if (_enable_inactive_release == true) { _loop->TimerRefresh(_conn_id); }
if (_event_callback) { _event_callback(shared_from_this()); }
}
//连接获取之后,所处的状态下要进行各种设置(启动读监控,调用回调函数)
void EstablishedInLoop() {
// 1. 修改连接状态; 2. 启动读事件监控; 3. 调用回调函数
assert(_statu == CONNECTING);//当前的状态必须一定是上层的半连接状态
_statu = CONNECTED;//当前函数执行完毕,则连接进入已完成连接状态
// 一旦启动读事件监控就有可能会立即触发读事件,如果这时候启动了非活跃连接销毁
_channel.EnableRead();
if (_connected_callback) _connected_callback(shared_from_this());
}
//这个接口才是实际的释放接口
void ReleaseInLoop() {
//1. 修改连接状态,将其置为DISCONNECTED
_statu = DISCONNECTED;
//2. 移除连接的事件监控
_channel.Remove();
//3. 关闭描述符
_socket.Close();
//4. 如果当前定时器队列中还有定时销毁任务,则取消任务
if (_loop->HasTimer(_conn_id)) CancelInactiveReleaseInLoop();
//5. 调用关闭回调函数,避免先移除服务器管理的连接信息导致Connection被释放,再去处理会出错,因此先调用用户的回调函数
if (_closed_callback) _closed_callback(shared_from_this());
//移除服务器内部管理的连接信息
if (_server_closed_callback) _server_closed_callback(shared_from_this());
}
//这个接口并不是实际的发送接口,而只是把数据放到了发送缓冲区,启动了可写事件监控
void SendInLoop(Buffer &buf) {
if (_statu == DISCONNECTED) return ;
_out_buffer.WriteBufferAndPush(buf);
if (_channel.WriteAble() == false) {
_channel.EnableWrite();
}
}
//这个关闭 *** 作并非实际的连接释放 *** 作,需要判断还有没有数据待处理,待发送
void ShutdownInLoop() {
_statu = DISCONNECTING;// 设置连接为半关闭状态
if (_in_buffer.ReadAbleSize() > 0) {
if (_message_callback) _message_callback(shared_from_this(), &_in_buffer);
}
//要么就是写入数据的时候出错关闭,要么就是没有待发送数据,直接关闭
if (_out_buffer.ReadAbleSize() > 0) {
if (_channel.WriteAble() == false) {
_channel.EnableWrite();
}
}
if (_out_buffer.ReadAbleSize() == 0) {
Release();
}
}
//启动非活跃连接超时释放规则
void EnableInactiveReleaseInLoop(int sec) {
//1. 将判断标志 _enable_inactive_release 置为true
_enable_inactive_release = true;
//2. 如果当前定时销毁任务已经存在,那就刷新延迟一下即可
if (_loop->HasTimer(_conn_id)) {
return _loop->TimerRefresh(_conn_id);
}
//3. 如果不存在定时销毁任务,则新增
_loop->TimerAdd(_conn_id, sec, std::bind(&Connection::Release, this));
}
void CancelInactiveReleaseInLoop() {
_enable_inactive_release = false;
if (_loop->HasTimer(_conn_id)) {
_loop->TimerCancel(_conn_id);
}
}
void UpgradeInLoop(const Any &context,
const ConnectedCallback &conn,
const MessageCallback &msg,
const ClosedCallback &closed,
const AnyEventCallback &event) {
_context = context;
_connected_callback = conn;
_message_callback = msg;
_closed_callback = closed;
_event_callback = event;
}
public:
Connection(EventLoop *loop, uint64_t conn_id, int sockfd):_conn_id(conn_id), _sockfd(sockfd),
_enable_inactive_release(false), _loop(loop), _statu(CONNECTING), _socket(_sockfd),
_channel(loop, _sockfd) {
_channel.SetCloseCallback(std::bind(&Connection::HandleClose, this));
_channel.SetEventCallback(std::bind(&Connection::HandleEvent, this));
_channel.SetReadCallback(std::bind(&Connection::HandleRead, this));
_channel.SetWriteCallback(std::bind(&Connection::HandleWrite, this));
_channel.SetErrorCallback(std::bind(&Connection::HandleError, this));
}
~Connection() { logger->debug("RELEASE CONNECTION:%p", this); }
//获取管理的文件描述符
int Fd() { return _sockfd; }
//获取连接ID
int Id() { return _conn_id; }
//是否处于CONNECTED状态
bool Connected() { return (_statu == CONNECTED); }
//设置上下文--连接建立完成时进行调用
void SetContext(const Any &context) { _context = context; }
//获取上下文,返回的是指针
Any *GetContext() { return &_context; }
void SetConnectedCallback(const ConnectedCallback&cb) { _connected_callback = cb; }
void SetMessageCallback(const MessageCallback&cb) { _message_callback = cb; }
void SetClosedCallback(const ClosedCallback&cb) { _closed_callback = cb; }
void SetAnyEventCallback(const AnyEventCallback&cb) { _event_callback = cb; }
void SetSrvClosedCallback(const ClosedCallback&cb) { _server_closed_callback = cb; }
//连接建立就绪后,进行channel回调设置,启动读监控,调用_connected_callback
void Established() {
_loop->RunInLoop(std::bind(&Connection::EstablishedInLoop, this));
}
//发送数据,将数据放到发送缓冲区,启动写事件监控
void Send(const char *data, size_t len) {
//外界传入的data,可能是个临时的空间,我们现在只是把发送 *** 作压入了任务池,有可能并没有被立即执行
//因此有可能执行的时候,data指向的空间有可能已经被释放了。
Buffer buf;
buf.WriteAndPush(data, len);
_loop->RunInLoop(std::bind(&Connection::SendInLoop, this, std::move(buf)));
}
//提供给组件使用者的关闭接口--并不实际关闭,需要判断有没有数据待处理
void Shutdown() {
_loop->RunInLoop(std::bind(&Connection::ShutdownInLoop, this));
}
void Release() {
_loop->QueueInLoop(std::bind(&Connection::ReleaseInLoop, this));
}
//启动非活跃销毁,并定义多长时间无通信就是非活跃,添加定时任务
void EnableInactiveRelease(int sec) {
_loop->RunInLoop(std::bind(&Connection::EnableInactiveReleaseInLoop, this, sec));
}
//取消非活跃销毁
void CancelInactiveRelease() {
_loop->RunInLoop(std::bind(&Connection::CancelInactiveReleaseInLoop, this));
}
//切换协议---重置上下文以及阶段性回调处理函数 -- 而是这个接口必须在EventLoop线程中立即执行
//防备新的事件触发后,处理的时候,切换任务还没有被执行--会导致数据使用原协议处理了。
void Upgrade(const Any &context, const ConnectedCallback &conn, const MessageCallback &msg,
const ClosedCallback &closed, const AnyEventCallback &event) {
_loop->AssertInLoop();
_loop->RunInLoop(std::bind(&Connection::UpgradeInLoop, this, context, conn, msg, closed, event));
}
};
</p></pre>
<h3><a id="13Acceptor_2294"></a>13、Acceptor模块</h3>
<p>Acceptor模块是对Socket模块,Channel模块的⼀个整体封装,实现了对⼀个监听套接字的整体的管理。</p>
<p>• Acceptor模块内部包含有⼀个Socket对象:实现监听套接字的 *** 作</p>
<p>• Acceptor模块内部包含有⼀个Channel对象:实现监听套接字IO事件就绪的处理</p>
<p><strong>具体处理流程如下</strong>:</p>
<ol><li>实现向Channel提供可读事件的IO事件处理回调函数,函数的功能其实也就是获取新连接</li><li>为新连接构建⼀个Connection对象出来。</li></ol>
<p><strong>意义</strong>:<br/> 当获取了一个新建连接的描述符之后,需要为这个通信连接,封装一个Connection对象,设置各种不同回调</p>
<p><strong>注意</strong>:</p>
<p> 因为Acceptor模块本身并不知道一个连接产生了某个事件该如何处理,因此获取一个通信连接后,Connection的封装,以及事件回调的设置都应该由服务器模块来进行</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class Acceptor
{
using AcceptCallback = std::function<void(int)>;
public:
//不能将启动读事件监控,放到构造函数中,必须在设置回调函数后,再去启动
//否则有可能造成启动监控后,立即有事件,回调函数还没设置:新连接得不到处理
Acceptor(EventLoop* loop, int port)
:_socket(CreateServer(port)),_loop(loop),_channel(loop,_socket.Fd())
{}
void SetAcceptCallback(const AcceptCallback& cb)
{
_accept_callback = cb;
}
void Listen()
{
_channel.SetReadCallback(std::bind(&Acceptor::HandleRead,this));
_channel.EnableRead();
}
~Acceptor()
{
if(_socket.Fd() > 0)
{
_socket.Close();
}
}
private:
//监听套接字的读事件回调处理函数---获取新连接,调用_accept_callback函数进行新连接处理
void HandleRead()
{
int newfd = _socket.Accept();
if(newfd < 0)
{
return;
}
if(_accept_callback) _accept_callback(newfd);
}
int CreateServer(int port)
{
bool ret = _socket.CreateServer(port);
(void)ret;
assert(ret == true);
return _socket.Fd();
}
private:
AcceptCallback _accept_callback;
Socket _socket;//用于创建监听套接字
EventLoop* _loop;//用于对监听套接字进行事件监控
Channel _channel;//用于对监听套接字进行事件管理
};
</p></pre>
<h3><a id="14LoopThread_2366"></a>14、LoopThread模块</h3>
<p><strong>目标</strong>:将EventLoop模块与线程整合起来</p>
<p> EventLoop模块与线程是一一对应的。</p>
<p>EventLoop模块实例化的对象,在构造的时候就会初始化_thread_id,而后边当运行一个 *** 作的时候判断当前是否</p>
<p>运行在eventLoop模块对应的线程中,就是将线程ID与EventLoop模块中的thread_id进行一个比较,相同就表示</p>
<p>在同一个线程,不同就表示当前运行线程不是EventLoop线程</p>
<p><strong>含义</strong>:EventLoop模块在实例化对象的时候,必须在线程内部</p>
<p> EventLoop实例化对象时会设置自己的thread_id</p>
<p> 如果我们先创建了多个EventLoop对象,然后创建了多个线程,将各个线程的id,重新给EventLoop进行设置</p>
<p> <strong>存在问题</strong>:在构造EventLoop对象,到设置新的thread_id期间将是不可控的</p>
<p>因此我们必须先创建线程,然后在线程的入口函数中,去实例化EventLoop对象</p>
<p><strong>构造一个新的模块</strong>:LoopThread</p>
<p>这个模块的功能:将EventLoop与thread整合到一起</p>
<p><strong>思想</strong>:</p>
<p> 1、创建线程</p>
<p> 2、在线程中实例化EventLoop对象</p>
<p><strong>功能</strong>:可以向外部返回实例化的EventLoop</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class LoopThread
{
public:
//创建线程,设定线程入口函数
LoopThread()
:_loop(nullptr),_thread(std::thread(&LoopThread::ThreadEntry,this))
{}
//返回当前线程关联的EventLoop对象指针
EventLoop* GetLoop()
{
EventLoop* loop = nullptr;
{
std::unique_lock<std::mutex> lock(_mutex);//加锁
_cond.wait(lock,[&](){return _loop != nullptr;});//loop为空就一直阻塞
loop = _loop;
}
return loop;
}
private:
//实例化EventLoop对象,唤醒_cond上有可能阻塞的线程,并且开始运行EventLoop模块的功能
void ThreadEntry()
{
EventLoop loop;
{
std::unique_lock<std::mutex> lock(_mutex);//加锁
_loop = &loop;
_cond.notify_all();
}
loop.Start();
}
private:
//用于实现_loop获取的同步关系,避免线程创建了,但是_loop还没有实例化之前去获取_loop
std::mutex _mutex;//互斥锁
std::condition_variable _cond;//条件变量
std::thread _thread;//EventLoop对应的线程
EventLoop* _loop;//EventLoop指针变量,这个对象需要在线程内实例化
};
</p></pre>
<h3><a id="15LoopThreadPool_2440"></a>15、LoopThreadPool模块</h3>
<p><strong>设计一个线程池</strong>:</p>
<p> LoopThreadPool模块:对所有的LoopThread进行管理及分配</p>
<p><strong>功能</strong>:</p>
<p> 1、线程数量可配置</p>
<p> 注意事项:在服务器中,主从Reactor模型是主线程只负责连接获取,从属线程负责新连接的事件监控及处理</p>
<p> 因此当前的线程池,有可能从属线程会数量为0,也就是实现单Reactor服务器,一个线程及辅助获取连接,也负责连接的处理</p>
<p> 2、对所有的线程进行管理,其实就是管理0个或多个LoopThread对象</p>
<p> 3、提供线程分配的功能</p>
<p> 当主线程获取了一个新连接,需要将新连接挂到从属线程上进行事件监控及处理</p>
<p> 假设有0个从属线程,则直接分配给主线程的EventLoop,进行处理</p>
<p>假设有多个从属线程,则采用轮转思想,进行线程的分配(将对应线程的EventLoop获取到,设置给对应的Connection)</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class LoopThreadPool
{
public:
LoopThreadPool(EventLoop* baseloop):_thread_count(0),_next_loop_idx(0),_baseloop(baseloop){}
//设置线程数量
void SetThreadCount(int count){_thread_count = count;}
void Create()//创建所有的从属线程
{
if(_thread_count > 0)
{
_threads.resize(_thread_count);
_loops.resize(_thread_count);
for(int i = 0; i < _thread_count; i++)
{
_threads[i] = new LoopThread();
_loops[i] = _threads[i]->GetLoop();
}
}
}
EventLoop* NextLoop()
{
if(_thread_count == 0) return _baseloop;
_next_loop_idx = (_next_loop_idx + 1) % _thread_count;
return _loops[_next_loop_idx];
}
private:
int _thread_count;//线程数量
int _next_loop_idx;//索引
EventLoop* _baseloop;//住EvnetLoop,运行在主线程,从属线程数量为0,则所有 *** 作都在baseloop中进行
std::vector<LoopThread*> _threads;//保存所有的LoopThread对象
std::vector<EventLoop*> _loops;//从属线程数量大于0则从_loops进行线程EventLoop分配
};
</p></pre>
<h3><a id="16TcpServer_2499"></a>16、TcpServer模块</h3>
<p>对前边所有子模块的整合模块,是提供给用户用于搭建一个高性能服务器的模块</p>
<p>让组件使用者可以更加轻便的完成一个服务器的搭建</p>
<p><strong>管理</strong>:</p>
<p> 1、Acceptor对象,创建一个监听字</p>
<p> 2、EventLoop对象,baseloop对象,实现对监听套接字的事件监控</p>
<p> 3、std::unordered_map<uint64_t, PtrConnection> _conns,实现对所有新建连接的管理</p>
<p> 4、LoopThreadPool对象,创建loop线程池,对新建连接进行事件监控及处理</p>
<p><strong>功能</strong>:</p>
<p> 1、设置从属线程池的数量</p>
<p> 2、启动服务器</p>
<p> 3、设置各种回调函数(连接建立完成,消息,关闭,任意),用户设置给TcpServer,TcpServer设置给获取的新连接</p>
<p> 4、是否启动非活跃连接超时销毁功能</p>
<p> 5、添加定时任务功能</p>
<p><strong>流程</strong>:</p>
<p> 1、在TcpServer中实例化一个Acceptor对象,以及一个EventLoop对象(baseloop)</p>
<p> 2、将Acceptor挂到baseloop上进行事件监控</p>
<p> 3、一旦Acceptor挂到baseloop上进行事件监控</p>
<p> 4、对新连接,创建一个Connection进行管理</p>
<p> 5、对连接对应的ConnEction设置功能回调(连接完成回调,消息回调,关闭回调,任意事件回调)</p>
<p> 6、启动Connection的非活跃连接的超时销毁规则</p>
<p> 7、将新连接对应的Connection挂到LoopThreadPool中的从属线程对应的EventLoop中进行事件监控</p>
<p> 8、一旦Connection对应的连接就绪了可读事件,则这时候执行读事件回调函数,读取数据,</p>
<p> 读取完毕后调用TcpServer设置的消息回调</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class TcpServer
{
using ConnectedCallback = std::function<void(const PtrConnection&)>;
using MessageCallback = std::function<void(const PtrConnection&, Buffer *)>;
using ClosedCallback = std::function<void(const PtrConnection&)>;
using AnyEventCallback = std::function<void(const PtrConnection&)>;
using Functor = std::function<void()>;
public:
TcpServer(int port)
:_next_id(0),_port(port),_enable_inactive_release(false)
,_acceptor(&_baseloop,_port),_pool(&_baseloop)
{
_acceptor.SetAcceptCallback(std::bind(&TcpServer::NewConnection,this,std::placeholders::_1));
_acceptor.Listen();//将监听套接字挂到baseloop上开始监听事件
}
void SetThreadCount(int count)
{
_pool.SetThreadCount(count);
}
void SetConnectedCallback(const ConnectedCallback&cb) { _connected_callback = cb; }
void SetMessageCallback(const MessageCallback&cb) { _message_callback = cb; }
void SetClosedCallback(const ClosedCallback&cb) { _closed_callback = cb; }
void SetAnyEventCallback(const AnyEventCallback&cb) { _event_callback = cb; }
void SetSrvClosedCallback(const ClosedCallback&cb) { _server_closed_callback = cb; }
void Start()
{
_pool.Create(); //创建线程池的从属线程
_baseloop.Start();
}
void EnableInactiveRelease(int timeout)
{
_timeout = timeout;
_enable_inactive_release = true;
}
void RunAfter(const Functor& task, int delay)//用于添加定时任务
{
_baseloop.RunInLoop(std::bind(&TcpServer::RunAfterInLoop,this,task,delay));
}
private:
void RunAfterInLoop(const Functor& task, int delay)
{
_next_id++;
_baseloop.TimerAdd(_next_id,delay,task);
}
void NewConnection(int fd)//为新连接构造一个Connection进行管理
{
_next_id++;
PtrConnection conn(new Connection(_pool.NextLoop(),_next_id, fd));
conn->SetMessageCallback (_message_callback);
conn->SetClosedCallback(_closed_callback);
conn->SetConnectedCallback(_connected_callback);
conn->SetAnyEventCallback(_event_callback);
conn->SetSrvClosedCallback(std::bind(&TcpServer::RemoveConnection,this,std::placeholders::_1));
if(_enable_inactive_release) conn->EnableInactiveRelease(_timeout);//启动非活跃销毁功能
conn->Established();
_conns.insert(std::make_pair(_next_id, conn));
}
void RemoveConnectionInLoop(const PtrConnection& conn)
{
int id = conn->Id();
auto it = _conns.find(id);
if(it != _conns.end())
{
_conns.erase(it);
}
}
void RemoveConnection(const PtrConnection& conn)//从管理Connection的_conns中移除连接信息
{
_baseloop.RunInLoop(std::bind(&TcpServer::RemoveConnectionInLoop,this,conn));
}
private:
uint64_t _next_id;//自动增长的连接ID
int _port;
int _timeout; //非活跃练级的统计事件---多长时间不通信是非活跃连接
bool _enable_inactive_release;//是否启动了非活跃连接超时销毁的判断标志
Acceptor _acceptor; //这是监听套接字的管理对象
EventLoop _baseloop;//主线程的eventloop对象,负责监听事件的处理
LoopThreadPool _pool;//从属EventLoop线程池
std::unordered_map<uint64_t, PtrConnection> _conns; // 保存管理所有连接对应的shared_ptr对象
ConnectedCallback _connected_callback;
MessageCallback _message_callback;
ClosedCallback _closed_callback;
AnyEventCallback _event_callback;
ClosedCallback _server_closed_callback;
};//这里是声明与定义的分离函数,因为他们使用了不同的类
void Channel::Remove(){ _loop->RemoveEvent(this);}//移除监控
void Channel::Update(){ _loop->UpdateEvent(this);}
void TimerWheel::TimerAdd(u_int64_t id, uint32_t delay, const TaskFunc &cb)//添加定时任务
{
_loop->RunInLoop(std::bind(&TimerWheel::TimerAddInLoop, this, id,delay,cb));
}
void TimerWheel::TimerRefresh(u_int64_t id)
{
_loop->RunInLoop(std::bind(&TimerWheel::TimerRefreshInLoop, this, id));
}
void TimerWheel::TimerCancel(uint64_t id)
{
_loop->RunInLoop(std::bind(&TimerWheel::TimerCancelInLoop, this, id));
}class NetWork
{
public:
NetWork()
{
logger->debug("SIGPIPE INIT");
signal(SIGPIPE, SIG_IGN);
}
};
static NetWork nw;
</p></pre>
<h3><a id="17echoServer_2664"></a>17、echoServer回显服务器</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>#pragma once
#include "../server.hpp"
class EchoServer
{
public:
EchoServer(int port):_server(port)
{
_server.SetThreadCount(2);
_server.EnableInactiveRelease(10);
_server.SetClosedCallback(std::bind(&EchoServer::OnClosed,this,std::placeholders::_1));
_server.SetConnectedCallback(std::bind(&EchoServer::OnConnected,this,std::placeholders::_1));
_server.SetMessageCallback(std::bind(&EchoServer::OnMessage,this,std::placeholders::_1,std::placeholders::_2));
}
void Start()
{
_server.Start();
}
private:
void OnClosed(const PtrConnection& conn)
{
logger->debug("CLOSED CONNECTION:%p",conn.get());
} void OnConnected(const PtrConnection& conn)
{
logger->debug("NEW CONNECTION:%p",conn.get());
} void OnMessage(const PtrConnection& conn, Buffer *buf)
{
conn->Send(buf->ReadPosition(),buf->ReadAbleSize());
buf->MoveReadOffset(buf->ReadAbleSize());
}
private:
TcpServer _server;
};
</p></pre>
<h2><a id="HTTP_2705"></a>五、HTTP协议模块代码实现</h2>
<p><strong>Http协议模块</strong>:</p>
<p>用于对高并发服务器模块进行协议支持,基于提供的协议支持能够更方便的完成指定协议服务器的搭建。</p>
<p>而Http协议支持模块的实现,可以细分如下模块</p>
<p><strong>Util模块</strong>:</p>
<p>这个模块是一个根据模块,主要提供HTTP协议模块所用到的一些工具函数,比如url编码,文件读写…等</p>
<p><strong>HttpRequest模块</strong>:</p>
<p>这个模块是HTTP请求数据模块,用于保存HTTP请求数据被解析后的各项请求元素信息。</p>
<p><strong>HttpResponse模块</strong>:</p>
<p>这个模块是HTTP响应数据模块,用于业务处理后设置并保存HTTP响应数据的各项元素信息,最终会被按照HTTP协议响应格式</p>
<p>组织成为响应信息发送给客户端。</p>
<p><strong>HttpContext模块</strong>:</p>
<p>这个模块是一个HTTP请求接收的上下文模块,主要是为了防止再一次接收的数据中,不是一个完整的HTTP请求,则解析过程并未完成,无法进行完整的请求处理,需要在下次接收到新数据后根据上下文进行解析,最终得到一个HttpRequest请求信息对象,因此在请求数据的接收以及解析部分需要一个上下文来进行控制接收和处理节奏。</p>
<p><strong>HttpServer模块</strong>:</p>
<p>这个模块是最终给组件使用者提供的HTTP服务器模块了,用于以简单的接口实现HTTP服务器的搭建。</p>
<p>HttpServer模块内容包含一个TcpServer对象:TcpServer对象实现服务器的搭建</p>
<p>HttpServer模块内部包含有两个提供给TcpServer对象的接口:连接建立成功设置上下文接口,数据处理接口</p>
<p>HttpServer模块内部包含有一个hash-map表存储请求与处理函数的映射表:组件使用者向HttpServer设置那些请求</p>
<p>应该使用那些函数进行处理,等TcpServer收到对应的请求就会使用对应的函数进行处理。</p>
<h3><a id="1Util_2743"></a>1、Util模块代码实现</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>#pragma once
#include "../server.hpp"
#include <fstream>
#include <sys/stat.h>class Util
{
public:
//字符串分割函数,将src字符串按照sep字符进行分割,得到的各个子串放到arry中,最终返回子串的数量
static size_t Split(const std::string &src, const std::string &sep, std::vector<std::string> *arry)
{
int idx = 0;
while(idx < src.size())
{
size_t pos = src.find(sep, idx);
if(pos == src.size()) break;
if(pos == std::string::npos)
{
//将剩余的部分当作一个子串
arry->push_back(src.substr(idx));
return arry->size();
}
if(pos == idx)
{
idx = pos + sep.size();
continue;//当字串为空,没必要添加
}
arry->push_back(src.substr(idx, pos - idx));
idx = pos + sep.size();
}
return arry->size();
}
//读取文件所有内容
static bool ReadFile(const std::string& filename, std::string* buf)
{
std::ifstream ifs(filename, std::ios::binary);
if(ifs.is_open() == false)
{
logger->error("OPEN %s FILE FAILED!!", filename.c_str());
return false;
}
size_t fsize = 0;
ifs.seekg(0,ifs.end);
fsize = ifs.tellg();
ifs.seekg(0,ifs.beg);
buf->resize(fsize);
ifs.read(&(*buf)[0],fsize);
if(ifs.good() == false)
{
logger->error("READ %s FILE FAILED!!",filename.c_str());
ifs.close();
return false;
}
ifs.close();
return true;
}
//向文件写入数据
static bool WriteFile(const std::string &filename, const std::string &buf)
{
std::ofstream ofs(filename,std::ios::binary);
if(ofs.is_open() == false)
{
logger->error("OPEN %s FILE FAILED!!",filename.c_str());
return false;
}
ofs.write(buf.c_str(), buf.size());
if(ofs.good() == false)
{
logger->error("WRITE %s FILE FAILED!", filename.c_str());
ofs.close();
return false;
}
ofs.close();
return true;
}
//URL编码,避免URL中子源路径与查询字符串中的特殊字符与HTTP请求中特殊字符产生歧义
//编码格式:将特殊字符的ascii值,转换为两个16禁止字符,前缀%
//不编码字符:RFC3986文档规定 . - _ ~以及字母和数字属于绝对不编码字符
//W3C标准中规定param中的空格必须被编码为+
//RFC2396规定URI中的保留字符需要转换为%HH格式
static std::string UrlEncode(const std::string url, bool convert_space_to_plus)
{
std::string res;
for(auto& c : url)
{
if(c == '.' || c == '-' || c == '_' || c == '~' || isalnum(c))
{
res += c;
continue;
}
if(c == ' ' && convert_space_to_plus)
{
res += '+';
continue;
}
//剩下的字符都是需要编码成为%HH格式
char tmp[4] = {0};
snprintf(tmp, 4, "%%%02X" ,c);
res += tmp;
}
return res;
}
static char HEXTOI(char c)
{
if(c >= '0' && c <= '9')
{
return c - '0';
}
else if(c >= 'a' && c <= 'z')
{
return c - 'a' + 10;
}
else if(c >= 'A' && c <= 'Z')
{
return c - 'A' + 10;
}
return -1;
}
static std::string UrlDecode(const std::string url, bool convert_space_to_plus)
{
std::string res;
//遇到了%,则要将紧随其后的额2个字符,转换为数字,第一个数字左移4位,然后加上第二个数字 + -> 2b %2b->2 << 4 + 11
for(int i = 0; i < url.size(); i++)
{
if(url[i] == '+' && convert_space_to_plus)
{
res += ' ';
continue;
}
if(url[i] == '%' && (i + 2) < url.size())
{
char v1 = HEXTOI(url[i+1]);
char v2 = HEXTOI(url[i+2]);
char v = v1 * 16 + v2;
res += v;
i+=2;
continue;
}
res += url[i];
}
return res;
}
//响应状态码的描述信息获取
static std::string StatDesc(int statu)
{
std::unordered_map<int,std::string> _statu_msg =
{
{100, "Continue"},
{101, "Switching Protocol"},
{102, "Processing"},
{103, "Early Hints"},
{200, "OK"},
{201, "Created"},
{202, "Accepted"},
{203, "Non-Authoritative Information"},
{204, "No Content"},
{205, "Reset Content"},
{206, "Partial Content"},
{207, "Multi-Status"},
{208, "Already Reported"},
{226, "IM Used"},
{300, "Multiple Choice"},
{301, "Moved Permanently"},
{302, "Found"},
{303, "See Other"},
{304, "Not Modified"},
{305, "Use Proxy"},
{306, "unused"},
{307, "Temporary Redirect"},
{308, "Permanent Redirect"},
{400, "Bad Request"},
{401, "Unauthorized"},
{402, "Payment Required"},
{403, "Forbidden"},
{404, "Not Found"},
{405, "Method Not Allowed"},
{406, "Not Acceptable"},
{407, "Proxy Authentication Required"},
{408, "Request Timeout"},
{409, "Conflict"},
{410, "Gone"},
{411, "Length Required"},
{412, "Precondition Failed"},
{413, "Payload Too Large"},
{414, "URI Too Long"},
{415, "Unsupported Media Type"},
{416, "Range Not Satisfiable"},
{417, "Expectation Failed"},
{418, "I'm a teapot"},
{421, "Misdirected Request"},
{422, "Unprocessable Entity"},
{423, "Locked"},
{424, "Failed Dependency"},
{425, "Too Early"},
{426, "Upgrade Required"},
{428, "Precondition Required"},
{429, "Too Many Requests"},
{431, "Request Header Fields Too Large"},
{451, "Unavailable For Legal Reasons"},
{501, "Not Implemented"},
{502, "Bad Gateway"},
{503, "Service Unavailable"},
{504, "Gateway Timeout"},
{505, "HTTP Version Not Supported"},
{506, "Variant Also Negotiates"},
{507, "Insufficient Storage"},
{508, "Loop Detected"},
{510, "Not Extended"},
{511, "Network Authentication Required"}
};
auto it = _statu_msg.find(statu);
if(it != _statu_msg.end())
{
return it->second;
}
return "Unknow";
}
//根据文件后缀名获取文件mime
static std::string ExtMime(const std::string &filename)
{
std::unordered_map<std::string, std::string> _mime_msg =
{
{".aac", "audio/aac"},
{".abw", "application/x-abiword"},
{".arc", "application/x-freearc"},
{".avi", "video/x-msvideo"},
{".azw", "application/vnd.amazon.ebook"},
{".bin", "application/octet-stream"},
{".bmp", "image/bmp"},
{".bz", "application/x-bzip"},
{".bz2", "application/x-bzip2"},
{".csh", "application/x-csh"},
{".css", "text/css"},
{".csv", "text/csv"},
{".doc", "application/msword"},
{".docx", "application/vnd.openxmlformats-officedocument.wordprocessingml.document"},
{".eot", "application/vnd.ms-fontobject"},
{".epub", "application/epub+zip"},
{".gif", "image/gif"},
{".htm", "text/html"},
{".html", "text/html"},
{".ico", "image/vnd.microsoft.icon"},
{".ics", "text/calendar"},
{".jar", "application/java-archive"},
{".jpeg", "image/jpeg"},
{".jpg", "image/jpeg"},
{".js", "text/javascript"},
{".json", "application/json"},
{".jsonld", "application/ld+json"},
{".mid", "audio/midi"},
{".midi", "audio/x-midi"},
{".mjs", "text/javascript"},
{".mp3", "audio/mpeg"},
{".mpeg", "video/mpeg"},
{".mpkg", "application/vnd.apple.installer+xml"},
{".odp", "application/vnd.oasis.opendocument.presentation"},
{".ods", "application/vnd.oasis.opendocument.spreadsheet"},
{".odt", "application/vnd.oasis.opendocument.text"},
{".oga", "audio/ogg"},
{".ogv", "video/ogg"},
{".ogx", "application/ogg"},
{".otf", "font/otf"},
{".png", "image/png"},
{".pdf", "application/pdf"},
{".ppt", "application/vnd.ms-powerpoint"},
{".pptx", "application/vnd.openxmlformats-officedocument.presentationml.presentation"},
{".rar", "application/x-rar-compressed"},
{".rtf", "application/rtf"},
{".sh", "application/x-sh"},
{".svg", "image/svg+xml"},
{".swf", "application/x-shockwave-flash"},
{".tar", "application/x-tar"},
{".tif", "image/tiff"},
{".tiff", "image/tiff"},
{".ttf", "font/ttf"},
{".txt", "text/plain"},
{".vsd", "application/vnd.visio"},
{".wav", "audio/wav"},
{".weba", "audio/webm"},
{".webm", "video/webm"},
{".webp", "image/webp"},
{".woff", "font/woff"},
{".woff2", "font/woff2"},
{".xhtml", "application/xhtml+xml"},
{".xls", "application/vnd.ms-excel"},
{".xlsx", "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet"},
{".xml", "application/xml"},
{".xul", "application/vnd.mozilla.xul+xml"},
{".zip", "application/zip"},
{".3gp", "video/3gpp"},
{".3g2", "video/3gpp2"},
{".7z", "application/x-7z-compressed"}
};
size_t pos = filename.find_last_of('.');
if(pos != std::string::npos)
{
std::string ext = filename.substr(pos);
auto it = _mime_msg.find(ext);
if(it == _mime_msg.end())
{
return "application/octet-stream";
}
return it->second;
}
return "application/octet-stream";
}
//判断一个文件是否是一个目录
static bool IsDirectory(const std::string &filename)
{
struct stat st;
int ret = stat(filename.c_str(), & st);
if(ret < 0)
{
return false;
}
return S_ISDIR(st.st_mode);
}
//判断一个文件是否是一个普通文件
static bool IsRegular(const std::string &filename)
{
struct stat st;
int ret = stat(filename.c_str(), & st);
if(ret < 0)
{
return false;
}
return S_ISREG(st.st_mode);
}
//http请求的资源路径有效性判断
// /index.html ---前边的/叫做相对根目录 映射的是某个服务器的子目录
// 想表达的意思就是,客户端只能请求相对根目录中的资源,其他地方的资源不予理会
// /../login,这个路径中的..会让路径的查找跑到相对根目录之外,不安全
static bool VaidPath(const std::string &path)
{
//思想:按照/进行路径分割,根据有多少子目录,计算目录深度,有多少层,深度不能小于0
std::vector<std::string> subdir;
Split(path, "/", &subdir);
int level = 0;
for(auto& dir : subdir)
{
if(dir == "..")
{
level--;
if(level < 0)return false;
continue;
}
level++;
}
return true;
}
};
</p></pre>
<h3><a id="2HttpRequest_3099"></a>2、HttpRequest模块</h3>
<p>http请求信息模块:存储HTTP请求信息要素,提供简单的功能性接口</p>
<p><strong>请求信息要素</strong>:</p>
<p> <strong>请求行</strong>:请求方法,URL,协议版本</p>
<p> <strong>URL</strong>:资源路径,查询字符串</p>
<p> GET /search?word=C++&en=utf8 HTTP/1.1</p>
<p> <strong>请求头部</strong>:key: val\r\nkey:val\r\n…</p>
<p> Content-Length:0\r\n</p>
<p> <strong>正文</strong></p>
<p> <strong>要素</strong>:请求方法,资源路径,查询字符串,头部字段,正文,协议版本</p>
<p> <strong>功能性接口</strong>:</p>
<p> 1、将成员变量设置为公有成员,便于直接访问</p>
<p> 2、提供查询字符串,以及头部字段的单个查询和获取,插入功能</p>
<p> 3、获取正文长度</p>
<p> 4、判断长连接&段连接 Connection:close / keep-alive</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class HttpRequest
{
public:
std::string _method; //请求方法
std::string _path; //资源路径
std::string _version; //协议版本
std::string _body; //请求正文
std::smatch _matches; //资源路径的正则提取数据
std::unordered_map<std::string, std::string> _headers; //头部字段
std::unordered_map<std::string, std::string> _params; //查询字符串
public:
HttpRequest():_version("HTTP/1.1") {}
void ReSet()
{
_method.clear();
_path.clear();
_version = "HTTP/1.1";
_body.clear();
std::smatch match;
_matches.swap(match);
_headers.clear();
_params.clear();
}
//插入头部字段
void SetHeader(const std::string &key, const std::string &val)
{
_headers.insert(std::make_pair(key, val));
}
//判断是否存在指定头部字段
bool HasHeader(const std::string &key) const
{
auto it = _headers.find(key);
if (it == _headers.end())
{
return false;
}
return true;
}
//获取指定头部字段的值
std::string GetHeader(const std::string &key) const
{
auto it = _headers.find(key);
if (it == _headers.end())
{
return "";
}
return it->second;
}
//插入查询字符串
void SetParam(const std::string &key, const std::string &val)
{
_params.insert(std::make_pair(key, val));
}
//判断是否有某个指定的查询字符串
bool HasParam(const std::string &key) const
{
auto it = _params.find(key);
if (it == _params.end())
{
return false;
}
return true;
}
//获取指定的查询字符串
std::string GetParam(const std::string &key) const
{
auto it = _params.find(key);
if (it == _params.end())
{
return "";
}
return it->second;
}
//获取正文长度
size_t ContentLength() const
{
// Content-Length: 1234\r\n
bool ret = HasHeader("Content-Length");
if (ret == false)
{
return 0;
}
std::string clen = GetHeader("Content-Length");
return std::stol(clen);
}
//判断是否是短链接
bool Close() const
{
// 没有Connection字段,或者有Connection但是值是close,则都是短链接,否则就是长连接
if (HasHeader("Connection") == true && GetHeader("Connection") == "keep-alive")
{
return false;
}
return true;
}
};
</p></pre>
<h3><a id="3HttpReponse_3228"></a>3、HttpReponse模块</h3>
<p>功能:存储HTTP响应信息要素,提供简单的功能性接口</p>
<p>响应信息要素:</p>
<p> 1、响应状态码</p>
<p> 2、头部字段</p>
<p> 3、响应正文</p>
<p> 4、重定向信息(是否进行了重定向的标志,重定向的路径)</p>
<p>功能性接口:w欸蓝便于成员的访问,设置为公有成员</p>
<p> 1、头部字段的新增</p>
<p> 2、正文的设置</p>
<p> 3、重定向的设置</p>
<p> 4、长短连接的判断</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class HttpResponse
{
public:
int _statu;
bool _redirect_flag;
std::string _body;
std::string _redirect_url;
std::unordered_map<std::string, std::string> _headers;
public:
HttpResponse():_redirect_flag(false), _statu(200) {}
HttpResponse(int statu):_redirect_flag(false), _statu(statu) {}
void ReSet()
{
_statu = 200;
_redirect_flag = false;
_body.clear();
_redirect_url.clear();
_headers.clear();
}
//插入头部字段
void SetHeader(const std::string &key, const std::string &val)
{
_headers.insert(std::make_pair(key, val));
}
//判断是否存在指定头部字段
bool HasHeader(const std::string &key)
{
auto it = _headers.find(key);
if (it == _headers.end())
{
return false;
}
return true;
}
//获取指定头部字段的值
std::string GetHeader(const std::string &key)
{
auto it = _headers.find(key);
if (it == _headers.end())
{
return "";
}
return it->second;
}
void SetContent(const std::string &body, const std::string &type = "text/html")
{
_body = body;
SetHeader("Content-Type", type);
}
void SetRedirect(const std::string &url, int statu = 302)
{
_statu = statu;
_redirect_flag = true;
_redirect_url = url;
}
//判断是否是短链接
bool Close()
{
// 没有Connection字段,或者有Connection但是值是close,则都是短链接,否则就是长连接
if (HasHeader("Connection") == true && GetHeader("Connection") == "keep-alive")
{
return false;
}
return true;
}
};
</p></pre>
<h3><a id="4HttpContext_3323"></a>4、HttpContext模块</h3>
<p><strong>意义</strong>:</p>
<p> 有可能出现接收的数据并不是一条完整的HTTP请求数据,也就是请求的处理需要在多次收到数据后才能处理完成,因此在每次处理的时候,就需要将处理进度记录起来,以便于下次从当前进度继续向下处理</p>
<p><strong>接收状态</strong>:<br/> 接收请求行,当前处于接收并处理请求行的阶段<br/> 接收请求头部,,表示请求头部的接收还没有完毕<br/> 接收正文,表示还有正文没有接收完毕<br/> 接收数据完毕,这是一个接收完毕,可以对请求进行处理的阶段<br/> 接收处理请求出错</p>
<pre><p style='background-color:black;color:white;padding:12px;'>typedef enum
{
RECV_HTTP_ERROR,
RECV_HTTP_LINE,
RECV_HTTP_HEAD,
RECV_HTTP_BODY,
RECV_HTTP_OVER
}HttpRecvStatu;#define MAX_LINE 8192
class HttpContext
{
private:
int _resp_statu; //响应状态码
HttpRecvStatu _recv_statu; //当前接收及解析的阶段状态
HttpRequest _request; //已经解析得到的请求信息
private:
bool ParseHttpLine(const std::string &line)
{
std::smatch matches;
std::regex e("(GET|HEAD|POST|PUT|DELETE) ([^?]*)(?:\\?(.*))? (HTTP/1\\.[01])(?:\n|\r\n)?", std::regex::icase);
bool ret = std::regex_match(line, matches, e);
if (ret == false)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 400;//BAD REQUEST
return false;
}
//0 : GET /bitejiuyeke/login?user=xiaoming&pass=123123 HTTP/1.1
//1 : GET
//2 : /bitejiuyeke/login
//3 : user=xiaoming&pass=123123
//4 : HTTP/1.1
//请求方法的获取
_request._method = matches[1];
std::transform(_request._method.begin(), _request._method.end(), _request._method.begin(), ::toupper);
//资源路径的获取,需要进行URL解码 *** 作,但是不需要+转空格
_request._path = Util::UrlDecode(matches[2], false);
//协议版本的获取
_request._version = matches[4];
//查询字符串的获取与处理
std::vector<std::string> query_string_arry;
std::string query_string = matches[3];
//查询字符串的格式 key=val&key=val....., 先以 & 符号进行分割,得到各个字串
Util::Split(query_string, "&", &query_string_arry);
//针对各个字串,以 = 符号进行分割,得到key 和val, 得到之后也需要进行URL解码
for (auto &str : query_string_arry)
{
size_t pos = str.find("=");
if (pos == std::string::npos)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 400;//BAD REQUEST
return false;
}
std::string key = Util::UrlDecode(str.substr(0, pos), true);
std::string val = Util::UrlDecode(str.substr(pos + 1), true);
_request.SetParam(key, val);
}
return true;
}
bool RecvHttpLine(Buffer *buf)
{
if (_recv_statu != RECV_HTTP_LINE) return false;
//1. 获取一行数据,带有末尾的换行
std::string line = buf->GetLineAndPop();
//2. 需要考虑的一些要素:缓冲区中的数据不足一行, 获取的一行数据超大
if (line.size() == 0)
{
//缓冲区中的数据不足一行,则需要判断缓冲区的可读数据长度,如果很长了都不足一行,这是有问题的
if (buf->ReadAbleSize() > MAX_LINE)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 414;//URI TOO LONG
return false;
}
//缓冲区中数据不足一行,但是也不多,就等等新数据的到来
return true;
}
if (line.size() > MAX_LINE)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 414;//URI TOO LONG
return false;
}
bool ret = ParseHttpLine(line);
if (ret == false)
{
return false;
}
//首行处理完毕,进入头部获取阶段
_recv_statu = RECV_HTTP_HEAD;
return true;
}
bool RecvHttpHead(Buffer *buf)
{
if (_recv_statu != RECV_HTTP_HEAD) return false;
//一行一行取出数据,直到遇到空行为止, 头部的格式 key: val\r\nkey: val\r\n....
while(1){
std::string line = buf->GetLineAndPop();
//2. 需要考虑的一些要素:缓冲区中的数据不足一行, 获取的一行数据超大
if (line.size() == 0)
{
//缓冲区中的数据不足一行,则需要判断缓冲区的可读数据长度,如果很长了都不足一行,这是有问题的
if (buf->ReadAbleSize() > MAX_LINE)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 414;//URI TOO LONG
return false;
}
//缓冲区中数据不足一行,但是也不多,就等等新数据的到来
return true;
}
if (line.size() > MAX_LINE)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 414;//URI TOO LONG
return false;
}
if (line == "\n" || line == "\r\n")
{
break;
}
bool ret = ParseHttpHead(line);
if (ret == false)
{
return false;
}
}
//头部处理完毕,进入正文获取阶段
_recv_statu = RECV_HTTP_BODY;
return true;
}
bool ParseHttpHead(std::string &line)
{
//key: val\r\nkey: val\r\n....
if (line.back() == '\n') line.pop_back();//末尾是换行则去掉换行字符
if (line.back() == '\r') line.pop_back();//末尾是回车则去掉回车字符
size_t pos = line.find(": ");
if (pos == std::string::npos)
{
_recv_statu = RECV_HTTP_ERROR;
_resp_statu = 400;//
return false;
}
std::string key = line.substr(0, pos);
std::string val = line.substr(pos + 2);
_request.SetHeader(key, val);
return true;
}
bool RecvHttpBody(Buffer *buf)
{
if (_recv_statu != RECV_HTTP_BODY) return false;
//1. 获取正文长度
size_t content_length = _request.ContentLength();
if (content_length == 0)
{
//没有正文,则请求接收解析完毕
_recv_statu = RECV_HTTP_OVER;
return true;
}
//2. 当前已经接收了多少正文,其实就是往 _request._body 中放了多少数据了
size_t real_len = content_length - _request._body.size();//实际还需要接收的正文长度
//3. 接收正文放到body中,但是也要考虑当前缓冲区中的数据,是否是全部的正文
// 3.1 缓冲区中数据,包含了当前请求的所有正文,则取出所需的数据
if (buf->ReadAbleSize() >= real_len)
{
_request._body.append(buf->ReadPosition(), real_len);
buf->MoveReadOffset(real_len);
_recv_statu = RECV_HTTP_OVER;
return true;
}
// 3.2 缓冲区中数据,无法满足当前正文的需要,数据不足,取出数据,然后等待新数据到来
_request._body.append(buf->ReadPosition(), buf->ReadAbleSize());
buf->MoveReadOffset(buf->ReadAbleSize());
return true;
}
public:
HttpContext():_resp_statu(200), _recv_statu(RECV_HTTP_LINE) {}
void ReSet()
{
_resp_statu = 200;
_recv_statu = RECV_HTTP_LINE;
_request.ReSet();
}
int RespStatu() { return _resp_statu; }
HttpRecvStatu RecvStatu() { return _recv_statu; }
HttpRequest &Request() { return _request; }
//接收并解析HTTP请求
void RecvHttpRequest(Buffer *buf)
{
//不同的状态,做不同的事情,但是这里不要break, 因为处理完请求行后,应该立即处理头部,而不是退出等新数据
switch(_recv_statu)
{
case RECV_HTTP_LINE: RecvHttpLine(buf);
case RECV_HTTP_HEAD: RecvHttpHead(buf);
case RECV_HTTP_BODY: RecvHttpBody(buf);
}
return;
}
};
</p></pre>
<h3><a id="5HttpServer_3540"></a>5、HttpServer模块</h3>
<p><strong>功能</strong>:对于HTTP协议支持所有模块的整合</p>
<p><strong>意义</strong>:让HTTP服务器的搭建变得更加简便</p>
<p>设计一张请求路由表:</p>
<p>表中记录了针对哪个请求,应该使用哪个函数来进行业务处理的映射关系</p>
<p>当服务器收到了一个请求,就在请求路由表中,查找有没有对应请求的处理函数,如果有,则执行对应的处理函数即可</p>
<p>什么请求,怎么处理,由用户来设定,服务器收到了请求只需要执行函数即可。</p>
<p><strong>好处</strong>:用户只需要实现业务处理函数,然后将请求与处理函数的映射关系,添加到服务器中,而服务器只需要接收数据,解析数据,查找</p>
<p>路由表映射关系,执行业务处理函数</p>
<p><strong>要素</strong>:</p>
<p> 1、GET请求的路由映射表</p>
<p> 2、POST请求的路由映射表</p>
<p> 3、PUT请求的路由映射表</p>
<p> 4、DELETE请求的路由映射表 —路由映射表记录对应请求方法的处理函数映射关系</p>
<p> 5、高性能TCP服务器 — 进行连接的IO *** 作</p>
<p> 6、静态资源相对根目录 — 实现静态资源的处理</p>
<p><strong>接口</strong>:</p>
<p> 服务器处理流程:</p>
<p> 1、从socket接收数据,放到接收缓冲区</p>
<p> 2、调用OnMessage回调函数进行业务处理</p>
<p> 3、对请求进行解析,得到一个HttpRequest结构,包含了所有的请求要素</p>
<p> 4、进行请求的路由查找 – 找到对应请求的处理方法</p>
<p> 1.静态资源请求—一些实体文件资源的请求</p>
<p> 将静态资源文件的数据读取处理,填充到HttpResponse结构中</p>
<p> 2.功能性请求—在请求路由映射表中查找处理函数,找到了则执行函数</p>
<p> 具体的业务处理,并运行HttpResponse结构的数据填充</p>
<p> 5、对静态资源请求/功能性请求进行处理完毕后,得到了一个填充了响应信息的HttpResponse对象,组织http格式响应,进行发送</p>
<p><strong>功能</strong>:</p>
<p> 1、添加请求-处理函数映射信息(GET/POST/PUT/DELETE)</p>
<p> 2、设置静态资源根目录</p>
<p> 3、设置线程池中线程数量</p>
<p> 4、设置是否设置超时连接释放</p>
<p> 5、启动服务器</p>
<p> 6、OnConnected —用于给TcpServer设置协议上下文</p>
<p> 7、OnMessage — 用于进行缓冲区数据解析处理</p>
<p> 8、请求路由查找:静态资源请求查找和处理,功能性请求的查找和处理</p>
<p> 9、组织响应进行回复</p>
<pre><p style='background-color:black;color:white;padding:12px;'>class HttpServer
{
private:
using Handler = std::function<void(const HttpRequest &, HttpResponse *)>;
using Handlers = std::vector<std::pair<std::regex, Handler>>;
Handlers _get_route;
Handlers _post_route;
Handlers _put_route;
Handlers _delete_route;
std::string _basedir; //静态资源根目录
TcpServer _server;
private:
void ErrorHandler(const HttpRequest &req, HttpResponse *rsp)
{
//1. 组织一个错误展示页面
std::string body;
body += "<html>";
body += "<head>";
body += "<meta http-equiv='Content-Type' content='text/html;charset=utf-8'>";
body += "</head>";
body += "<body>";
body += "<h1>";
body += std::to_string(rsp->_statu);
body += " ";
body += Util::StatuDesc(rsp->_statu);
body += "</h1>";
body += "</body>";
body += "</html>";
//2. 将页面数据,当作响应正文,放入rsp中
rsp->SetContent(body, "text/html");
}
//将HttpResponse中的要素按照http协议格式进行组织,发送
void WriteReponse(const PtrConnection &conn, const HttpRequest &req, HttpResponse &rsp)
{
//1. 先完善头部字段
if (req.Close() == true)
{
rsp.SetHeader("Connection", "close");
}else
{
rsp.SetHeader("Connection", "keep-alive");
}
if (rsp._body.empty() == false && rsp.HasHeader("Content-Length") == false)
{
rsp.SetHeader("Content-Length", std::to_string(rsp._body.size()));
}
if (rsp._body.empty() == false && rsp.HasHeader("Content-Type") == false)
{
rsp.SetHeader("Content-Type", "application/octet-stream");
}
if (rsp._redirect_flag == true)
{
rsp.SetHeader("Location", rsp._redirect_url);
}
//2. 将rsp中的要素,按照http协议格式进行组织
std::stringstream rsp_str;
rsp_str << req._version << " " << std::to_string(rsp._statu) << " " << Util::StatuDesc(rsp._statu) << "\r\n";
for (auto &head : rsp._headers)
{
rsp_str << head.first << ": " << head.second << "\r\n";
}
rsp_str << "\r\n";
rsp_str << rsp._body;
//3. 发送数据
conn->Send(rsp_str.str().c_str(), rsp_str.str().size());
}
bool IsFileHandler(const HttpRequest &req)
{
// 1. 必须设置了静态资源根目录
if (_basedir.empty())
{
return false;
}
// 2. 请求方法,必须是GET / HEAD请求方法
if (req._method != "GET" && req._method != "HEAD")
{
return false;
}
// 3. 请求的资源路径必须是一个合法路径
if (Util::ValidPath(req._path) == false)
{
return false;
}
// 4. 请求的资源必须存在,且是一个普通文件
// 有一种请求比较特殊 -- 目录:/, /image/, 这种情况给后边默认追加一个 index.html
// index.html /image/a.png
// 不要忘了前缀的相对根目录,也就是将请求路径转换为实际存在的路径 /image/a.png -> ./wwwroot/image/a.png
std::string req_path = _basedir + req._path;//为了避免直接修改请求的资源路径,因此定义一个临时对象
if (req._path.back() == '/')
{
req_path += "index.html";
}
if (Util::IsRegular(req_path) == false)
{
return false;
}
return true;
}
//静态资源的请求处理 --- 将静态资源文件的数据读取出来,放到rsp的_body中, 并设置mime
void FileHandler(const HttpRequest &req, HttpResponse *rsp)
{
std::string req_path = _basedir + req._path;
if (req._path.back() == '/')
{
req_path += "index.html";
}
bool ret = Util::ReadFile(req_path, &rsp->_body);
if (ret == false)
{
return;
}
std::string mime = Util::ExtMime(req_path);
rsp->SetHeader("Content-Type", mime);
return;
}
//功能性请求的分类处理
void Dispatcher(HttpRequest &req, HttpResponse *rsp, Handlers &handlers)
{
//在对应请求方法的路由表中,查找是否含有对应资源请求的处理函数,有则调用,没有则发挥404
//思想:路由表存储的时键值对 -- 正则表达式 & 处理函数
//使用正则表达式,对请求的资源路径进行正则匹配,匹配成功就使用对应函数进行处理
// /numbers/(\d+) /numbers/12345
for (auto &handler : handlers)
{
const std::regex &re = handler.first;
const Handler &functor = handler.second;
bool ret = std::regex_match(req._path, req._matches, re);
if (ret == false)
{
continue;
}
return functor(req, rsp);//传入请求信息,和空的rsp,执行处理函数
}
rsp->_statu = 404;
}
void Route(HttpRequest &req, HttpResponse *rsp)
{
//1. 对请求进行分辨,是一个静态资源请求,还是一个功能性请求
// 静态资源请求,则进行静态资源的处理
// 功能性请求,则需要通过几个请求路由表来确定是否有处理函数
// 既不是静态资源请求,也没有设置对应的功能性请求处理函数,就返回405
if (IsFileHandler(req) == true)
{
//是一个静态资源请求, 则进行静态资源请求的处理
return FileHandler(req, rsp);
}
if (req._method == "GET" || req._method == "HEAD")
{
return Dispatcher(req, rsp, _get_route);
}else if (req._method == "POST")
{
return Dispatcher(req, rsp, _post_route);
}else if (req._method == "PUT")
{
return Dispatcher(req, rsp, _put_route);
}else if (req._method == "DELETE")
{
return Dispatcher(req, rsp, _delete_route);
}
rsp->_statu = 405;// Method Not Allowed
return ;
}
//设置上下文
void OnConnected(const PtrConnection &conn)
{
conn->SetContext(HttpContext());
logger->debug("NEW CONNECTION %p", conn.get());
}
//缓冲区数据解析+处理
void OnMessage(const PtrConnection &conn, Buffer *buffer)
{
while(buffer->ReadAbleSize() > 0){
//1. 获取上下文
HttpContext *context = conn->GetContext()->get<HttpContext>();
//2. 通过上下文对缓冲区数据进行解析,得到HttpRequest对象
// 1. 如果缓冲区的数据解析出错,就直接回复出错响应
// 2. 如果解析正常,且请求已经获取完毕,才开始去进行处理
context->RecvHttpRequest(buffer);
HttpRequest &req = context->Request();
HttpResponse rsp(context->RespStatu());
if (context->RespStatu() >= 400)
{
//进行错误响应,关闭连接
ErrorHandler(req, &rsp);//填充一个错误显示页面数据到rsp中
WriteReponse(conn, req, rsp);//组织响应发送给客户端
context->ReSet();
buffer->MoveReadOffset(buffer->ReadAbleSize());//出错了就把缓冲区数据清空
conn->Shutdown();//关闭连接
return;
}
if (context->RecvStatu() != RECV_HTTP_OVER)
{
//当前请求还没有接收完整,则退出,等新数据到来再重新继续处理
return;
}
//3. 请求路由 + 业务处理
Route(req, &rsp);
//4. 对HttpResponse进行组织发送
WriteReponse(conn, req, rsp);
//5. 重置上下文
context->ReSet();
//6. 根据长短连接判断是否关闭连接或者继续处理
if (rsp.Close() == true) conn->Shutdown();//短链接则直接关闭
}
return;
}
public:
HttpServer(int port, int timeout = DEFALT_TIMEOUT):_server(port)
{
_server.EnableInactiveRelease(timeout);
_server.SetConnectedCallback(std::bind(&HttpServer::OnConnected, this, std::placeholders::_1));
_server.SetMessageCallback(std::bind(&HttpServer::OnMessage, this, std::placeholders::_1, std::placeholders::_2));
}
void SetBaseDir(const std::string &path)
{
assert(Util::IsDirectory(path) == true);
_basedir = path;
}
/*设置/添加,请求(请求的正则表达)与处理函数的映射关系*/
void Get(const std::string &pattern, const Handler &handler)
{
_get_route.push_back(std::make_pair(std::regex(pattern), handler));
}
void Post(const std::string &pattern, const Handler &handler)
{
_post_route.push_back(std::make_pair(std::regex(pattern), handler));
}
void Put(const std::string &pattern, const Handler &handler)
{
_put_route.push_back(std::make_pair(std::regex(pattern), handler));
}
void Delete(const std::string &pattern, const Handler &handler)
{
_delete_route.push_back(std::make_pair(std::regex(pattern), handler));
}
void SetThreadCount(int count)
{
_server.SetThreadCount(count);
}
void Listen()
{
_server.Start();
}
};
</p></pre>
<h3><a id="6HttpServer_3861"></a>6、HttpServer服务器测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>#include "http.hpp"#define WWWROOT "./wwwroot/"std::string RequestStr(const HttpRequest &req) {
std::stringstream ss;
ss << req._method << " " << req._path << " " << req._version << "\r\n";
for (auto &it : req._params) {
ss << it.first << ": " << it.second << "\r\n";
}
for (auto &it : req._headers) {
ss << it.first << ": " << it.second << "\r\n";
}
ss << "\r\n";
ss << req._body;
return ss.str();
}
void Hello(const HttpRequest &req, HttpResponse *rsp)
{
rsp->SetContent(RequestStr(req), "text/plain");
}
void Login(const HttpRequest &req, HttpResponse *rsp)
{
rsp->SetContent(RequestStr(req), "text/plain");
}
void PutFile(const HttpRequest &req, HttpResponse *rsp)
{
std::string pathname = WWWROOT + req._path;
Util::WriteFile(pathname, req._body);
}
void DelFile(const HttpRequest &req, HttpResponse *rsp)
{
rsp->SetContent(RequestStr(req), "text/plain");
}
int main()
{
HttpServer server(7777);
server.SetThreadCount(3);
server.SetBaseDir(WWWROOT);//设置静态资源根目录,告诉服务器有静态资源请求到来,需要到哪里去找资源文件
server.Get("/hello", Hello);
server.Post("/login", Login);
server.Put("/1234.txt", PutFile);
server.Delete("/1234.txt", DelFile);
server.Listen();
return 0;
}
</p></pre>
<h2><a id="_3912"></a>六、服务器测试</h2>
<h3><a id="1_3914"></a>1、长连接测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>#include "../server.hpp"int main()
{
Socket cli_sock;
cli_sock.CreateClient(7777, "127.0.0.1");
std::string req = "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 0\r\n\r\n";
while(1) {
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
char buf[1024] = {0};
assert(cli_sock.Recv(buf, 1023));
logger->debug("[%s]", buf);
sleep(3);
}
cli_sock.Close();
return 0;
}
</p></pre>
<p><img alt="image-20240303163237084" src="https://img-blog.csdnimg.cn/img_convert/1ccb044534fb96fda27b4918b04e5467.png"/></p>
<blockquote>
<p>这里验证了30秒,信息一直在发送,所以长连接测试成功。</p>
</blockquote>
<h3><a id="2_3940"></a>2、超时连接测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>/*超时连接测试1:创建一个客户端,给服务器发送一次数据后,不动了,查看服务器是否会正常的超时关闭连接*/#include "../server.hpp"int main()
{
Socket cli_sock;
cli_sock.CreateClient(7777, "127.0.0.1");
std::string req = "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 0\r\n\r\n";
while(1) {
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
char buf[1024] = {0};
assert(cli_sock.Recv(buf, 1023));
logger->debug("[%s]", buf);
sleep(15);
}
cli_sock.Close();
return 0;
}
</p></pre>
<p><img alt="image-20240303164029320" src="https://img-blog.csdnimg.cn/img_convert/673bf7387d4dfdde63229698689d147d.png"/></p>
<blockquote>
<p>这里测试的超时连接关闭,我设置的超时时间是10秒,服务端和客户端运行后,客户端发送了一次数据后,睡眠15秒,</p>
<p>10秒后服务器超时释放,而客户端到了15秒发送数据,这时服务端已经释放连接,发送数据失败,所以超时连接测试成功。</p>
</blockquote>
<h3><a id="3Http_3970"></a>3、Http服务器错误请求测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>/*给服务器发送一个数据,告诉服务器要发送1024字节的数据,但是实际发送的数据不足1024,查看服务器处理结果*/
/*
1. 如果数据只发送一次,服务器将得不到完整请求,就不会进行业务处理,客户端也就得不到响应,最终超时关闭连接
2. 连着给服务器发送了多次 小的请求, 服务器会将后边的请求当作前边请求的正文进行处理,而后便处理的时候有可能就会因为处理错误而关闭连接
*/#include "../server.hpp"int main()
{
Socket cli_sock;
cli_sock.CreateClient(7777, "127.0.0.1");
std::string req = "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 100\r\n\r\nbitejiuyeke";
while(1) {
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
char buf[1024] = {0};
assert(cli_sock.Recv(buf, 1023));
logger->debug("[%s]", buf);
sleep(3);
}
cli_sock.Close();
return 0;
}
</p></pre>
<p><img alt="image-20240303181147043" src="https://img-blog.csdnimg.cn/img_convert/0e392163add1be26ff516fdd8d4f2dde.png"/></p>
<blockquote>
<p><strong>注意</strong>:这里测试的时候出了一个bug,就是在测试服务器请求出错时,导致缓冲区频繁扩容,</p>
<p>因为在出错的时候,想要调用关闭连接的 *** 作,没有将状态码重新设置,如果状态码没有重新设置,</p>
<p>他就不会从缓存区提取数据,导致数据越来越多,导致缓冲区频繁扩容</p>
</blockquote>
<h3><a id="4HTTP_4008"></a>4、HTTP服务器业务处理超时测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>#include "../source/server.hpp"int main()
{
signal(SIGCHLD, SIG_IGN);
for (int i = 0; i < 10; i++) {
pid_t pid = fork();
if (pid < 0) {
DBG_LOG("FORK ERROR");
return -1;
}else if (pid == 0) {
Socket cli_sock;
cli_sock.CreateClient(8085, "127.0.0.1");
std::string req = "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 0\r\n\r\n";
while(1) {
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
char buf[1024] = {0};
assert(cli_sock.Recv(buf, 1023));
DBG_LOG("[%s]", buf);
}
cli_sock.Close();
exit(0);
}
}
while(1) sleep(1);
return 0;
}
</p></pre>
<blockquote>
<p>业务处理超时,查看服务器的处理情况<br/> 当服务器达到了一个性能瓶颈,在一次业务处理中花费了太长的时间(超过了服务器设置的非活跃超时时间)</p>
<pre><p style='background-color:black;color:white;padding:12px;'> 1. 在一次业务处理中耗费太长时间,导致其他的连接也被连累超时,其他的连接有可能会被拖累超时释放
假设现在 12345描述符就绪了, 在处理1的时候花费了30s处理完,超时了,导致2345描述符因为长时间没有刷新活跃度
1. 如果接下来的2345描述符都是通信连接描述符,如果都就绪了,则并不影响,因为接下来就会进行处理并刷新活跃度
2. 如果接下来的2号描述符是定时器事件描述符,定时器触发超时,执行定时任务,就会将345描述符给释放掉
这时候一旦345描述符对应的连接被释放,接下来在处理345事件的时候就会导致程序崩溃(内存访问错误)
因此这时候,在本次事件处理中,并不能直接对连接进行释放,而应该将释放 *** 作压入到任务池中,
等到事件处理完了执行任务池中的任务的时候,再去释放
</p></pre>
</blockquote>
<h3><a id="5HTTP_4051"></a>5、HTTP服务器同时多条请求测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>/*一次性给服务器发送多条数据,然后查看服务器的处理结果*/
/*每一条请求都应该得到正常处理*/#include "../server.hpp"int main()
{
Socket cli_sock;
cli_sock.CreateClient(7777, "127.0.0.1");
std::string req = "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 0\r\n\r\n";
req += "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 0\r\n\r\n";
req += "GET /hello HTTP/1.1\r\nConnection: keep-alive\r\nContent-Length: 0\r\n\r\n";
while(1) {
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
char buf[1024] = {0};
assert(cli_sock.Recv(buf, 1023));
logger->debug("[%s]", buf);
sleep(3);
}
cli_sock.Close();
return 0;
}
</p></pre>
<p><img alt="image-20240303192123254" src="https://img-blog.csdnimg.cn/img_convert/dfd182fde98e8598da2a9407051f0833.png"/></p>
<h3><a id="6HTTP_4080"></a>6、HTTP服务器大文件传输测试</h3>
<pre><p style='background-color:black;color:white;padding:12px;'>/*大文件传输测试,给服务器上传一个大文件,服务器将文件保存下来,观察处理结果*/
/*
上传的文件,和服务器保存的文件一致
*/
#include "../server.hpp"
#include "../Http/http.hpp"
int main()
{
Socket cli_sock;
cli_sock.CreateClient(7777, "127.0.0.1");
std::string req = "PUT /1234.txt HTTP/1.1\r\nConnection: keep-alive\r\n";
std::string body;
Util::ReadFile("./hello.txt", &body);
req += "Content-Length: " + std::to_string(body.size()) + "\r\n\r\n";
assert(cli_sock.Send(req.c_str(), req.size()) != -1);
assert(cli_sock.Send(body.c_str(), body.size()) != -1);
char buf[1024] = {0};
assert(cli_sock.Recv(buf, 1023));
logger->debug("[%s]", buf);
sleep(3);
cli_sock.Close();
return 0;
}
</p></pre>
<p><img alt="image-20240303193643236" src="https://img-blog.csdnimg.cn/img_convert/c6c2121932b349aac739358e714f885d.png"/></p>
<h3><a id="7_4110"></a>7、服务器压力测试说明</h3>
<p>性能压力测试:</p>
<p> 并发量:可以同时处理多少客户端的请求而不会出现连接失败</p>
<p> QPS:每秒钟处理的包的的数量</p>
<p>借助:webbench工具</p>
<p> 原理:创建大量的进程,在进程中,创建客户端连接服务器,发送请求,收到响应后关闭连接,开始下一个连接的建立</p>
<p>抛开环境说性能测试都是无知的</p>
<p> 测试环境:</p>
<p> 服务器是2核2g,3m的云服务器,服务器程序采⽤1主3从reactor模式</p>
<p> 使用webbench以5000的并发量,向服务器发送请求,发送60s</p>
<p> 得到的结果是:每分钟13万的并发量</p>
<p> <img alt="image-20240303195915060" src="https://img-blog.csdnimg.cn/img_convert/862a39274e32a0197700032c74eb7394.png"/></p>
<p><strong>虚拟机环境</strong></p>
<p>服务器环境:4核4G虚拟机,服务器程序采⽤1主3从reactor模式</p>
<p>webbench客⼾端环境:同⼀个虚拟机…</p>
<p><img alt="image-20240303200220033" src="https://img-blog.csdnimg.cn/img_convert/b0d514e068324f74ae846df80c48eb78.png"/></p>
</div>
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)