04功能之利用string容器的find和substr函数实现分割字符串
1 C++中string容器的find、substr函数:
1)size_t xxx.find(string &str,size_t count=0) :
从目标字符串中(即xxx调用者)查找str子串,找到返回首地址;没找到返回"string::npos"枚举。count代表从哪个下标开始找。
2)string xxx.substr(pos1, pos2):
截取目标字符串xxx,从下标pos1到pos2,返回该范围的字符串。
2 分割字符串的实现:
注:这里我只返回前半段,自己想要后半段的自己在保存一下即可。
// 利用string容器的find和substr分割字符串 并返回分隔符前的字符串
string SplitStr(const string &str, const string &split){
//为空无法分割
if ("" == str or "" == split){
return "";
}
//方便截取后一段数据 这里用不到
//string strAdd = str + split; //"a"+"b"="ab"
size_t pos = str.find(split); //返回分隔符第一次出现的下标 没找到返回string::npos
if (pos == string::npos) {
cout << "没找到分隔符" << endl;
return "";
}
string s1 = str.substr(0, pos);
return s1; //造成resVec为空:str为空或者没找到分隔符
}