在linux操作系统上,要进行网络通信,若是使用底层接口,会使代码变得较为繁琐,libevent向用户提供了更为方便易用的接口,隐藏了较多的细节,使得代码更加简洁明了。
使用libevent可以先了解epoll反应堆的内部原理,二者有着类似的底层逻辑,以下是使用libevent制作简单服务器的代码。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <sys/socket.h>
#include <netinet/ip.h>
#include <netinet/in.h>
#include <arpa/inet.h>
#include <fcntl.h>
#include <event2/event.h>
//用于找到需要释放的客户端连接
struct ev_un
{
struct event* ev;
int fd;
}ev_buf[128];
//寻找客户端连接结点
struct event** find_ev(int sockfd);
//读数据使用的回调函数
void read_cb(evutil_socket_t fd, short events, void* arg);
//接收客户端连接使用的回调函数
void conn_cb(evutil_socket_t fd, short events, void* arg);
//绑定端口
void Bind(int sockfd, const char* ipaddr, int port);
//主程序入口
int main(int argc, char* argv[])
{
//初始化
memset(ev_buf, 0, sizeof(ev_buf));
//创建监听文件描述符
int fd = socket(AF_INET, SOCK_STREAM, 0);
//创建失败则返回
if(fd <= 0) return -1;
//将fd与对应的ip和端口绑定
Bind(fd, "127.0.0.1", 8888);
//开始监听
listen(fd, 128);
//创建地基(类似于epoll_create)
struct event_base* base = event_base_new();
//创建fd结点, base作为参数传入回调函数中
struct event* ev = event_new(base, fd, EV_READ | EV_PERSIST, conn_cb, base);
//添加结点
event_add(ev, NULL);
//开始事件循环,实际上是一个while循环反复处理的过程
event_base_dispatch(base);
//循环退出之后,释放空间
event_base_free(base);
event_free(ev);
return 0;
}
struct event** find_ev(int sockfd)
{
int i;
for(i = 0;i < 128;i++)
{
if(ev_buf[i].fd == sockfd) return &ev_buf[i].ev;
else continue;
}
return NULL;
}
void read_cb(evutil_socket_t fd, short event, void* arg)
{
char buf[1024];
memset(buf, 0, sizeof(buf));
int n = 0;
//读取数据到buf中
n = read(fd, buf, sizeof(buf));
//若连接关闭或异常
if(n <= 0)
{
close(fd);
struct event** ev = find_ev(fd);
event_del(*ev);
//数组对应结点置空
*ev = NULL;
}
}
void conn_cb(evutil_socket_t fd, short event, void* arg)
{
//获取参数
struct event_base* base = (struct event_base*)arg;
//接收客户端连接
int client_fd = accept(fd, NULL, NULL);
//创建新的结点
struct event* ev = event_new(base, client_fd, EV_READ | EV_PERSIST, read_cb, NULL);
//加入结点
event_add(ev, NULL);
//记录加入的结点
int i;
for(i = 0; i < 128; i++)
{
if(ev_buf[i].ev == NULL)
{
ev_buf[i].ev = ev;
ev_buf[i].fd = client_fd;
break;
}
}
}
void Bind(int sockfd, const char* ipaddr, int port)
{
struct sockaddr_in serv;
serv.sin_family = AF_INET;
serv.sin_port = port;
inet_pton(AF_INET, ipaddr, &serv.sin_addr.s_addr);
bind(sockfd, (struct sockaddr*)&serv, sizeof(serv));
}