结构体带字符型怎么冒泡排序
时间: 2024-09-12 22:10:19 浏览: 36
在C语言中,如果结构体包含字符型的数据,我们需要先定义一个结构体,并假设我们有一个结构体`Person`,它有名字`name`和年龄`age`两个成员。冒泡排序结构体数组时,我们会按照名字这个字符型字段来进行比较。以下是冒泡排序的基本步骤:
```c
#include <stdio.h>
#include <string.h>
// 定义结构体 Person
typedef struct {
char name[50];
int age;
} Person;
// 冒泡排序函数,传入结构体数组
void bubbleSort(Person arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (strcmp(arr[j].name, arr[j + 1].name) > 0) { // 使用 strcmp 比较字符串
// 交换 arr[j] 和 arr[j+1]
Person temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
// 测试排序
int main() {
Person people[] = {
{"Tom", 20},
{"Jerry", 25},
{"Alice", 18}
};
int n = sizeof(people) / sizeof(people[0]);
bubbleSort(people, n);
printf("Sorted People:\n");
for (int i = 0; i < n; i++) {
printf("%s, %d\n", people[i].name, people[i].age);
}
return 0;
}
阅读全文