如何在c++中实现字符串分割函数split详解
前⾔
在学习c++中string相关基本⽤法的时候,发现了sstream的istringstream[1]可以将字符串类似于控制台的⽅式进⾏输⼊,⽽实质上这个⾏为等同于利⽤空格将⼀个字符串进⾏了分割,于是考虑到可以利⽤这个特性来实现c++库函数中没有的字符串分割函数split
string src("Avatar 123 5.2 Titanic K");
istringstream istrStream(src); //建⽴src到istrStream的联系
string s1, s2;
int n; double d; char c;
istrStream >> s1 >> n >> d >> s2 >> c;
//以空格为分界的各数值则输⼊到了对应变量上
实现细节
⽬的是可以像js中⼀样,调⽤⼀个函数即可以⽅便地获取到处理完毕后的字符串数组,根据c++的实际情况再进⾏参数调整。
1. 输⼊输出:
string* split(int& length, string str, const char token = ' ')
返回:处理完的字符串数组的⾸地址
传⼊:字符串str、分隔符token(默认参数为空格)、以及引⽤参数length,指明处理完毕后动态分配的数组长度
2. 数据透明处理:
由于istringstream会像cin⼀样,把空格视为数据间的界限,所以当分隔符不是空格时,需要将传⼊的分隔符换为空格,并且要提前对原有空格进⾏数据透明处理
字符替换利⽤了库algorithm中的replace() [2]
const char SPACE = 0;
if(token!=' ') {
// 先把原有的空格替换为ASCII中的不可见字符
replace(str.begin(), d(), ' ', SPACE);
// 再把分隔符换位空格,交给字符串流处理
replace(str.begin(), d(), token, ' ');
}
假设输⼊字符串为:"a b,c,d,e,f g"
分隔符为⾮空格:','
则被替换为:"aSPACEb c d e fSPACEg"
3. 数据分割:
//实例化⼀个字符串输⼊流,输⼊参数即待处理字符串
istringstream i_stream(str);
//将length置零
length = 0;
queue<string> q;
//⽤⼀个string实例s接收输⼊流传⼊的数据,⼊队并计数
string s;
while (i_stream>>s) {
q.push(s);
length++;
}
4. 数组⽣成:
/
/根据计数结果动态开辟⼀个字符串数组空间
string* results = new string[length];
//将队列中的数据转⼊数组中
for (int i = 0; i < length; i++) {
results[i] = q.front();
//将替换掉的空格进⾏还原
if(token!=' ') replace(results[i].begin(), results[i].end(), SPACE, ' ');
q.pop();
}
完整代码
#include <iostream>
#include <string>
#include <queue>
#include <sstream>
#include <algorithm>
using namespace std;
string* split(int& length, string str,const char token = ' ') {
const char SPACE = 0;
if(token!=' ') {
replace(str.begin(), d(), ' ', SPACE);
replace(str.begin(), d(), token, ' ');
}
istringstream i_stream(str);
queue<string> q;
length = 0;
string s;
while (i_stream>>s) {
字符串比较函数实现q.push(s);
length++;
}
string* results = new string[length];
for (int i = 0; i < length; i++) {
results[i] = q.front();
q.pop();
if(token!=' ') replace(results[i].begin(), results[i].end(), SPACE, ' ');
}
return results;
}
//测试:
int main() {
int length;
string* results = split(length, "a b,c,d,e,f g", ',');
for (int i = 0; i < length; i++) cout<<results[i]<<endl;
return 0;
}
参考
[1]
[2]
总结
以上就是这篇⽂章的全部内容了,希望本⽂的内容对⼤家的学习或者⼯作具有⼀定的参考学习价值,谢谢⼤家对的⽀持。
版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。
发表评论