c语言编写程序,将输入的20名学生的成绩保存到数组中,求出其最高分、最低分及平均分。 输入格式: 11 12 23 36 48 56 72 78 89 96 78 89 90 100 78 89 56 67 45 98 输出格式: max=100.0 min=11.0 avg=65.6
时间: 2024-01-06 08:04:25 浏览: 388
C语言程序设计-统计出若干个学生的平均成绩,最高分以及得最高分的人数;
5星 · 资源好评率100%
以下是一个用C语言编写的程序,实现了输入20名学生的成绩并计算最高分、最低分和平均分的功能。代码如下:
```c
#include <stdio.h>
int main() {
float scores[20];
float max_score = 0, min_score = 100, sum_score = 0;
printf("请输入20名学生的成绩:\n");
for (int i = 0; i < 20; i++) {
scanf("%f", &scores[i]);
if (scores[i] > max_score) {
max_score = scores[i];
}
if (scores[i] < min_score) {
min_score = scores[i];
}
sum_score += scores[i];
}
printf("max=%.1f min=%.1f avg=%.1f\n", max_score, min_score, sum_score / 20);
return 0;
}
```
程序中,我们使用了一个长度为20的数组 `scores` 来保存输入的学生成绩。在循环输入学生成绩的过程中,同时计算出最高分、最低分和总分,以便后面输出平均分。最后,根据计算好的最高分、最低分和平均分,输出结果。
注意,程序中使用了浮点数类型 `float` 来保存学生成绩和计算平均分。同时,在输出结果时,我们使用了格式化输出 `%f` 来控制输出的小数位数。
阅读全文