假设某班级n个同学的选课表,设计计算某位同学学分的函数 思路:动态内存分配+结构体数组+结构体指针变量 选课表组成:{学号,课程号,学分}。注:学号为字符串;一个学号可以对应多门课程 例如: {“1001”,”c language”,3.5; “1001”,”math”,6;”1001”,”english”, 5;”1002”,”c language”, 3.5}c语言编程
时间: 2024-03-12 09:46:28 浏览: 53
好的,以下是一个完整的 C 语言程序,实现了您所需的功能:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
struct Course {
char student_id[20];
char course_id[20];
float credit;
};
struct Course *courses;
int num_courses;
void load_courses() {
// 假设选课表数据已经存储到了一个名为data的数组中
char data[][3][20] = {
{"1001", "c language", 3.5},
{"1001", "math", 6},
{"1001", "english", 5},
{"1002", "c language", 3.5}
};
num_courses = sizeof(data) / sizeof(data[0]);
courses = (struct Course*) malloc(num_courses * sizeof(struct Course));
for (int i = 0; i < num_courses; i++) {
strcpy(courses[i].student_id, data[i][0]);
strcpy(courses[i].course_id, data[i][1]);
courses[i].credit = atof(data[i][2]);
}
}
float calculate_credit(char *student_id) {
float credit = 0.0;
for (int i = 0; i < num_courses; i++) {
if (strcmp(courses[i].student_id, student_id) == 0) {
credit += courses[i].credit;
}
}
return credit;
}
int main() {
load_courses();
char student_id[20];
printf("请输入学号:");
scanf("%s", student_id);
float credit = calculate_credit(student_id);
printf("%s的学分为:%.2f\n", student_id, credit);
free(courses);
return 0;
}
```
在这个程序中,我们首先定义了一个结构体 `Course`,表示选课表的一项记录,包括学号、课程号和学分。然后,我们定义了一个结构体指针变量 `courses` 和一个整数变量 `num_courses` 来存储选课表中的数据。
接着,我们编写了一个函数 `load_courses()`,用于从数据源(这里是一个静态数组)中读取选课表数据,并将其存储到动态分配的结构体数组 `courses` 中。
最后,我们编写了一个函数 `calculate_credit()`,用于计算指定学号的学生的学分,它会遍历所有的选课记录,找到与给定学号匹配的记录,并累加学分。
在 `main()` 函数中,我们调用了 `load_courses()` 函数加载选课表数据,然后提示用户输入学号,调用 `calculate_credit()` 函数计算学分,并输出结果。最后,我们释放了动态分配的内存。
注意,这个程序中的选课表数据是硬编码在程序中的,实际应用中应该从文件或数据库中读取数据。
阅读全文