#include <string>
是 C++ 中用于包含 std::string
类的头文件。std::string
是 C++ 标准库中的一个类,提供了一种方便和强大的方式来处理文本字符串。它是 C++ 标准库中的常用工具,用来替代 C 语言中的字符数组(char[]
)来进行字符串操作。
1. #include <string>
2. std::string
类
std::string
是一个封装好的类,提供了比传统 C 风格字符串(char[]
)更高级的字符串操作。C++ 标准库中的 std::string
类位于 std
命名空间中。
3. 常用的 std::string
成员函数
-
构造函数:可以从 C 风格字符串、另一个字符串、字符等创建
std::string
对象。
std::string s1("Hello"); // 通过 C 字符串构造
std::string s2 = s1; // 拷贝构造
std::string s3(5, 'a'); // 创建一个包含 5 个字符 'a' 的字符串
长度和大小:
size()
或length()
返回字符串的长度(字符数)。
std::string s = "Hello";
size_t len = s.size(); // len = 5
字符串拼接:
- 可以使用
+
运算符或append()
函数将两个字符串拼接在一起。
std::string s1 = "Hello";
std::string s2 = " World";
std::string s3 = s1 + s2; // "Hello World"
查找和子串:
find()
用于查找子字符串的位置,substr()
用于提取子字符串。
std::string s = "Hello World";
size_t pos = s.find("World"); // pos = 6
std::string sub = s.substr(0, 5); // sub = "Hello"
比较:
std::string
提供了==
、!=
、<
等运算符来比较字符串的内容。
std::string s1 = "abc";
std::string s2 = "def";
if (s1 == s2) {// 比较字符串内容
}
4.使用示例
#include <iostream>
#include <string>int main() {std::string greeting = "Hello";std::string name = "Alice";std::string message = greeting + ", " + name + "!"; // 字符串拼接std::cout << message << std::endl; // 输出: Hello, Alice!// 查找子字符串size_t pos = message.find("Alice");if (pos != std::string::npos) {std::cout << "'Alice' found at position: " << pos << std::endl;}return 0;
}