一、解析请求行(通过指针方式解析非 sscanf 方式)
>>http get请求报文的格式
请求行\r\n
请求头\r\n
空行(\r\n)
提示: 每项信息之间都需要一个\r\n,是由http协议规定
************************************************
************************************************
>>http post请求报文的格式
请求行\r\n
请求头\r\n
空行(\r\n)
请求体
提示: 请求体就是浏览器发送给服务器的数据
?(1)在Buffer.h新增一个函数,叫?bufferFindCRLF函数,其功能是:根据\r\n取出一行,找到其在数据块中的位置,返回该位置
// 根据\r\n取出一行,找到其在数据块中的位置,返回该位置
char* bufferFindCRLF(struct Buffer* buf);
// CRLF表示\r\n
char* bufferFindCRLF(struct Buffer* buf) {
// strstr --> 从大字符串中去匹配子字符串(遇到\0结束)
// memmem --> 从大数据块中去匹配子数据块(需要指定数据块大小)
char* ptr = memmem(buf->data + buf->readPos,bufferReadableSize(buf),"\r\n",2);
return ptr;
}
(2)HttpRequest.h??新增一个函数,叫?parseHttpRequestLine函数,用于解析请求行
// 解析请求行
bool parseHttpRequestLine(struct HttpRequest* req,struct Buffer* readBuf);
// 解析请求行
bool parseHttpRequestLine(struct HttpRequest* req,struct Buffer* readBuf) {
// 读取请求行
char* end = bufferFindCRLF(readBuf);
// 保存字符串起始位置
char* start = readBuf->data + readBuf->readPos;
// 保存字符串结束地址
int lineSize = end - start;
if(lineSize>0) {
// get /xxx/xx.txt http/1.1
// 请求方式
char* space = memmem(start,lineSize," ",1);
assert(space!=NULL);
int methodSize = space - start;
req->method = (char*)malloc(methodSize + 1);
strncpy(req->method,start,methodSize);
req->method[methodSize] = '\0';
// 请求静态资源
start = space + 1;
space = memmem(start,end-start," ",1);
assert(space!=NULL);
int urlSize = space - start;
req->url = (char*)malloc(urlSize + 1);
strncpy(req->url,start,urlSize);
req->url[urlSize] = '\0';
// http 版本
start = space + 1;
req->version = (char*)malloc(end-start + 1);
strncpy(req->version,start,end-start);
req->version[end-start] = '\0';
// 解析请求行完毕,为解析请求头做准备
readBuf->readPos += lineSize;
readBuf->readPos += 2;
// 修改状态 解析请求头
req->curState = ParseReqHeaders;
return true;
}
retrun false;
}
二、优化解析请求行代码
未完待续~