c语言编写输入n个朋友的信息,包括姓名、生日、电话号码,本题要求编写程序,按照年龄从大到小的顺序依次输出通讯录。题目保证所有人的生日均不相同。 输入格式: 输入第一行给出正整数n(<10)。随后n行,每行按照“姓名 生日 电话号码”的格式给出一位朋友的信息,其中“姓名”是长度不超过10的英文字母组成的字符串,“生日”是yyyymmdd格式的日期,“电话号码”是不超过17位的数字及+、-组成的字符串。 输出格式: 按照年龄从大到小输出朋友的信息,格式同输出。
时间: 2024-01-24 21:19:32 浏览: 144
C语言实现的生日祝福放烟花源码和小程序
以下是C语言代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_N 10 // 最多10个朋友
// 朋友结构体
struct Friend {
char name[11]; // 姓名
char birthday[9]; // 生日
char phone[18]; // 电话号码
};
// 比较两个日期字符串的大小,如果s1早于s2,则返回负数,否则返回正数
int compare_birthday(const char *s1, const char *s2) {
int year1 = atoi(s1);
int year2 = atoi(s2);
if (year1 != year2) {
return year2 - year1;
}
int month1 = atoi(s1 + 4);
int month2 = atoi(s2 + 4);
if (month1 != month2) {
return month2 - month1;
}
int day1 = atoi(s1 + 6);
int day2 = atoi(s2 + 6);
return day2 - day1;
}
// 比较两个朋友的年龄大小,如果f1年龄大于f2,则返回1,否则返回0
int compare_age(const struct Friend *f1, const struct Friend *f2) {
return compare_birthday(f1->birthday, f2->birthday) < 0;
}
// 冒泡排序
void bubble_sort(struct Friend friends[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (compare_age(&friends[j], &friends[j + 1])) {
// 交换位置
struct Friend temp = friends[j];
friends[j] = friends[j + 1];
friends[j + 1] = temp;
}
}
}
}
int main() {
int n;
struct Friend friends[MAX_N];
scanf("%d", &n);
for (int i = 0; i < n; i++) {
scanf("%s %s %s", friends[i].name, friends[i].birthday, friends[i].phone);
}
bubble_sort(friends, n);
for (int i = 0; i < n; i++) {
printf("%s %s %s\n", friends[i].name, friends[i].birthday, friends[i].phone);
}
return 0;
}
```
输入样例:
```
3
Tom 19900510 12345678901
Jerry 19921011 +86-18812345678
Lucy 19880101 400-8888-8888
```
输出样例:
```
Jerry 19921011 +86-18812345678
Tom 19900510 12345678901
Lucy 19880101 400-8888-8888
```
阅读全文