使用 gson 将 Java 日期转换为 UTC

新手上路,请多包涵

我似乎无法让 gson 在 java 中将日期转换为 UTC 时间……这是我的代码……

 Gson gson = new GsonBuilder().setDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'").create();
//This is the format I want, which according to the ISO8601 standard - Z specifies UTC - 'Zulu' time

Date now=new Date();
System.out.println(now);
System.out.println(now.getTimezoneOffset());
System.out.println(gson.toJson(now));

这是我的输出

Thu Sep 25 18:21:42 BST 2014           // Time now - in British Summer Time
-60                                    // As expected : offset is 1hour from UTC
"2014-09-25T18:21:42.026Z"             // Uhhhh this is not UTC ??? Its still BST !!

我想要的 gson 结果和我所期待的

"2014-09-25T17:21:42.026Z"

我可以清楚地在调用 toJson 之前减去 1 小时,但这似乎是一个 hack。如何将 gson 配置为始终转换为 UTC?

原文由 Marky0 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 1k
2 个回答

经过进一步研究,这似乎是一个已知问题。 gson 默认序列化程序始终默认为您的本地时区,并且不允许您指定时区。请参阅以下链接……

https://code.google.com/p/google-gson/issues/detail?id=281

解决方案是创建自定义 gson 类型适配器,如链接中所示:

 // this class can't be static
public class GsonUTCDateAdapter implements JsonSerializer<Date>,JsonDeserializer<Date> {

    private final DateFormat dateFormat;

    public GsonUTCDateAdapter() {
      dateFormat = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'", Locale.US);      //This is the format I need
      dateFormat.setTimeZone(TimeZone.getTimeZone("UTC"));                               //This is the key line which converts the date to UTC which cannot be accessed with the default serializer
    }

    @Override public synchronized JsonElement serialize(Date date,Type type,JsonSerializationContext jsonSerializationContext) {
        return new JsonPrimitive(dateFormat.format(date));
    }

    @Override public synchronized Date deserialize(JsonElement jsonElement,Type type,JsonDeserializationContext jsonDeserializationContext) {
      try {
        return dateFormat.parse(jsonElement.getAsString());
      } catch (ParseException e) {
        throw new JsonParseException(e);
      }
    }
}

然后按如下方式注册:

   Gson gson = new GsonBuilder().registerTypeAdapter(Date.class, new GsonUTCDateAdapter()).create();
  Date now=new Date();
  System.out.println(gson.toJson(now));

现在可以正确输出 UTC 日期

"2014-09-25T17:21:42.026Z"

感谢链接作者。

原文由 Marky0 发布,翻译遵循 CC BY-SA 3.0 许可协议

您的日期格式中的 Z 是单引号,它必须不被引号替换为实际时区。

此外,如果您想要 UTC 日期,请先转换它。

原文由 sleeplessnerd 发布,翻译遵循 CC BY-SA 3.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题