oj问题 H: 文件操作 - 插入数据
时间: 2024-05-16 13:18:35 浏览: 109
文件有关操作
这道题目的大致思路如下:
1. 首先读入原有文件中的数据,并将其保存到一个数组中;
2. 读入要插入的数据,并将其插入到数组中相应的位置;
3. 将数组中的数据写回到原有文件中。
下面是一个可能的实现:
```c++
#include <iostream>
#include <fstream>
#include <vector>
using namespace std;
struct Record {
int id;
string name;
int age;
};
int main() {
// 读入原有文件中的数据
vector<Record> records;
ifstream fin("data.txt");
if (fin.is_open()) {
int id, age;
string name;
while (fin >> id >> name >> age) {
records.push_back({id, name, age});
}
fin.close();
}
// 读入要插入的数据
Record new_record;
cin >> new_record.id >> new_record.name >> new_record.age;
// 将新数据插入到数组中相应的位置
int pos = -1;
for (int i = 0; i < records.size(); ++i) {
if (records[i].id > new_record.id) {
pos = i;
break;
}
}
if (pos == -1) {
records.push_back(new_record);
} else {
records.insert(records.begin() + pos, new_record);
}
// 将数组中的数据写回到原有文件中
ofstream fout("data.txt");
if (fout.is_open()) {
for (const auto& record : records) {
fout << record.id << " " << record.name << " " << record.age << "\n";
}
fout.close();
}
return 0;
}
```
其中,我们定义了一个 `Record` 结构体来表示每一条记录,然后使用一个 `vector` 来保存所有的记录。在读入原有文件中的数据时,我们使用了文件读取流 `ifstream`,在写回到文件中时,我们使用了文件写入流 `ofstream`。读入要插入的数据时,我们直接使用标准输入流 `cin`。
在将新数据插入到数组中时,我们首先需要找到相应的位置。这里我们使用了一种简单的方法,即遍历数组,找到第一个 ID 大于新数据 ID 的位置,然后将新数据插入到该位置。如果没有找到这样的位置,说明新数据 ID 是最大的,我们将其追加到数组末尾即可。在将新数据插入到数组中时,我们使用了 `vector` 的 `insert` 方法。
最后,我们将数组中的数据写回到原有文件中。在写回到文件中时,我们使用了 `ofstream` 的输出流运算符 `<<`。由于每条记录都需要以一行的形式写入文件,因此我们在输出时需要加上换行符 `\n`。
希望这个解答能够帮助到你!
阅读全文