编写程序,将输入的20名学生的成绩保存到数组中,求出其最高分、最低分及平均分C语言代码
时间: 2024-06-06 18:09:04 浏览: 193
#include <stdio.h>
int main() {
int scores[20];
int sum = 0;
int max = 0;
int min = 100;
// 输入成绩
for (int i = 0; i < 20; i++) {
printf("请输入第%d个学生的成绩:", i+1);
scanf("%d", &scores[i]);
// 求和
sum += scores[i];
// 求最高分
if (scores[i] > max) {
max = scores[i];
}
// 求最低分
if (scores[i] < min) {
min = scores[i];
}
}
// 求平均分
float average = (float)sum / 20.0;
// 输出结果
printf("最高分:%d\n", max);
printf("最低分:%d\n", min);
printf("平均分:%f\n", average);
return 0;
}
相关问题
c语言编写程序,将输入的20名学生的成绩保存到数组中 求出其最高分、最低分及平均分
在C语言中,你可以按照以下步骤来编写程序,用于输入20名学生的成绩,并计算最高分、最低分以及平均分:
1. 定义数组和变量:
```c
#include <stdio.h>
#define MAX_STUDENTS 20
int scores[MAX_STUDENTS];
int highest_score = 0;
int lowest_score = INT_MAX; // 使用INT_MAX作为初始值以防溢出
float total_score = 0.0f;
```
2. 输入学生分数:
```c
for (int i = 0; i < MAX_STUDENTS; i++) {
printf("请输入第%d名学生的成绩:", i + 1);
scanf("%d", &scores[i]);
if (scores[i] > highest_score) {
highest_score = scores[i];
}
if (scores[i] < lowest_score) {
lowest_score = scores[i];
}
total_score += scores[i];
}
```
3. 计算平均分:
```c
total_score /= (float)MAX_STUDENTS; // 将总分转换为浮点数并除以学生总数得到平均分
```
4. 输出结果:
```c
printf("最高分: %d\n", highest_score);
printf("最低分: %d\n", lowest_score);
printf("平均分: %.2f\n", total_score); // 保留两位小数
```
完整的代码示例:
```c
#include <stdio.h>
#define MAX_STUDENTS 20
int main() {
int scores[MAX_STUDENTS];
int highest_score = 0;
int lowest_score = INT_MAX;
float total_score = 0.0f;
for (int i = 0; i < MAX_STUDENTS; i++) {
printf("请输入第%d名学生的成绩:", i + 1);
scanf("%d", &scores[i]);
if (scores[i] > highest_score) {
highest_score = scores[i];
}
if (scores[i] < lowest_score) {
lowest_score = scores[i];
}
total_score += scores[i];
}
total_score /= (float)MAX_STUDENTS;
printf("最高分: %d\n", highest_score);
printf("最低分: %d\n", lowest_score);
printf("平均分: %.2f\n", total_score);
return 0;
}
```
编写程序,将输入的10名学生的成绩保存到数组中,求出其最高分、最低分及平均分C语言代码
可以参考以下代码:
```c
#include <stdio.h>
int main() {
int scores[10]; // 定义包含10个元素的整型数组
int max_score = 0, min_score = 100, sum_score = 0;
// 输入10名学生的成绩
printf("请依次输入10名学生的成绩:\n");
for (int i = 0; i < 10; i++) {
scanf("%d", &scores[i]);
if (scores[i] > max_score) max_score = scores[i]; // 更新最高分
if (scores[i] < min_score) min_score = scores[i]; // 更新最低分
sum_score += scores[i]; // 累加成绩
}
// 计算平均分
float avg_score = (float)sum_score / 10;
// 输出结果
printf("最高分为:%d\n", max_score);
printf("最低分为:%d\n", min_score);
printf("平均分为:%.2f\n", avg_score);
return 0;
}
```
这段代码用一个包含10个元素的整型数组来保存学生的成绩。程序会提示用户逐一输入成绩,并在输入过程中同时更新最高分和最低分,以及累加成绩用于求平均分。最后通过除以10求平均分,并输出结果。
阅读全文