Jackson枚举序列化和反序列化器

我正在使用JAVA 1.6和Jackson 1.9.9我有一个枚举

public enum Event {

FORGOT_PASSWORD("forgot password");

private final String value;

private Event(final String description) {

this.value = description;

}

@JsonValue

final String value() {

return this.value;

}

}

我添加了一个@JsonValue,这似乎可以将对象序列化为:

{"event":"forgot password"}

但是当我尝试反序列化时,我得到了

Caused by: org.codehaus.jackson.map.JsonMappingException: Can not construct instance of com.globalrelay.gas.appsjson.authportal.Event from String value 'forgot password': value not one of declared Enum instance names

我在这里想念什么?

回答:

如果你希望将枚举类与其JSON表示完全脱钩,则@xbakesx指出的序列化器/反序列化器解决方案是一个很好的解决方案。

另外,如果你喜欢一个独立的解决方案,则基于·和·注释的实现会更方便。

因此,利用@Stanley的示例,以下是一个完整的自包含解决方案(Java 6,Jackson 1.9):

public enum DeviceScheduleFormat {

Weekday,

EvenOdd,

Interval;

private static Map<String, DeviceScheduleFormat> namesMap = new HashMap<String, DeviceScheduleFormat>(3);

static {

namesMap.put("weekday", Weekday);

namesMap.put("even-odd", EvenOdd);

namesMap.put("interval", Interval);

}

@JsonCreator

public static DeviceScheduleFormat forValue(String value) {

return namesMap.get(StringUtils.lowerCase(value));

}

@JsonValue

public String toValue() {

for (Entry<String, DeviceScheduleFormat> entry : namesMap.entrySet()) {

if (entry.getValue() == this)

return entry.getKey();

}

return null; // or fail

}

}

以上是 Jackson枚举序列化和反序列化器 的全部内容, 来源链接: utcz.com/qa/431592.html

回到顶部