我正在用流协议编写服务器,所以我需要做一些事情,比如找到标题的结尾,复制它,然后解析提升缓冲区中的其他东西。当我发现使用字符串进行操作(在其中查找字符串、使用迭代器复制/删除等)的最佳方法是 std::string。但我正在使用 char 数组缓冲区。所以我需要有两个缓冲区 - char 数组和 std::string - 每次我需要使用缓冲区进行操作时,我都需要将 char 数组转换为 std::string,做我的事情,然后将其转换回来使用 std::string.c_str() 转换为 char 数组。我发现的另一种方法是使用 streambuf(正如我在上一个问题中所问的那样),然后为其创建istream /ostream 并将其中的内容填充到 std::string (如文档中所示)。使用 streambuf 我需要:
streambuf
mutable_buffers_type
istream
ostream
和 std::string
但是使用 char 数组和 std::string 我只需要:
char array
std::string
所以我认为使用 streambuf 是浪费内存(我需要为每个连接创建缓冲区)。我可以使用 std::string 作为增强缓冲区吗?但是我认为可能有更好的方法来做到这一点。你能给我一个建议吗?
编辑:
我需要用我的缓冲区做这样的事情,但是 char 数组不提供像 std::string (erase, substr, ...) 这样的功能,所以我需要使用 std::string 作为缓冲区。将其用作 boost::buffer 的最佳方法是什么,或者像此代码那样解析的最佳方法是什么?
#include <iostream>
int main(int argc, char* argv[])
{
//"header" is header
//"end" is marking that this point is end of header
//"data" is data after header
//this all is sent in one packet which I receive to buffer
//I need to fill "headerend" to std::string header and then remove "headerend" from begining of buffer
//then continue parsing "data" which stay in buffer
std::string buffer = "headerenddata"; //I receive something like this
std::string header; //here I'll fill header (including mark of end of header)
//find end of header and include also mark of end of header which is "end" (+3)
int endOfHeader = int(buffer.find("end"))+3;
//fill header from buffer to string header
header = buffer.substr(0, endOfHeader);
//delete header from input buffer and keep data in it for next parsing
buffer.erase(buffer.begin(), buffer.begin()+endOfHeader);
//will be just "data" becouse header and mark of header are removed
std::cout << buffer << std::endl;
//will be "headerend" which is "header" and mark end of header which is "end"
std::cout << header << std::endl;
return 0;
}