0

我正在尝试将 utc 日期时间转换为本地日期时间,但小数部分有一些问题。我称 Web 服务返回一系列数据。其中一个数据是这种格式的 utc 日期时间,我必须使用这个库 org.threeten.bp,我不能使用其他库。

2020-06-22T18:28:57.957535800Z

要将utcFormat转换为日期,我发现这段代码可以正常工作

DateFormat utcFormat = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'");
utcFormat.setTimeZone(TimeZone.getTimeZone("UTC"));

Date date = utcFormat.parse("2012-08-15T22:56:02.038Z");

DateFormat pstFormat = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS");
pstFormat.setTimeZone(TimeZone.getTimeZone("ECT"));

System.out.println(pstFormat.format(date));

但从我的代码中它不能很好地工作,因为返回这个日期

2020-07-03T22:27:52.800

怎么看就不一样了。我做了一些测试,如果我在点后只留下 3 个小数,那部分代码就可以正常工作。看看这个例子:

2020-06-22T18:28:57.800Z

return the right date time from ECT zone

2020-06-22T20:28:57.800

我正在寻找一种方法来接收只有三位小数的 utc dateTime,或者通过删除多余的小数来更改 utc dateTime。对于最后一个案例,我不是如果它可以是一个好主意。

4

2 回答 2

3

您的输入格式是标准的,因此您可以简单地将其解析Instant为例如:

String input = "2020-06-22T18:28:57.957535800Z";
Instant date = Instant.parse(input);

如果你想去掉最后 3 位小数(即只将结果保持在微秒精度),你可以截断结果:

Instant truncated = date.truncatedTo(ChronoUnit.MICROS);

另请注意,您在示例中使用的类(DateFormat、Date 等)不是 threeten 的一部分。

于 2020-06-23T13:26:48.160 回答
0

这是一种类似于您的方法,但org.threeten.bp仅使用类而不是将其与java.util

public static void main(String[] args) throws ParseException {
    String datetimeUtc = "2020-06-22T18:28:57.957535800Z";
    // parse it to a ZonedDateTime, this is default formatting ==> no formatter needed
    ZonedDateTime utcTime = ZonedDateTime.parse(datetimeUtc);
    // print the result
    System.out.println(utcTime);
    // convert it to another zone
    ZonedDateTime estTime = utcTime.withZoneSameInstant(ZoneId.of("Europe/Paris"));
    // print that, too
    System.out.println(estTime);
    // define a non-default output format
    DateTimeFormatter dtf = DateTimeFormatter.ofPattern("yyyy-MM-dd'T'HH:mm:ss.SSS");
    // and print the estTime using that format
    System.out.println(estTime.format(dtf));
}

这将输出以下内容:

2020-06-22T18:28:57.957535800Z
2020-06-22T20:28:57.957535800+02:00[Europe/Paris]
2020-06-22T20:28:57.957
于 2020-06-23T13:35:35.357 回答