用c++编写:读取文件nameList中候选人名单,随机抽取三位候选人作为获奖者,将获奖人信息输出到屏幕上同时保存到文件winner.txt
时间: 2023-06-27 19:07:17 浏览: 82
以下是用c++编写的代码:
```cpp
#include <iostream>
#include <fstream>
#include <vector>
#include <algorithm>
using namespace std;
int main()
{
// 打开名单文件
ifstream ifs("nameList.txt");
if (!ifs.is_open()) {
cerr << "Failed to open nameList.txt" << endl;
return 1;
}
// 读取名单并存储到vector中
vector<string> names;
string name;
while (getline(ifs, name)) {
names.push_back(name);
}
// 关闭文件
ifs.close();
// 随机打乱vector中的元素
random_shuffle(names.begin(), names.end());
// 选择前三个元素作为获奖者
vector<string> winners(names.begin(), names.begin() + 3);
// 输出获奖者信息到屏幕上
cout << "Winners:\n";
for (const auto& winner : winners) {
cout << winner << endl;
}
// 将获奖者信息保存到文件winner.txt中
ofstream ofs("winner.txt");
if (!ofs.is_open()) {
cerr << "Failed to create winner.txt" << endl;
return 1;
}
for (const auto& winner : winners) {
ofs << winner << endl;
}
// 关闭文件
ofs.close();
return 0;
}
```
在上述代码中,我们首先打开名单文件,读取其中的候选人名单,并存储到vector中。然后使用C++中的random_shuffle函数打乱vector中的元素,接着选择前三个元素作为获奖者。将获奖者信息输出到屏幕上,并且将获奖者信息保存到文件winner.txt中。最后关闭文件并退出程序。
阅读全文