欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

一年中的第几天

程序员文章站 2024-03-16 14:26:28
...

根据输入的年月日,计算它是这一年的第几天

【分析】
根据输入的年(year)、月(month)、日(day),首先根据年份判断这一年是闰年还是平年,如果是闰年,则2月时29天,否则2月为28天,然后累加前month-1个月的天数,最后加上day就是这一年的第几天。

code:

#include <stdio.h>
#include <iostream>
const int leapYear[12] = { 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 };
const int noLeapYear[12] = { 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 };
int isLeapYear(int iYear)
{//判断是否为闰年
	if (iYear < 0)
		return 0;
	if (!(iYear % 400))
		return 1;
	if (!(iYear % 100))
		return 0;
	if (!(iYear % 4))
		return 1;
	return 0;
}
int GetDayInYear(int iYear, int iMonth, int iDay)
{//计算某年某月某日是一年中的第几天
	int i;
	int iCurMonth = iMonth - 1;
	int iIndex = 0;
	if (iYear < 0)
		return -1;
	if (iMonth > 13 || iMonth < 1)
		return -1;
	if (isLeapYear(iYear))//闰年
	{
		for (i = 0; i < iCurMonth; i++)
		{
			iIndex += leapYear[i];
		}
		if (iDay > leapYear[i] || iDay < 1)
			return -1;
		iIndex += iDay;
	}
	else//不是闰年
	{
		for (i = 0; i < iCurMonth; i++)
		{
			iIndex += noLeapYear[i];
		}
		if (iDay > noLeapYear[i] || iDay < 1)
			return -1;
		iIndex += iDay;
	}
	return iIndex;
}
void main()
{
	int year, month, day;
	printf("请输入年、月、日:");
	scanf("%d%d%d", &year, &month, &day);
	printf("%d年%d月%d日是这年的第%d天.\n", year, month, day, GetDayInYear(year, month, day));
	system("pause");
}

结果:

一年中的第几天