string find函数
时间: 2023-09-28 15:05:46 浏览: 89
`std::string::find` 是一个字符串查找函数,可用于在一个字符串中查找子串的位置。它的函数原型为:
```c++
size_t find(const string& str, size_t pos = 0) const noexcept;
size_t find(const char* s, size_t pos = 0) const;
size_t find(const char* s, size_t pos, size_t n) const;
size_t find(char c, size_t pos = 0) const noexcept;
```
其中,参数 `str` 表示要查找的子串,参数 `pos` 表示从哪个位置开始查找,返回值是子串第一次出现的位置。如果未找到子串,则返回 `std::string::npos`。
例如:
```c++
#include <iostream>
#include <string>
int main() {
std::string str = "hello world";
std::string sub_str = "world";
size_t pos = str.find(sub_str);
if (pos != std::string::npos) {
std::cout << "Found at position " << pos << std::endl;
} else {
std::cout << "Not found" << std::endl;
}
return 0;
}
```
输出:
```
Found at position 6
```
阅读全文