说明:
在源串中从位置pos起往后查找,只要在源串中遇到一个字符,该字符与目标串中任意一个字符相同,就停止查找,返回该字符在源串中的位置;若匹配失败,返回npos。
示例(仅给出部分原型的实例,对于其余原型,相信读者有能力仿照前边关于find()的实例来自行写代码测试和学习):
#include<iostream>
#include<string>
using namespace std;
int main()
{
//测试size_type find_first_of (charT c, size_type pos = 0) const noexcept;
string str("babccbabcc");
cout << str.find('a', 0) << endl;//1
cout << str.find_first_of('a', 0) << endl;//1 str.find_first_of('a', 0)与str.find('a', 0)
//测试size_type find_first_of (const basic_string& str, size_type pos = 0) const noexcept;
string str1("bcgjhikl");
string str2("kghlj");
cout << str1.find_first_of(str2, 0) << endl;//从str1的第0个字符b开始找,b不与str2中的任意字符匹配;再找c,c不与str2中的任意字符匹配;再找g,
//g与str2中的g匹配,于是停止查找,返回g在str1中的位置2
//测试size_type find_first_of (const charT* s, size_type pos, size_type n) const;
cout << str1.find_first_of("kghlj", 0, 20);//2 尽管第3个参数超出了kghlj的长度,但仍能得到正确的结果,可以认为,str1是和"kghlj+乱码"做匹配
return 0;
}
应用举例:
//将字符串中所有的元音字母换成*
//代码来自C++ Reference,地址:
#include<iostream>
#include<string>
using namespace std;
int main()
{
std::string str("PLease, replace the vowels in this sentence by asterisks.");
std::string::size_type found = str.find_first_of("aeiou");
while (found != std::string::npos)
{
str[found] = '*';
found = str.find_first_of("aeiou", found + 1);
}
std::cout << str << '\n';
return 0;
}
//运行结果:
//PL**s* r*pl*c* th* v*w*ls *n th*s s*nt*nc* by *st*r*sks
4.find_last_of()
原型:
//string (1)
size_type find_last_of (const basic_string& str, size_type pos = npos) const noexcept;
//c-string (2)
size_type find_last_of (const charT* s, size_type pos = npos) const;
//buffer (3)
size_type find_last_of (const charT* s, size_type pos, size_type n) const;
//character (4)
size_type find_last_of (charT c, size_type pos = npos) const noexcept;
说明:
该函数与find_first_of()函数相似,只不过查找顺序是从指定位置向前,这里仅简单举例,不再赘述,读者可参考find_first_of()自行学习。
示例:
#include<iostream>
#include<string>
using namespace std;
int main()
{
//测试size_type find_last_of (const charT* s, size_type pos = npos) const;
//目标串中仅有字符c与源串中的两个c匹配,其余字符均不匹配
string str("abcdecg");
cout << str.find_last_of("hjlywkcipn", 6) << endl;//5 从str的位置6(g)开始想前找,g不匹配,再找c,c匹配,停止查找,返回c在str中的位置5
cout << str.find_last_of("hjlywkcipn", 4) << endl;//2 从str的位置4(e)开始想前找,e不匹配,再找d,d不匹配,再找c,c匹配,停止查找,
// 返回c在str中的位置5
cout << str.find_last_of("hjlywkcipn", 200) << endl;//5 当第2个参数超出源串的长度(这里str长度是7)时,不会出错,相当于从源串的最后一
// 个字符起开始查找
return 0;
}
5.find_first_not_of()
原型: