c++s.find()
时间: 2024-04-24 20:23:30 浏览: 68
C++STL中algorithm里find()函数
`std::string::find()` 是 C++ 中的一个函数,用于在字符串中查找一个子字符串,并返回第一次出现的位置。它的语法如下:
```cpp
size_t find(const std::string& str, size_t pos = 0) const;
```
其中,`str` 是要查找的子字符串,`pos` 是可选参数,指定开始查找的位置,默认为 0。
该函数返回一个 `size_t` 类型的值,表示子字符串第一次出现的位置。如果找不到子字符串,则返回 `std::string::npos`。
以下是一个例子:
```cpp
#include <iostream>
#include <string>
int main() {
std::string s = "Hello, world!";
std::string sub = "world";
size_t position = s.find(sub);
if (position != std::string::npos) {
std::cout << "Found at position: " << position << std::endl;
} else {
std::cout << "Not found!" << std::endl;
}
return 0;
}
```
这个例子中,我们在字符串 `s` 中查找子字符串 "world"。如果找到,就输出子字符串第一次出现的位置;如果找不到,则输出 "Not found!"。
阅读全文