std::string 查找子串
时间: 2024-03-30 14:31:22 浏览: 350
std::string是C++标准库中的一个类,用于处理字符串。它提供了一系列的成员函数,其中包括查找子串的功能。
要查找子串,可以使用std::string的成员函数find()或rfind()。find()函数从字符串的开头开始查找子串,而rfind()函数从字符串的末尾开始查找子串。这两个函数都返回子串在字符串中的位置,如果找不到则返回std::string::npos。
下面是一个示例代码,演示如何使用find()函数查找子串:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str = "Hello, world!";
std::string subStr = "world";
size_t pos = str.find(subStr);
if (pos != std::string::npos) {
std::cout << "子串在位置:" << pos << std::endl;
} else {
std::cout << "未找到子串 << std::endl;
}
return 0;
}
```
输出结果为```
子串在位置:7
```
相关问题
std::string::copy, std::string::find, std::basic_stringbuf<char>::str(), std::basic_ios<char>::widen(char), std::ostream::operator<<(int)
这些是 C++ 标准库中几个不同类和成员函数的简要介绍:
1. `std::string::copy`:这个成员函数用于将源字符串的一部分复制到目标字符串指定的位置。它接受两个参数,一个是源字符串,另一个是目标字符串以及起始位置,返回的是目标字符串的新结束位置。
示例:
```cpp
std::string source = "Hello";
std::string dest("World");
dest.copy(source.begin() + 1, source.end());
```
2. `std::string::find`:查找给定子串在字符串中的位置,如果找到则返回子串的第一个字符的索引,未找到则返回 `npos`。注意它区分大小写。
示例:
```cpp
std::string str("Hello World");
size_t pos = str.find("World"); // 返回6,因为"World"从索引6开始
```
3. `std::basic_stringbuf<char>::str()`:这是 `basic_stringbuf` 类的一个方法,通常用在缓冲区(如输入/输出流缓冲)操作后获取其存储的内容作为一个可修改的`std::string`。它是一个读取操作,不会改变原始缓冲区的状态。
4. `std::basic_ios<char>::widen(char)`:此函数用于将单个字符转换为宽字符(通常是 UTF-16 或 UTF-32),以便于处理多字节字符集。它扩展了基本 I/O 流类,支持不同编码格式的文本处理。
5. `std::ostream::operator<<(int)`:这是 `std::ostream` 类的一个重载运算符,当向流(如 `cout`)中插入整数时被调用,将整数值输出到流中,便于格式化输出。
例如,打印一个整数:
```cpp
int num = 123;
std::cout << num; // 输出 "123"
```
这些都是 C++ 字符串和流操作中常用的函数或运算符,它们各自服务于不同的功能需求。
std::string 中 查找 子字符串
在 C++ 的 `std::string` 类型中,查找子字符串通常通过 `find` 函数或者 `substr` 函数配合来完成。以下是两个常见操作:
1. **`find` 函数**:
- `size_t find(const string& str, size_t pos = 0) const;`
这个函数返回目标子串 "str" 在原字符串中第一次出现的位置(从 `pos` 开始计数,如果找不到则返回 `npos`)。例如:
```cpp
std::string myStr = "Hello, World!";
size_t index = myStr.find("World");
if (index != std::string::npos)
std::cout << "Found at position: " << index << std::endl;
```
2. **`substr` 函数**:
- `string substr(size_t pos = 0, size_t len = npos) const;`
可以用于获取原字符串从指定位置开始到指定长度的子串。若未提供长度,则直到字符串结束。比如:
```cpp
std::string subStr = myStr.substr(myStr.find("World") + 6); // 获取 "World!" 部分
```
注意,`find` 返回的是子串的起始位置,而 `substr` 则是从这个位置提取子串。
阅读全文