c语言

c语言结构体数组如何排序

小亿
146
2023-12-28 00:42:28
栏目: 编程语言

C语言中的结构体数组可以使用标准库函数qsort()进行排序。qsort()函数是C标准库中的一个快速排序函数,需要提供一个用于比较元素大小的比较函数。

下面是一个例子,演示如何使用qsort()函数对结构体数组按照某一属性进行排序:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

// 定义结构体
struct student {
    char name[20];
    int age;
    float score;
};

// 比较函数
int compare(const void *a, const void *b) {
    struct student *studentA = (struct student *)a;
    struct student *studentB = (struct student *)b;

    // 按照年龄升序排序
    if (studentA->age < studentB->age)
        return -1;
    else if (studentA->age > studentB->age)
        return 1;
    else
        return 0;
}

int main() {
    struct student students[3];

    // 初始化结构体数组
    strcpy(students[0].name, "Alice");
    students[0].age = 20;
    students[0].score = 85.6;

    strcpy(students[1].name, "Bob");
    students[1].age = 18;
    students[1].score = 92.3;

    strcpy(students[2].name, "Charlie");
    students[2].age = 22;
    students[2].score = 78.9;

    // 使用qsort()函数进行排序
    qsort(students, 3, sizeof(struct student), compare);

    // 打印排序后的结果
    for (int i = 0; i < 3; i++) {
        printf("Name: %s, Age: %d, Score: %.1f\n", students[i].name, students[i].age, students[i].score);
    }

    return 0;
}

在上面的例子中,我们定义了一个结构体student,包含了姓名、年龄和分数三个属性。然后定义了一个比较函数compare(),用于比较两个结构体的年龄大小。在main()函数中,我们初始化了一个包含三个学生的结构体数组students,然后使用qsort()函数对其进行排序。最后打印排序后的结果。

注意,在使用qsort()函数进行排序时,需要提供每个元素的大小(sizeof(struct student))和比较函数。比较函数需要返回一个整数值,表示两个元素的大小关系。返回值小于0表示第一个元素小于第二个元素,返回值大于0表示第一个元素大于第二个元素,返回值等于0表示两个元素相等。在本例中,我们按照年龄升序排序,所以比较函数根据年龄属性进行比较。

0
看了该问题的人还看了