4

假设我有 678 天,如何计算从那一刻起有多少年、多少月、多少天?

Duration duration = Duration.FromStandardDays(678);
Instant now = SystemClock.Instance.Now;
Instant future = now + duration;

// I have to convert NodaTime.Instant to NodaTime.LocalDate but don't know how

Period period = Period.Between(now, future);
Console.WriteLine("{0} years, {1} months, {2} days", period.Years, period.Months, period.Days);
4

2 回答 2

9

您确实可以使用 Noda Time 做到这一点。

首先,你需要一个起点。这使用当地时区的当前日期。根据您的情况,您可能希望使用不同的日期或不同的时区。

Instant now = SystemClock.Instance.Now;
DateTimeZone timeZone = DateTimeZoneProviders.Bcl.GetSystemDefault();
LocalDate today = now.InZone(timeZone).Date;

然后只需添加天数:

int days = 678;
LocalDate future = today.PlusDays(days);

然后,您可以获得所需单位的期间:

Period period = Period.Between(today, future, PeriodUnits.YearMonthDay);
Console.WriteLine("{0} years, {1} months, {2} days",
                  period.Years, period.Months, period.Days);

重要的是要认识到结果代表“从现在开始的时间”。或者,如果您替换不同的起点,则为“从(起点)开始的时间”。在任何情况下,您都不应仅仅认为结果是X days = Y years + M months + D days. 那将是荒谬的,因为一年中的天数和一个月中的天数取决于您谈论的年份和月份。

于 2014-04-02T05:58:13.013 回答
0

您只需要将天数添加到当前时间:

var now = DateTime.Now;
var future = now.AddDays(678);

int years = future.Year - now.Year;
int months = future.Month - now.Month;
if (months < 0)
{
    years--;
    months += 12;
}
int days = future.Day + DateTime.DaysInMonth(now.Year, now.Month) - now.Day;
于 2014-04-01T20:29:51.050 回答