用C语言打印月历,要求 1) 年份和月份由键盘输入,打印的月历按星期一到星期日排列:2)注意大小月、闰年等问题并给出流程图吗?
时间: 2024-02-12 14:08:27 浏览: 77
好的,下面是一个简单的流程图,它展示了打印月历的基本流程:
```
开始
输入年份和月份
计算该月的天数
计算该月的第一天是星期几
打印月历头部(星期一到星期日)
打印月历内容
结束
```
接下来,我会给你提供一个根据上述流程图编写的示例代码。注意,这个代码和上一个问题中的代码基本一致,只不过加入了从键盘输入年份和月份的部分。下面是示例代码:
```
#include <stdio.h>
#include <stdlib.h>
int is_leap_year(int year) {
return (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
}
int get_month_days(int year, int month) {
int days = 0;
switch (month) {
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
days = 31;
break;
case 4:
case 6:
case 9:
case 11:
days = 30;
break;
case 2:
days = is_leap_year(year) ? 29 : 28;
break;
default:
break;
}
return days;
}
void print_calendar(int year, int month) {
int days = get_month_days(year, month);
int first_day = (year - 1) * 365 + (year - 1) / 4 - (year - 1) / 100 + (year - 1) / 400;
for (int i = 1; i < month; i++) {
first_day += get_month_days(year, i);
}
int week_day = (first_day + 1) % 7; // 1月1日是星期一
printf("日 一 二 三 四 五 六\n");
for (int i = 0; i < week_day; i++) {
printf(" ");
}
for (int i = 1; i <= days; i++) {
printf("%2d ", i);
week_day++;
if (week_day == 7) {
printf("\n");
week_day = 0;
}
}
printf("\n");
}
int main() {
int year, month;
printf("请输入年份和月份(用空格隔开):");
scanf("%d %d", &year, &month);
printf("%d年%d月的月历如下所示:\n", year, month);
print_calendar(year, month);
return 0;
}
```
希望这个示例代码和流程图能够帮到你。如果还有其他问题,可以继续问我。
阅读全文