c语言用结构体指针数组排序学生成绩
时间: 2023-07-27 21:20:56 浏览: 132
好的,这里是一个使用结构体指针数组对学生成绩进行排序的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
// 定义学生结构体
typedef struct student {
char name[20]; // 学生姓名
double score; // 学生成绩
} Student;
// 冒泡排序函数
void bubbleSort(Student **students, int n)
{
int i, j;
Student *temp;
for (i = 0; i < n - 1; i++) {
for (j = 0; j < n - i - 1; j++) {
if (students[j]->score < students[j + 1]->score) {
temp = students[j];
students[j] = students[j + 1];
students[j + 1] = temp;
}
}
}
}
int main()
{
int n, i;
// 输入学生人数
printf("Enter the number of students: ");
scanf("%d", &n);
// 动态分配学生结构体指针数组内存
Student **students = (Student **)malloc(n * sizeof(Student *));
if (students == NULL) {
printf("Error: Failed to allocate memory for students!\n");
exit(EXIT_FAILURE);
}
// 输入学生信息
for (i = 0; i < n; i++) {
students[i] = (Student *)malloc(sizeof(Student));
if (students[i] == NULL) {
printf("Error: Failed to allocate memory for student %d!\n", i + 1);
exit(EXIT_FAILURE);
}
printf("Enter the name and score of student %d: ", i + 1);
scanf("%s %lf", students[i]->name, &students[i]->score);
}
// 对学生成绩进行排序
bubbleSort(students, n);
// 输出排序结果
printf("\nSorted list of students:\n");
for (i = 0; i < n; i++) {
printf("%s\t%.2lf\n", students[i]->name, students[i]->score);
}
// 释放动态分配的内存
for (i = 0; i < n; i++) {
free(students[i]);
}
free(students);
return 0;
}
```
在这个代码中,我们首先输入学生人数,然后动态分配一个学生结构体指针数组,用来存储每个学生的信息和成绩。接下来,我们输入每个学生的信息,并将学生结构体指针存储在指针数组中。然后,我们使用 `bubbleSort` 函数对学生成绩进行排序,并输出排序后的结果。最后,我们释放动态分配的内存。
希望这个示例代码能够帮到您。如果您还有其他问题或疑惑,请随时问我。
阅读全文