此题是要求实现一个学生成绩管理系统v5.0,某班有最多不超过30人(具体人数由键盘输入),参加期末考试,最多不超过6门(具体门数由键盘输入)。参考学生成绩管理系统v4.0,定义结构体类型,用结构体数组作参数,编程实现如下菜单驱动的学生成绩管理系统: (1)录入每个学生的学号、姓名和各科考试成绩; (2)计算每门课的总分和平均分; (3)计算每个学生的总分和平均分; (4)按每个学生的总分由高到低排出名次表; (5)按每个学生的总分由低到高排出名次表;
时间: 2024-01-14 18:03:01 浏览: 161
好的,我了解这个题目。针对你的问题,我可以给出以下代码实现,帮助你更好地理解:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_NUM 30 // 最大学生数
#define MAX_COURSE 6 // 最大科目数
// 学生结构体
typedef struct student {
char id[10]; // 学号
char name[20]; // 姓名
int score[MAX_COURSE]; // 各科成绩
int total_score; // 总分
float avg_score; // 平均分
} Student;
// 录入学生信息
void input(Student *stu, int num, int course_num) {
int i, j;
for (i = 0; i < num; i++) {
printf("请输入第%d个学生的学号、姓名和各科成绩(用空格分隔):\n", i + 1);
scanf("%s%s", stu[i].id, stu[i].name);
for (j = 0; j < course_num; j++) {
scanf("%d", &stu[i].score[j]);
stu[i].total_score += stu[i].score[j];
}
stu[i].avg_score = (float)stu[i].total_score / course_num;
}
}
// 计算每门课的总分和平均分
void calc_course_score(Student *stu, int num, int course_num, int *course_total_score, float *course_avg_score) {
int i, j;
for (j = 0; j < course_num; j++) {
course_total_score[j] = 0;
for (i = 0; i < num; i++) {
course_total_score[j] += stu[i].score[j];
}
course_avg_score[j] = (float)course_total_score[j] / num;
}
}
// 计算每个学生的总分和平均分
void calc_student_score(Student *stu, int num) {
int i;
for (i = 0; i < num; i++) {
stu[i].total_score = 0;
int j;
for (j = 0; j < MAX_COURSE; j++) {
stu[i].total_score += stu[i].score[j];
}
stu[i].avg_score = (float)stu[i].total_score / MAX_COURSE;
}
}
// 按每个学生的总分由高到低排出名次表
void sort_by_total_score_desc(Student *stu, int num) {
int i, j;
for (i = 0; i < num - 1; i++) {
for (j = 0; j < num - i - 1; j++) {
if (stu[j].total_score < stu[j + 1].total_score) {
Student tmp = stu[j];
stu[j] = stu[j + 1];
stu[j + 1] = tmp;
}
}
}
}
// 按每个学生的总分由低到高排出名次表
void sort_by_total_score_asc(Student *stu, int num) {
int i, j;
for (i = 0; i < num - 1; i++) {
for (j = 0; j < num - i - 1; j++) {
if (stu[j].total_score > stu[j + 1].total_score) {
Student tmp = stu[j];
stu[j] = stu[j + 1];
stu[j + 1] = tmp;
}
}
}
}
// 输出名次表
void print_rank_table(Student *stu, int num) {
printf("名次\t学号\t姓名\t总分\t平均分\n");
int i;
for (i = 0; i < num
阅读全文