实际答案:
枚举的默认反序列化器用于.name()
反序列化,因此它不使用@JsonValue
. 因此,正如@OldCurmudgeon 指出的那样,您需要传入{"event": "FORGOT_PASSWORD"}
以匹配该.name()
值。
另一个选项(假设您希望写入和读取 json 值相同)...
更多信息:
(还有)另一种方法可以使用 Jackson 来管理序列化和反序列化过程。您可以指定这些注释以使用您自己的自定义序列化器和反序列化器:
@JsonSerialize(using = MySerializer.class)
@JsonDeserialize(using = MyDeserializer.class)
public final class MyClass {
...
}
然后你必须写MySerializer
,MyDeserializer
看起来像这样:
我的序列化器
public final class MySerializer extends JsonSerializer<MyClass>
{
@Override
public void serialize(final MyClass yourClassHere, final JsonGenerator gen, final SerializerProvider serializer) throws IOException, JsonProcessingException
{
// here you'd write data to the stream with gen.write...() methods
}
}
我的反序列化器
public final class MyDeserializer extends org.codehaus.jackson.map.JsonDeserializer<MyClass>
{
@Override
public MyClass deserialize(final JsonParser parser, final DeserializationContext context) throws IOException, JsonProcessingException
{
// then you'd do something like parser.getInt() or whatever to pull data off the parser
return null;
}
}
最后一点,特别是对JsonEnum
使用 method 序列化的枚举执行此操作时getYourValue()
,您的序列化器和反序列化器可能如下所示:
public void serialize(final JsonEnum enumValue, final JsonGenerator gen, final SerializerProvider serializer) throws IOException, JsonProcessingException
{
gen.writeString(enumValue.getYourValue());
}
public JsonEnum deserialize(final JsonParser parser, final DeserializationContext context) throws IOException, JsonProcessingException
{
final String jsonValue = parser.getText();
for (final JsonEnum enumValue : JsonEnum.values())
{
if (enumValue.getYourValue().equals(jsonValue))
{
return enumValue;
}
}
return null;
}