这部分会举几个实例简单介绍一下,比较常见的库函数用法。表示本人也是一个刚学C++不久的人,对各种库函数完全不熟。所以借着刷CCF顺便把做题常用的字符串处理方法和函数整理一下。
str.substr(0,5)
,获取从第0个字符开始的5个字符。string str = "#abcd";
string r = str.substr(0,1); //r="#";
string str = "12345";
str.erase(0,3); //擦除从1开始的3个字符,str = "45"
str.erase(1,1); //str = "1345"
str.erase(1); //擦除从第1个字符开始的所有字符,str = "1"
int find(char c, int pos = 0) const;//从pos开始查找字符c在当前字符串的位置
int find(const char *s, int pos = 0) const;//从pos开始查找字符串s在当前串中的位置
int find(const char *s, int pos, int n) const;//从pos开始查找字符串s中前n个字符在当前串中的位置
int find(const string &s, int pos = 0) const;//从pos开始查找字符串s在当前串中的位置
string str = "a b c d";
int pos = str.find(' '); //返回空格的位置,pos = 1;
string str = "a b c d";
int pos = str.find_first_of(' '); //pos = 1;
string str = "....abcd";
int pos = str.find_first_not_of('.'); //pos = 4
str.erase(0,str.find_first_not_of('.')); //去掉前缀‘.’,str = "abcd"
#include
#include
#include
string str = "hello world!";
string strarry[10];
stringstream ss(str);
int cnum = 0;
while (ss >> strarry[cnum]) {
cnum++;
}
regex split("\\s");
sregex_token_iterator
p(str.begin(),str.end(),split,-1);
sregex_token_iterator end;
vector words;
while(p!=end){
words.push_back(*p++);
}
s.erase(0,s.find_first_not_of(' '));//erase(pos,len)
s.erase(s.find_last_not_of(' ')+1,s.size());
regex htblank("^\\s+|\\s+$");
str = regex_replace(str,htblank,"");
//stl
int pos = s.find(" ");
while(pos!=-1){
s.replace(pos,2," ");
pos = s.find(" ");
}
regex midblank("\\s{2,}");
str = regex_replace(str,midblank," ");
regex notword("\\W");
sregex_token_iterator
p(s.begin(),s.end(),notword,-1);
sregex_token_iterator end;
string result;
while(p!=end){
result += *p++;
}
//一定要用新的字符串保存*p
/*原因:程序员负责确保传递给迭代器构造函数的 std::basic_regex 对象活得长于迭代器。因为迭代器存储指向 regex 的指针,故在销毁 regex 后自增迭代器会访问悬垂指针。*/
/*作者把s.clear()重用,结果就是第一个字符会变成空格,蜜汁调了很久*/
使用#include 里的transform(str.begin(),str.end(),str.begin(),::tolower),参考c++中常用的大小写转换
#include
#include
string str1,str2;
str1 = "ABcdEFG";
str2 = "ABcdEFG";
//change str1 to "abcdefg"
transform(str1.begin(),str1.end(),str1.begin(),::tolower);
//change str2 to "ABCDEFG"
transform(str2.begin(),str2.end(),str2.begin(),::toupper);