- 当我们利用find函数完成对字符串的查找操作时,应注意:
查找字符串a是否包含子串b,不是用strA.find(strB) > 0 而是 strA.find(strB) != string:npos
其中string:npos是个特殊值,说明查找没有匹配
find函数在找不到指定值得情况下会返回string::npos。
string::npos
static member constant
static const size_t npos = -1;
Maximum value for size_t
- 注:string::npos参数
string::npos参数: npos是一个常数,用来表示不存在的位置,npos定义的类型是: string::size_type。
- npos定义为:static const size_type npos=-1; //定义
- 但是string::npos作为string的成员函数的一个长度参数时,表示“直到字符串结束(until the end of the string)”
tmpname.replace(idx+1, string::npos, suffix);
这里的string::npos就是一个长度参数,表示直到字符串的结束,配合idx+1表示,string的剩余部分。
#include <iostream>
#include <limits>
#include <string>
using namespace std;
int main()
{
string filename = "test.cpp";
cout << "filename : " << filename << endl;
size_t idx = filename.find('.'); //as a return value
if (idx == string::npos)
{
cout << "filename does not contain any period!" << endl;
}
else
{
string tmpname = filename;
tmpname.replace(idx + 1, string::npos, "xxx"); //string::npos作为长度参数,表示直到字符串结束
cout << "repalce: " << tmpname << endl;
}
}
//输出结果:filename : test.cpp
// repalce: test.xxx
-
find函数
find函数的返回值是整数,假如字符串存在包含关系,其返回值必定不等于npos,但如果字符串不存在包含关系,那么返回值一定是npos
if(s1.find(s2)!=string::npos){
cout<<"YES"<<endl;
}else{
cout<<"No"<<endl;
}
- 例子:华为OJ----字符个数统计
编写一个函数,计算字符串中含有的不同字符的个数。字符在ACSII码范围内(0-127)。不在范围内的不作统计。
输入:输入N个字符,字符在ACSII码范围内。
输出:输出范围在(0-127)字符的个数。
输入例子:abca
输出例子:3
//统计ACSII码值在(0-127)中不同字符的个数
#include<iostream>
#include<cstring>
#include<string>
using namespace std;
int main()
{
string str;
int num = 0;
getline(cin, str);
//int m;
//m = str.size();
for (int i = 0; i < 128; i++)
{
if (str.find(i) != string::npos)
num++;
}
cout << num;
return 0;
}