编写一个c语言程序从键盘输入一个日期,要求计算该日期是这一年的第几天
时间: 2024-12-20 08:30:54 浏览: 10
C语言案例:键盘输入年月日,计算这一天是这一年的第几天.docx
编写C语言程序来计算给定日期是一年中的第几天,通常涉及到闰年的判断。以下是简单的步骤和代码示例:
1. 定义一个函数,接受年份、月份和日期作为参数。
2. 判断是否是闰年。闰年规则:能被4整除的年份是闰年,但是能被100整除的不是,除非同时也能被400整除。
3. 计算每个月的天数,考虑二月特殊情况(平年28天,闰年29天)。
4. 根据给定的日期逐月累加天数。
下面是一个基础的代码示例:
```c
#include <stdio.h>
// Function to check if a year is leap
int is_leap(int year) {
return (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
}
// Calculate days in each month
int days_in_month(int month, int year) {
switch(month) {
case 1: case 3: case 5: case 7: case 8: case 10: case 12:
return 31;
case 4: case 6: case 9: case 11:
return 30;
case 2:
return is_leap(year) ? 29 : 28;
default:
return -1; // Invalid month
}
}
// Main function
int main() {
int year, month, day;
printf("Enter the date (YYYY-MM-DD): ");
scanf("%d-%d-%d", &year, &month, &day);
// Ensure input is valid
if(month > 12 || day > days_in_month(month, year)) {
printf("Invalid date.\n");
return 1;
}
int total_days = 0;
for(int i = 1; i < month; ++i) {
total_days += days_in_month(i, year);
}
total_days += day;
printf("The given date is the %dth day of %d.\n", total_days, year);
return 0;
}
```
阅读全文