もちろん、シリアライゼーションとデシリアライゼーションと呼ばれる自動化された方法があり、pb2qでも言及されているように、特定のアノテーション(@JsonSerialize、@JsonDeserialize)でそれを定義できます。
java.util.Dateとjava.util.Calendar ...の両方、そしておそらくJodaTimeも使用できます。
逆シリアル化(シリアル化は完全に機能しました)中に、@ JsonFormatアノテーションが希望どおりに機能しません(タイムゾーンが別の値に調整されました)。
@JsonFormat(locale = "hu", shape = JsonFormat.Shape.STRING, pattern = "yyyy-MM-dd HH:mm", timezone = "CET")
@JsonFormat(locale = "hu", shape = JsonFormat.Shape.STRING, pattern = "yyyy-MM-dd HH:mm", timezone = "Europe/Budapest")
予測結果が必要な場合は、@ JsonFormatアノテーションの代わりにカスタムシリアライザーとカスタムデシリアライザーを使用する必要があります。私はここで本当に良いチュートリアルと解決策を見つけましたhttp://www.baeldung.com/jackson-serialize-dates
日付フィールドの例がありますが、カレンダーフィールドに必要だったので、これが私の実装です。
シリアライザクラス:
public class CustomCalendarSerializer extends JsonSerializer<Calendar> {
public static final SimpleDateFormat FORMATTER = new SimpleDateFormat("yyyy-MM-dd HH:mm");
public static final Locale LOCALE_HUNGARIAN = new Locale("hu", "HU");
public static final TimeZone LOCAL_TIME_ZONE = TimeZone.getTimeZone("Europe/Budapest");
@Override
public void serialize(Calendar value, JsonGenerator gen, SerializerProvider arg2)
throws IOException, JsonProcessingException {
if (value == null) {
gen.writeNull();
} else {
gen.writeString(FORMATTER.format(value.getTime()));
}
}
}
デシリアライザのクラス:
public class CustomCalendarDeserializer extends JsonDeserializer<Calendar> {
@Override
public Calendar deserialize(JsonParser jsonparser, DeserializationContext context)
throws IOException, JsonProcessingException {
String dateAsString = jsonparser.getText();
try {
Date date = CustomCalendarSerializer.FORMATTER.parse(dateAsString);
Calendar calendar = Calendar.getInstance(
CustomCalendarSerializer.LOCAL_TIME_ZONE,
CustomCalendarSerializer.LOCALE_HUNGARIAN
);
calendar.setTime(date);
return calendar;
} catch (ParseException e) {
throw new RuntimeException(e);
}
}
}
上記のクラスの使用法:
public class CalendarEntry {
@JsonSerialize(using = CustomCalendarSerializer.class)
@JsonDeserialize(using = CustomCalendarDeserializer.class)
private Calendar calendar;
// ... additional things ...
}
この実装を使用すると、シリアライゼーションおよびデシリアライゼーションプロセスを連続して実行すると、元の値が得られます。
@JsonFormatアノテーションのみを使用すると、デシリアライゼーションによって異なる結果が得られます。これは、ライブラリの内部タイムゾーンのデフォルト設定により、アノテーションパラメータでは変更できないものです(これは、Jacksonライブラリ2.5.3および2.6.3バージョンでも同様です)。