std::stringstream 取出字符串
时间: 2023-12-14 12:03:22 浏览: 163
可以使用 `std::stringstream` 的 `str()` 方法来获取字符串流中的字符串。
以下是一个示例:
```c++
#include <iostream>
#include <string>
#include <sstream>
int main() {
std::stringstream ss;
ss << "Hello, world!" << std::endl;
std::string str = ss.str();
std::cout << "The string is: " << str;
return 0;
}
```
输出:
```
The string is: Hello, world!
```
在这个示例中,我们首先创建了一个 `std::stringstream` 对象 `ss`,并使用 `<<` 运算符将一个字符串和一个换行符插入到字符串流中。然后,我们使用 `str()` 方法将字符串流中的内容提取出来,并将其存储在 `std::string` 对象 `str` 中。最后,我们将这个字符串打印到标准输出中。
相关问题
从std::istream s为多行,每行为数字,循环取出各行
在C++中,如果你想要从`std::ifstream`或`std::stringstream`这样的输入流`std::istream`中逐行读取数字,并且每行都是数字,可以使用下面的步骤:
```cpp
#include <iostream>
#include <sstream>
#include <vector>
std::vector<int> read_numbers_from_stream(std::istringstream& iss) {
std::vector<int> numbers;
std::string line;
// 循环读取每一行直到空行
while (std::getline(iss, line)) {
if (!line.empty()) { // 检查是否为空行
int number;
// 尝试把字符串转换成整数
if (iss >> number) {
numbers.push_back(number);
} else {
// 如果转换失败,这可能是因为不是纯数字的行
std::cerr << "Invalid input: " << line << std::endl;
}
}
}
return numbers;
}
int main() {
std::ifstream file("numbers.txt"); // 替换为你的文件路径
std::istringstream iss(file);
// 使用上面的函数处理输入流
std::vector<int> numbers = read_numbers_from_stream(iss);
for (int n : numbers) {
std::cout << n << std::endl;
}
return 0;
}
```
这个程序会读取文件中的所有非空行,尝试将其转换为整数并存储在一个`std::vector<int>`中。如果遇到无法转换的行(如含有非数字字符),它会打印一条错误信息。
string将字符串根据空格分割
可以使用C++ STL中的stringstream来实现字符串的分割,具体代码如下:
```c++
#include <iostream>
#include <string>
#include <sstream>
#include <vector>
using namespace std;
int main() {
string str = "hello world welcome to cpp";
stringstream ss(str); // 将字符串转换成stringstream类型
vector<string> result; // 定义一个vector来存储分割后的字符串
string temp;
while (ss >> temp) { // 当stringstream还有值时,不断取出单词
result.push_back(temp); // 将单词存入vector中
}
for (auto s : result) { // 输出vector中的每个单词
cout << s << endl;
}
return 0;
}
```
运行结果:
```
hello
world
welcome
to
cpp
```
阅读全文