c语言评委打分。校园KTV大奖赛中,评委会给参赛选手打分。选手得分规则为去掉一个最高分和一个最低分,然后计算平均得分,请编程输出某选手的得分。题目简化,不考虑有重复分数的问题。输入数据有多组,每组占一
时间: 2024-11-11 10:38:56 浏览: 5
在C语言中,为校园KTV大奖赛的选手打分可以使用数组存储评委们的评分,然后按照指定规则去除最高分和最低分,最后求平均得分。以下是一个简单的示例程序:
```c
#include <stdio.h>
#define NUM_JUDGES 5 // 假设评委人数
// 函数声明
double calculate_score(int scores[], int num_scores);
int main() {
int judges_scores[NUM_JUDGES]; // 存储评委评分
int num_ratings;
while (scanf("%d", &num_ratings) == 1 && num_ratings > 0) { // 输入评委人数
for (int i = 0; i < num_ratings; i++) {
scanf("%d", &judges_scores[i]); // 输入每个评委的评分
}
double average_score = calculate_score(judges_scores, num_ratings);
printf("选手得分: %.2f\n", average_score); // 输出平均得分,保留两位小数
// 清空输入
while (getchar() != '\n');
}
return 0;
}
// 计算并返回去掉最高分和最低分后的平均得分
double calculate_score(int scores[], int num_scores) {
if (num_scores < 2) {
printf("无法计算得分,至少需要两个评价。\n");
return 0.0;
}
// 排序评委评分
for (int i = 0; i < num_scores - 1; i++) {
for (int j = 0; j < num_scores - 1 - i; j++) {
if (scores[j] > scores[j + 1]) {
int temp = scores[j];
scores[j] = scores[j + 1];
scores[j + 1] = temp;
}
}
}
double sum = scores[0] + scores[num_scores - 1]; // 取中间两个分数相加
return (sum / 2.0);
}
```
在这个程序中,首先读取评委人数及每个人的评分,然后调用`calculate_score`函数计算平均得分,并打印结果。如果输入的数据不足两个,程序会给出错误提示。
阅读全文