如果我有两个日期,那么我会在天数内得到它们之间的差异,就像这篇文章一样。
如何在以下视图中详细说明:
将天数转换为 ( number of years,number of months and the rest in the number of days
)
对此没有开箱即用的解决方案。问题是数据不是“固定的”,例如并非所有年份都是 365 天(闰年为 366 天),也不是每个月都可以假定为标准 30 天。
在没有上下文的情况下很难计算出这类信息。但是,您有一个以天为单位的持续时间,以准确计算您需要确切知道这些天数的年/月数,即在哪一个月和哪一年 - 这将允许您确定该月的确切天数和/或年份。
根据您的意见和以下条件
然后下面的代码将完成这项工作
DateTime startDate = new DateTime(2010, 1, 1);
DateTime endDate = new DateTime(2013, 1, 10);
var totalDays = (endDate - startDate).TotalDays;
var totalYears = Math.Truncate(totalDays / 365);
var totalMonths = Math.Truncate((totalDays % 365) / 30);
var remainingDays = Math.Truncate((totalDays % 365) % 30);
Console.WriteLine("Estimated duration is {0} year(s), {1} month(s) and {2} day(s)", totalYears, totalMonths, remainingDays);
你不能,因为它取决于开始日期,即 30 天可能是 1 个月 1 天,或 1 个月 2 天,或少于一个月或 365 天将少于一年,如果它是闰年
正如前面的答案中提到的,仅仅几天就很难解决这个问题。闰年和月中的天数存在问题。如果您从原始的两个日期时间开始,您可以使用类似于以下的代码:
DateTime date1 = new DateTime(2010, 1, 18);
DateTime date2 = new DateTime(2013, 2, 22);
int oldMonth = date2.Month;
while (oldMonth == date2.Month)
{
date1 = date1.AddDays(-1);
date2 = date2.AddDays(-1);
}
int years = 0, months = 0, days = 0, hours = 0, minutes = 0, seconds = 0, milliseconds = 0;
// getting number of years
while (date2.CompareTo(date1) >= 0)
{
years++;
date2 = date2.AddYears(-1);
}
date2 = date2.AddYears(1);
years--;
// getting number of months and days
oldMonth = date2.Month;
while (date2.CompareTo(date1) >= 0)
{
days++;
date2 = date2.AddDays(-1);
if ((date2.CompareTo(date1) >= 0) && (oldMonth != date2.Month))
{
months++;
days = 0;
oldMonth = date2.Month;
}
}
date2 = date2.AddDays(1);
days--;
TimeSpan difference = date2.Subtract(date1);
Console.WriteLine("Difference: " +
years.ToString() + " year(s)" +
", " + months.ToString() + " month(s)" +
", " + days.ToString() + " day(s)");
输出是:Difference: 3 year(s), 1 month(s), 4 day(s)