在 C++ 中,字符串(String)是一种用于表示和操作文本数据的数据类型。C++ 提供了 `std::string` 类来处理字符串,它是 C++ 标准库中的一个强大且易于使用的字符串类型。
`std::string` 类提供了许多成员函数和操作符,用于处理字符串的操作,包括字符串的连接、查找、替换、比较、提取子串等。下面是一些常见的 `std::string` 操作示例:
#include <iostream>
#include <string>
int main() {
std::string str1 = "Hello";
std::string str2 = "World";
// 字符串连接
std::string result = str1 + " " + str2;
std::cout << result << std::endl; // 输出:Hello World
// 获取字符串长度
std::cout << "Length: " << result.length() << std::endl; // 输出:Length: 11
// 查找子串
std::size_t found = result.find("World");
if (found != std::string::npos) {
std::cout << "Substring found at index " << found << std::endl; // 输出:Substring found at index 6
}
// 替换子串
result.replace(0, 5, "Hi");
std::cout << result << std::endl; // 输出:Hi World
// 比较字符串
if (str1 == str2) {
std::cout << "Strings are equal" << std::endl;
} else {
std::cout << "Strings are not equal" << std::endl; // 输出:Strings are not equal
}
// 提取子串
std::string sub = result.substr(3, 5);
std::cout << sub << std::endl; // 输出:World
return 0;
}
`std::string` 类的使用使得字符串处理更加方便和灵活,避免了手动处理字符数组的长度和内存管理。它还支持自动调整大小、动态分配内存等功能,使得字符串的操作更加安全和高效。可以参考 C++ 标准库的文档以获取更多关于 `std::string` 类的详细信息和功能。