#include <iostream>#include <fstream>#include <vector>#include <string>using namespace std;class MyData {public: string str; int i; float f; MyData(string s, int n, float x) : str(s), i(n), f(x) {}};int main() { vector<MyData> data_vec; ifstream infile("data.txt"); if (!infile.is_open()) { cout << "Failed to open file." << endl; return 1; } string s; int n; float x; while (infile >> s >> n >> x) { MyData d(s, n, x); data_vec.push_back(d); } infile.close(); // 对数据进行操作 for (auto& d : data_vec) { d.i += 10; } // 将数据写回文件 ofstream outfile("output.txt"); for (const auto& d : data_vec) { outfile << d.str << " " << d.i << " " << d.f << endl; } outfile.close(); return 0;}上述代码如何改为读取文件中多行数据
时间: 2024-03-23 19:43:59 浏览: 76
要读取文件中多行数据,可以使用Python中的文件操作,使用`open()`函数打开文件,然后逐行读取文件内容。
以下是一个读取文件中多行数据的示例代码:
```cpp
#include <iostream>
#include <fstream>
#include <vector>
#include <string>
using namespace std;
class MyData {
public:
string str;
int i;
float f;
MyData(string s, int n, float x) : str(s), i(n), f(x) {}
};
int main() {
vector<MyData> data_vec;
ifstream infile("data.txt");
if (!infile.is_open()) {
cout << "Failed to open file." << endl;
return 1;
}
string line;
while (getline(infile, line)) {
// 对每一行数据进行处理
string s;
int n;
float x;
istringstream iss(line);
if (iss >> s >> n >> x) {
MyData d(s, n, x);
data_vec.push_back(d);
}
}
infile.close();
// 对数据进行操作
for (auto& d : data_vec) {
d.i += 10;
}
// 将数据写回文件
ofstream outfile("output.txt");
for (const auto& d : data_vec) {
outfile << d.str << " " << d.i << " " << d.f << endl;
}
outfile.close();
return 0;
}
```
这段代码会打开名为`data.txt`的文件,并逐行读取文件内容。每一行数据都会被赋值给变量`line`,可以对该变量进行处理。使用`istringstream`将每一行数据分解为字符串、整数、浮点数三个部分,并生成一个`MyData`对象,将该对象添加到`data_vec`向量中。
与读取单行数据的代码相比,读取多行数据的代码只需要在`while`循环中使用`getline()`函数逐行读取数据,并使用`istringstream`对每一行数据进行处理即可。
对`data_vec`向量中的数据进行操作的代码与读取单行数据的代码相同,不需要做出修改。将数据写回文件的代码也与读取单行数据的代码相同,不需要做出修改。
阅读全文