坚持走下去,坚持下去!男子汉要能忍! —题记
下面开始正题,C++中字符串的分割。 1. 使用strtok函数进行字符串的分割 2. 使用stringstream类配合getline函数进行字符串的分割 3. 使用STL的find函数以及字符串类的substr函数进行字符串分割
strtok函数介绍: 头文件:#include <string.h>
定义函数:char * strtok(char *s, const char *delim);
函数说明:strtok()用来将字符串分割成一个个片段。参数s 指向欲分割的字符串,参数delim 则为分割字符串,当strtok()在参数s 的字符串中发现到参数delim 的分割字符时则会将该字符改为\0 字符。在第一次调用时,strtok()必需给予参数s 字符串,往后的调用则将参数s 设置成NULL。每次调用成功则返回下一个分割后的字符串指针。
返回值:返回下一个分割后的字符串指针,如果已无从分割则返回NULL。
void splitWithStrtok(const char* str, const char* delim, vector<string>& ret)
{
char* strcopy = new char[strlen(str) + 1];
strcpy(strcopy, str);
char *word = strtok(strcopy, delim);
ret.push_back(word);
while (word = strtok(nullptr, delim))
ret.push_back(word);
delete[] strcopy;
}
getline函数介绍: 头文件:#include <string.h>
函数原型:istream& getline (istream& is, string& str, char delim);
函数说明:从is输入流中提取依次字符存存放到str中直到遇到delim字符或者换行符’\n’。
void splitWithStringStream(const string& str, char delim, vector<string>& ret)
{
stringstream ss(str);
string s;
while (getline(ss, s, delim))
{
ret.push_back(s);
}
}
最后一种方法就是便利字符串依次找分隔符,找到了就提取前一个分隔符到当前分隔符之间的子串。
void splitWithSTLFind(const string& str, const string& delim, vector<string>& ret)
{
size_t front = 0;
size_t back = str.find_first_of(delim, front);
while (back != string::npos)
{
ret.push_back(str.substr(front, back - front));
front = back + 1;
back = str.find_first_of(delim, front);
}
if (back - front > 0)
{
ret.push_back(str.substr(front, back - front));
}
}
最后,我们写一个函数测试一下吧!
int main()
{
const char* str = "3.14,5.0,12,0";
const char* delim = ",";
vector<string> vetnum;
splitWithStrtok(str, delim, vetnum);
cout << "使用strtok函数进行字符串分割:" << '\n';
for (auto iter = vetnum.begin(); iter != vetnum.end(); iter++)
cout << *iter << '\n';
vetnum.clear();
splitWithSTLFind(str, delim, vetnum);
cout << "使用STL的Find方法进行字符串分割:" << '\n';
for (auto iter = vetnum.begin(); iter != vetnum.end(); iter++)
cout << *iter << '\n';
vetnum.clear();
splitWithStringStream(str, delim[0], vetnum);
cout << "使用stringstream类进行字符串分割:" << '\n';
for (auto iter = vetnum.begin(); iter != vetnum.end(); iter++)
cout << *iter << '\n';
_CrtDumpMemoryLeaks();
return 0;
}
运行结果:
扫码关注腾讯云开发者
领取腾讯云代金券
Copyright © 2013 - 2025 Tencent Cloud. All Rights Reserved. 腾讯云 版权所有
深圳市腾讯计算机系统有限公司 ICP备案/许可证号:粤B2-20090059 深公网安备号 44030502008569
腾讯云计算(北京)有限责任公司 京ICP证150476号 | 京ICP备11018762号 | 京公网安备号11010802020287
Copyright © 2013 - 2025 Tencent Cloud.
All Rights Reserved. 腾讯云 版权所有