我试图使用新的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)
...
时区
若要格式化即时文件,则需要设置时区。如果没有时区,格式化程序就不知道如何将即时字段转换为人工日期-时间字段,因此会引发异常。
时区可以使用withZone()直接添加到格式化程序中。
DateTimeFormatter formatter =
DateTimeFormatter.ofLocalizedDateTime( FormatStyle.SHORT )
.withLocale( Locale.UK )
.withZone( ZoneId.systemDefault() );
如果您特别想要一个没有显式时区的ISO-8601格式
(正如OP要求的那样),带有隐式UTC的时区,您需要
DateTimeFormatter.ISO_LOCAL_DATE_TIME.withZone(ZoneId.from(ZoneOffset.UTC))
生成字符串
现在使用该格式化程序生成Instant的String表示形式。
Instant instant = Instant.now();
String output = formatter.format( instant );
转储到控制台。
System.out.println("formatter: " + formatter + " with zone: " + formatter.getZone() + " and Locale: " + formatter.getLocale() );
System.out.println("instant: " + instant );
System.out.println("output: " + output );
运行时。
formatter: Localized(SHORT,SHORT) with zone: US/Pacific and Locale: en_GB
instant: 2015-06-02T21:34:33.616Z
output: 02/06/15 14:34
瞬时已经是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.