std::string使用大全,详细举例
时间: 2024-01-11 18:02:48 浏览: 136
std::string 是 C++ 标准库中的一个常用字符串类,提供了许多操作和功能。下面是 std::string 的使用大全,包括详细的举例说明:
1. 创建和初始化:
```cpp
#include <string>
std::string str1; // 创建一个空的字符串
std::string str2 = "Hello"; // 使用字符串字面值初始化
std::string str3(str2); // 使用一个现有的字符串进行拷贝构造
std::string str4(5, 'X'); // 创建一个包含 5 个 'X' 的字符串
```
2. 获取和修改字符:
```cpp
std::string str = "Hello";
char first = str[0]; // 获取第一个字符
char last = str.back(); // 获取最后一个字符
str[0] = 'J'; // 修改第一个字符为 'J'
str.push_back('!'); // 在末尾添加一个字符
str.pop_back(); // 删除末尾的一个字符
// 使用迭代器遍历字符串
for (std::string::iterator it = str.begin(); it != str.end(); ++it) {
std::cout << *it << " ";
}
```
3. 拼接和连接字符串:
```cpp
std::string str1 = "Hello";
std::string str2 = "World";
std::string result = str1 + " " + str2; // 字符串拼接
str1 += str2; // 将 str2 连接到 str1 的末尾
result.append("!"); // 在末尾添加字符串
result.insert(5, " C++"); // 在指定位置插入字符串
result.erase(6, 4); // 删除指定位置的一段字符串
```
4. 查找和替换子字符串:
```cpp
std::string str = "Hello, world!";
size_t found = str.find("world"); // 查找子字符串的位置
if (found != std::string::npos) {
std::cout << "Substring found at position: " << found << std::endl;
}
str.replace(7, 5, "C++"); // 替换指定位置的子字符串
```
5. 获取字符串的长度和子串:
```cpp
std::string str = "Hello, world!";
int length = str.length(); // 获取字符串的长度
std::string sub1 = str.substr(0, 5); // 获取从位置 0 开始的 5 个字符的子串
std::string sub2 = str.substr(7); // 获取从位置 7 开始到末尾的子串
```
6. 其他常用操作:
```cpp
std::string str = " Hello, World! ";
str = str + "C++"; // 去除首尾空格
str.erase(0, str.find_first_not_of(' '));
str.erase(str.find_last_not_of(' ') + 1);
std::transform(str.begin(), str.end(), str.begin(), ::tolower); // 将字符串转换为小写
if (str.empty()) {
std::cout << "String is empty" << std::endl;
}
```
这些是 std::string 的常用操作和功能,你可以根据实际需要进行进一步的学习和使用。
阅读全文