7-5 通讯录排序 分数 10 作者 C课程组 单位 浙江大学 输入n个朋友的信息,包括姓名、生日、电话号码,本题要求编写程序,按照年龄从大到小的顺序依次输出通讯录。题目保证所有人的生日均不相同。 输入格式: 输入第一行给出正整数n(<10)。随后n行,每行按照“姓名 生日 电话号码”的格式给出一位朋友的信息,其中“姓名”是长度不超过10的英文字母组成的字符串,“生日”是yyyymmdd格式的日期,“电话号码”是不超过17位的数字及+、-组成的字符串。 输出格式: 按照年龄从大到小输出朋友的信息,格式同输出。C语言
时间: 2023-06-16 09:07:22 浏览: 862
```c
#include <stdio.h>
#include <string.h>
struct Friend {
char name[11];
char birth[9];
char phone[18];
int age;
} friends[10];
int n;
int get_age(char birth[]) {
int year, month, day;
sscanf(birth, "%4d%2d%2d", &year, &month, &day);
return 2021 - year;
}
int main() {
scanf("%d", &n);
for (int i = 0; i < n; i++) {
scanf("%s %s %s", friends[i].name, friends[i].birth, friends[i].phone);
friends[i].age = get_age(friends[i].birth);
}
// 冒泡排序,按照年龄从大到小排序
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - 1 - i; j++) {
if (friends[j].age < friends[j + 1].age) {
struct Friend temp = friends[j];
friends[j] = friends[j + 1];
friends[j + 1] = temp;
}
}
}
for (int i = 0; i < n; i++) {
printf("%s %s %s\n", friends[i].name, friends[i].birth, friends[i].phone);
}
return 0;
}
```
阅读全文