转载:C++中std::string::npos_VoladorL的博客-CSDN博客
std::string::npos
(1)它是一个常量静态成员值,对于 size_t 类型的元素具有最高可能值。
(2)它实际上意味着直到字符串的末尾。
(3)它用作字符串成员函数中长度参数的值。(4)作为返回值,它通常用于表示没有匹配项。
(5)数据类型为size_t的话string:npos常量被定义为-1,因为size_t是无符号整数类型,-1是该类型的最大可能表示值。
使用示例
作为没有匹配项的示例
#include <iostream>
#include <string>
using namespace std;
int main()
{
string str = "I am cver";
size_t index = str.find('.');
if(index == string::npos)
{
cout << "This does not contain any period!" << endl;
cout << index << endl;
}
}
输出
This does not contain any period!
18446744073709551615
作字符串成员函数中长度参数的值
#include <iostream>
#include <string>
using namespace std;
int main()
{
string str = "I am cver.";
size_t index = str.find('.');
if(index == string::npos)
{
cout << "This does not contain any period!" << endl;
cout << index << endl;
}
else
{
str.replace(index, string::npos, "!");
cout << str << endl;
cout << index << endl;
}
}
输出:
I am cver!
9