我试图使用新的Java 8日期和时间API和以下模式格式化一个即时字符串:

Instant instant = ...;
String out = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss").format(instant);

使用上面的代码,我得到了一个异常,抱怨一个不支持的字段:

java.time.temporal.UnsupportedTemporalTypeException: Unsupported field: YearOfEra
    at java.time.Instant.getLong(Instant.java:608)
    at java.time.format.DateTimePrintContext.getValue(DateTimePrintContext.java:298)
    ...

当前回答

Instant类不包含Zone信息,它只存储以毫秒为单位的时间戳,即从UTC开始的1月1070日。 因此,格式化程序不能打印日期,因为日期总是为具体时区打印。 你应该将时区设置为格式化器,一切都将正常,如下所示:

Instant instant = Instant.ofEpochMilli(92554380000L);
DateTimeFormatter formatter = DateTimeFormatter.ofLocalizedDateTime(FormatStyle.SHORT).withLocale(Locale.UK).withZone(ZoneOffset.UTC);
assert formatter.format(instant).equals("07/12/72 05:33");
assert instant.toString().equals("1972-12-07T05:33:00Z");

其他回答

DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy MM dd");
String text = date.toString(formatter);
LocalDate date = LocalDate.parse(text, formatter);

我相信这可能会有帮助,你可能需要使用某种本地日期变化,而不是即时

Instant类不包含Zone信息,它只存储以毫秒为单位的时间戳,即从UTC开始的1月1070日。 因此,格式化程序不能打印日期,因为日期总是为具体时区打印。 你应该将时区设置为格式化器,一切都将正常,如下所示:

Instant instant = Instant.ofEpochMilli(92554380000L);
DateTimeFormatter formatter = DateTimeFormatter.ofLocalizedDateTime(FormatStyle.SHORT).withLocale(Locale.UK).withZone(ZoneOffset.UTC);
assert formatter.format(instant).equals("07/12/72 05:33");
assert instant.toString().equals("1972-12-07T05:33:00Z");

瞬时已经是UTC,并且已经有一个默认的日期格式yyyy-MM-dd。如果你对此感到满意,并且不想打乱时区或格式,你也可以toString()它:

Instant instant = Instant.now();
instant.toString()
output: 2020-02-06T18:01:55.648475Z

不想要T和Z?(Z表示该日期为UTC。Z代表“Zulu”,又名“零时偏移”,又名UTC):

instant.toString().replaceAll("[TZ]", " ")
output: 2020-02-06 18:01:55.663763

想要毫秒而不是纳秒?(所以你可以把它放入sql查询中):

instant.truncatedTo(ChronoUnit.MILLIS).toString().replaceAll("[TZ]", " ")
output: 2020-02-06 18:01:55.664

etc.

或者如果您仍然想使用从模式创建的格式化程序 你可以只使用LocalDateTime而不是Instant:

LocalDateTime datetime = LocalDateTime.now();
DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss").format(datetime)
DateTimeFormatter.ISO_INSTANT.format(Instant.now())

这使您不必转换为UTC。但是,一些其他语言的时间框架可能不支持毫秒,所以您应该这样做

DateTimeFormatter.ISO_INSTANT.format(Instant.now().truncatedTo(ChronoUnit.SECONDS))