C语言青年歌手大奖赛中,评委会给参赛选手打分。选手得分规则为去掉一个最高分和一个最低分,然后计算平均得分,请编程输出某选手的得分的代码
时间: 2024-09-22 18:02:02 浏览: 81
在C语言中,你可以使用数组存储评委的打分,然后按照题目要求去除最高分和最低分,最后求平均得分。这里是一个简单的示例代码:
```c
#include <stdio.h>
#define NUM_JUDGES 5 // 假设有5位评委
// 假设评委分数已经存在scores数组中
int scores[NUM_JUDGES];
void remove_extreme_scores(int* scores, int size) {
if (size < 2) {
printf("Error: Not enough scores to remove.\n");
return;
}
// 找到最高分和最低分的索引
int max_index = 0, min_index = 0;
for (int i = 1; i < size; i++) {
if (scores[i] > scores[max_index])
max_index = i;
if (scores[i] < scores[min_index])
min_index = i;
}
// 去掉最高分和最低分
if (max_index != 0)
scores[max_index] = scores[size-1]; // 最高分替换为最后一个分数
if (min_index != 0)
scores[min_index] = scores[1]; // 最低分替换为第一个分数
scores[size-1] = scores[size-2]; // 最后的分数覆盖被替换的分数
size -= 2; // 减少有效评分的数量
}
double calculate_average_score(int* scores, int size) {
if (size == 0) {
printf("Error: No valid scores left after removing extremes.\n");
return 0;
}
double sum = 0;
for (int i = 0; i < size; i++)
sum += scores[i];
return sum / size;
}
int main() {
// 初始化并设置评委得分
for (int i = 0; i < NUM_JUDGES; i++) {
scanf("%d", &scores[i]);
}
remove_extreme_scores(scores, NUM_JUDGES);
double average = calculate_average_score(scores, NUM_JUDGES - 2);
printf("The average score of the contestant is %.2f.\n", average);
return 0;
}
```
这段代码首先读入评委的打分,然后调用`remove_extreme_scores`函数去除最高分和最低分,接着计算剩余得分的平均值。请注意,这个程序假设输入的是整数得分。在实际应用中,你可能需要添加错误处理和其他验证机制。
阅读全文