6

我正在尝试编写一个简单的实用程序方法,用于将整数天数添加到 Joda time instant。这是我的第一个刺。

/**
 * Adds a number of days specified to the instant in time specified.
 *
 * @param instant - the date to be added to
 * @param numberOfDaysToAdd - the number of days to be added to the instant specified
 * @return an instant that has been incremented by the number of days specified
 */
public static Instant addNumberOfDaysToInstant(final Instant instant, final int numberOfDaysToAdd) {
    Days days = Days.days(numberOfDaysToAdd);
    Interval interval = new Interval(instant, days);
    return interval.getEnd().toInstant();
}

这在大多数情况下都可以正常工作,除非您考虑添加的天数使您跨越 BST / GMT 边界的示例。这是一个小例子。

public class DateAddTest {

/** * 用于输入和输出的区域 */ private static final DateTimeZone ZONE = DateTimeZone.forId("Europe/London");

/**
 * Formatter used to translate Instant objects to & from strings.
 */
private static final DateTimeFormatter FORMATTER = DateTimeFormat.forPattern(DATE_FORMAT).withZone(ZONE);


/**
 * Date format to be used
 */
private static final String DATE_FORMAT = "dd/MM/yyyy";


public static void main(String[] args) {

 DateTime dateTime = FORMATTER.parseDateTime("24/10/2009");
 Instant toAdd = dateTime.toInstant();
 Instant answer = JodaTimeUtils.addNumberOfDaysToInstant(toAdd, 2);

 System.out.println(answer.toString(FORMATTER)); //25/10/2009
}

}

我认为这个问题是因为间隔没有考虑到它已经越过 bst 边界的事实。任何关于实现这一点的更好方法的想法都将不胜感激。

4

3 回答 3

8

如果您想处理日期,请不要使用即时。我怀疑它正确地增加了 48 小时。

使用 aLocalDate代替,然后使用plusDays方法。

如果您想知道指定时刻后 n 天发生的时刻,在一天中的同一时间,我们无疑可以找到一种方法(将时刻分成 aLocalDate和 a LocalTime,推进LocalDate然后重新组合,或者检查是否LocalDateTime符合您的要求)但是如果原始时间在新的一天发生两次,或者根本不发生,您需要确定您想要发生的事情。

编辑:好的,所以你需要立即工作。那必须在原始时区吗?你能用UTC吗?这将消除 DST 问题。如果不是,您希望它在模棱两可或不存在的情况下做什么(例如,在每个转换之前的上午 12.30)。

于 2009-06-29T14:51:44.753 回答
2

假设您的其余代码:

public static void main(String[] args) {

  DateTime dateTime = FORMATTER.parseDateTime("24/10/2009");
  Instant pInstant = dateTime.withFieldAdded(DurationFieldType.days(),2).toInstant();
  System.out.println("24/10/2009  + 2 Days = " + pInstant.toString(FORMATTER));
}
于 2009-06-29T17:07:40.193 回答
0

这是选择的解决方案。

/**
* Zone to use for input and output
*/
private static final DateTimeZone ZONE = DateTimeZone.forId("Europe/London");

/**
 * Adds a number of days specified to the instant in time specified.
 *
 * @param instant - the date to be added to
 * @param numberOfDaysToAdd - the number of days to be added to the instant specified
 * @return an instant that has been incremented by the number of days specified
 */
public static Instant addNumberOfDaysToInstant(final Instant instant, final int numberOfDaysToAdd) {
    return instant.toDateTime(ZONE).withFieldAdded(DurationFieldType.days(), numberOfDaysToAdd).toInstant();
}
于 2009-06-30T09:19:38.310 回答