目前土木专业4个班共87人,要选出一个同学作为“创新之星”,候选人有五人,请将五个人名字输入到字符数组,然后每人一票,即输入一个姓名,可以弃权不投票,最后打印五位候选人的姓名和票数。按照票数降序打印
时间: 2024-05-06 09:17:37 浏览: 41
下面是一个简单的实现,使用了 unordered_map 来统计票数,并使用 vector 来存储候选人的姓名,最后按照票数降序排序并打印:
```cpp
#include <iostream>
#include <unordered_map>
#include <vector>
#include <algorithm>
using namespace std;
int main() {
string candidates[] = {"张三", "李四", "王五", "赵六", "钱七"};
unordered_map<string, int> votes;
vector<string> names(candidates, candidates + 5);
int num_voters = 87;
for (int i = 0; i < num_voters; i++) {
string name;
cout << "请输入投票人选择的候选人姓名(可弃权):";
cin >> name;
if (name.empty()) {
continue;
}
if (votes.find(name) == votes.end()) {
votes[name] = 1;
} else {
votes[name]++;
}
}
sort(names.begin(), names.end(), [&](string a, string b) {
return votes[a] > votes[b];
});
cout << "候选人票数排名:" << endl;
for (string name : names) {
cout << name << ":" << votes[name] << " 票" << endl;
}
return 0;
}
```
注意,这个实现只是一个简单的示例,还有很多可以改进的地方。例如可以加入输入校验,确保输入的姓名在候选人列表内,避免非法输入。
阅读全文