c++取出从文件中读取一行字符串中的数据
时间: 2023-07-04 15:04:59 浏览: 224
文件读取和写入,以及字符串截取的C++程序
5星 · 资源好评率100%
可以使用C++中的字符串流(stringstream)来实现取出一行字符串中的数据。
假设我们有以下文件data.txt,其中每一行是以空格分隔的三个整数:
```
1 2 3
4 5 6
7 8 9
```
代码示例:
```cpp
#include <iostream>
#include <fstream>
#include <sstream>
#include <string>
using namespace std;
int main() {
ifstream infile("data.txt"); // 打开文件
string line;
while (getline(infile, line)) { // 逐行读取文件
istringstream iss(line); // 使用字符串流读取当前行
int a, b, c;
if (iss >> a >> b >> c) { // 将字符串流中的数据读取到变量中
cout << "a = " << a << ", b = " << b << ", c =" << c << endl;
}
}
infile.close(); // 关闭文件
return 0;
}
```
输出结果:
```
a = 1, b = 2, c = 3
a = 4, b = 5, c = 6
a = 7, b = 8, c = 9
```
以上代码中,我们使用`ifstream`打开文件,然后使用`getline`逐行读取文件内容,再使用`istringstream`将当前行的字符串转换成字符串流。最后,我们使用`>>`运算符将字符串流中的数据读取到变量中。需要注意的是,如果当前行的格式不符合我们期望的格式,读取数据可能会失败,因此需要进行一定的错误处理。
阅读全文