Джексон не предлагает готовое решение для этого, но это не значит, что вам не повезло.
Предполагая, что ваши классы реализуютобщий интерфейс или расширение общего класса, как показано ниже:
public interface Animal {
}
public class Dog implements Animal {
private String bark;
// Default constructor, getters and setters
}
public class Cat implements Animal {
private String meow;
// Default constructor, getters and setters
}
Вы можете создать собственный десериализатор на основе имени свойства.Это позволяет вам определить уникальное свойство, которое будет использоваться для поиска класса для выполнения десериализации:
public class PropertyBasedDeserializer<T> extends StdDeserializer<T> {
private Map<String, Class<? extends T>> deserializationClasses;
public PropertyBasedDeserializer(Class<T> baseClass) {
super(baseClass);
deserializationClasses = new HashMap<String, Class<? extends T>>();
}
public void register(String property, Class<? extends T> deserializationClass) {
deserializationClasses.put(property, deserializationClass);
}
@Override
public T deserialize(JsonParser p, DeserializationContext ctxt)
throws IOException, JsonProcessingException {
ObjectMapper mapper = (ObjectMapper) p.getCodec();
JsonNode tree = mapper.readTree(p);
Class<? extends T> deserializationClass = findDeserializationClass(tree);
if (deserializationClass == null) {
throw JsonMappingException.from(ctxt,
"No registered unique properties found for polymorphic deserialization");
}
return mapper.treeToValue(tree, deserializationClass);
}
private Class<? extends T> findDeserializationClass(JsonNode tree) {
Iterator<Entry<String, JsonNode>> fields = tree.fields();
Class<? extends T> deserializationClass = null;
while (fields.hasNext()) {
Entry<String, JsonNode> field = fields.next();
String property = field.getKey();
if (deserializationClasses.containsKey(property)) {
deserializationClass = deserializationClasses.get(property);
break;
}
}
return deserializationClass;
}
}
Затем создать и настроить десериализатор:
UniquePropertyPolymorphicDeserializer<Animal> deserializer =
new UniquePropertyPolymorphicDeserializer<>(Animal.class);
deserializer.register("bark", Dog.class); // If "bark" is present, then it's a Dog
deserializer.register("meow", Cat.class); // If "meow" is present, then it's a Cat
Добавьте его в модуль:
SimpleModule module = new SimpleModule("custom-deserializers", Version.unknownVersion());
module.addDeserializer(Animal.class, deserializer);
Зарегистрируйте модуль и выполните десериализацию как обычно:
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(module);
String json = "[{\"bark\":\"bowwow\"}, {\"bark\":\"woofWoof\"}, {\"meow\":\"meeeOwww\"}]";
List<Animal> animals = mapper.readValue(json, new TypeReference<List<Animal>>() { });