c语言结构体冒泡排序
时间: 2023-12-04 12:41:38 浏览: 122
C语言之冒泡排序详细讲解
以下是C语言结构体冒泡排序的示例代码:
```c
#include <stdio.h>
#include <string.h>
struct student {
char name[50];
int score;
};
void bubbleSort(struct student arr[], int n) {
int i, j;
struct student temp;
for (i = 0; i < n - 1; i++) {
for (j = 0; j < n - i - 1; j++) {
if (arr[j].score > arr[j + 1].score) {
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int i, n;
printf("Enter the number of students: ");
scanf("%d", &n);
struct student arr[n];
for (i = 0; i < n; i++) {
printf("Enter the name of student %d: ", i + 1);
scanf("%s", arr[i].name);
printf("Enter the score of student %d: ", i + 1);
scanf("%d", &arr[i].score);
}
bubbleSort(arr, n);
printf("Sorted list of students:\n");
for (i = 0; i < n; i++) {
printf("%s - %d\n", arr[i].name, arr[i].score);
}
return 0;
}
```
该程序首先定义了一个结构体`student`,其中包含学生的姓名和分数。然后,定义了一个`bubbleSort`函数,该函数使用冒泡排序算法对结构体数组进行排序。最后,在`main`函数中,程序提示用户输入学生的数量和每个学生的姓名和分数,然后调用`bubbleSort`函数对学生数组进行排序,并输出排序后的结果。
阅读全文