使用find函数可判断子串是否存在,若返回值不为String::npos则表示找到,例如text.find(“welcome”)返回7说明子串在位置7处被发现。

在c++中,查找字符串中是否包含某个子串是一个常见需求。最常用的方法是使用标准库std::string提供的find函数。这个函数功能强大、使用简单,能快速定位子串的位置。
find函数的基本用法
find是std::string类的一个成员函数,用于在字符串中搜索指定的内容。如果找到,返回子串首次出现的起始位置(从0开始的索引);如果未找到,返回常量std::string::npos。
基本语法如下:
size_t find(const string& str, size_t pos = 0) const;
立即学习“C++免费学习笔记(深入)”;
参数说明:
- str:要查找的子串
- pos:开始查找的位置,默认从索引0开始
返回值类型为size_t,表示位置索引。
实际使用示例
下面是一段演示如何使用find查找子串的代码:
#include <iostream>
#include <string>
using Namespace std;
int main() {
string text = “Hello, welcome to C++ programming!”;
string pattern = “welcome”;
size_t found = text.find(pattern);
if (found != string::npos) {
cout << “子串 ‘” << pattern << “‘ 在位置 ” << found << ” 找到。” << endl;
} else {
cout << “未找到子串。” << endl;
}
return 0;
}
输出结果:
子串 ‘welcome’ 在位置 7 找到。
查找更多内容和控制起始位置
find不仅支持查找字符串,还支持查找单个字符、C风格字符串(const char*),甚至可以指定查找的起始位置。
例如,查找字符’a’:
text.find(‘a’);
从第10个位置开始查找子串:
text.find(“C++”, 10);
这在需要多次查找相同子串时非常有用,比如循环查找所有匹配位置:
size_t pos = 0;
while ((pos = text.find(“ing”, pos)) != string::npos) {
cout << “找到 ‘ing’ 在位置: ” << pos << endl;
pos += 3; // 移动到下一个可能位置
}
基本上就这些。掌握find函数的使用,能有效处理大多数字符串查找问题,简洁又高效。注意判断返回值是否为string::npos,避免误读无效索引。