首页 > 代码库 > C++字符串操作

C++字符串操作

今天写一个小程序的时候遇到了一个在一个长的字符串中提取有用信息的问题,在这个问题中我用到了find的相关函数和substr函数解决的,记录如下:

#include<iostream>#include <map>#include <string>using namespace std;int main(){    char name[40] = "=host-name=lixin";    char mec[40] = "=mec-address=28:E0:2C:A8:58:C1";    string hostname = name;    string mecaddress = mec;    cout << hostname << endl;    cout << mecaddress << endl;    string str = hostname.substr(hostname.find_last_of("=") + 1);    cout << str << endl;    string str1 = mecaddress.substr(mecaddress.find_last_of("=") + 1);    cout << str1 << endl;    return 0;}

这段代码是在连个长字符串中分别提取mac和用户名。知识点总结如下:

substr的例子:

#include <string>#include <iostream> int main(){    std::string a = "0123456789abcdefghij";     std::string sub1 = a.substr(10);    std::cout << sub1 << \n;     std::string sub2 = a.substr(5, 3);    std::cout << sub2 << \n;     std::string sub3 = a.substr(12, 100);    std::cout << sub3 << \n; }

find的用法总结:

查找第一次出现的目标字符串:

int main(){     string s1 = "abcdef" ;      string s2 = "de" ;     int ans = s1.find(s2) ; //在s1中查找子串s2     cout<<ans<<endl;     system("pause");}//说明:如果查找成功则输出查找到的第一个位置,否则返回-1 ;

查找从指定位置开始的第一次出现的目标字符串:

int main(){     string s1 = "adedef" ;      string s2 = "de" ;     int ans = s1.find(s2,2) ; //从s1的第二个字符开始查找子串s2     cout<<ans<<endl;     system("pause");}

find_first_of()

查找子串中的某个字符最先出现的位置。find_first_of()不是全匹配,而find()是全匹配

 

int main(){     string s1 = "adedef" ;      string s2 = "dek" ;     int ans = s1.find_first_of(s2) ; //从s1的第二个字符开始查找子串s2     cout<<ans<<endl;     system("pause");}//其中find_first_of()也可以约定初始查找的位置:  s1.find_first_of(s2 , 2) ;

find_last_of()

find_first_of()是从字符串的前面往后面搜索,而find_last_of()是从字符串的后面往前面搜索。

rfind()

反向查找字符串,即找到最后一个与子串匹配的位置。

 

find_first_not_of()

 

找到第一个不与子串的位置。