以下是问题域的类图。我们使用具有不同语义的JSON解码消息,这些消息在不同视图的代码中触发不同的方法(初始化,更新)。
使用Message
使用InitMessage
建议的解决方案并注册所有可能的子类型,DataMessage
可以很好地反序列化为RuntimeTypeAdapterFactory
或DataMessage.value
。但是,DataMessage
列表为空(未反序列化)。问题是RuntimeTypeAdapterFactory<Message> messageAdapterFactory = RuntimeTypeAdapterFactory
.of(Message.class, "MESSAGE_TYPE")
.registerSubtype(InitializationMessage.class, "INIT")
.registerSubtype(DataMessage.class, "DATA");
RuntimeTypeAdapterFactory<DataValue> dataAdapterFactory = RuntimeTypeAdapterFactory
.of(DataValue.class, "NAME")
.registerSubtype(DataValueA.class, "A")
.registerSubtype(DataValueB.class, "B")
.registerSubtype(DataValueC.class, "C");
中的嵌套多态成员。
适配器工厂:
TypeToken<Message> typeToken = new TypeToken<Message>() {};
Message msg = gson.fromJson(json, typeToken.getType());
创建消息:
public class DataMessage extends Message {
private List<DataValue> value;
public List<DataValue> getValue() {
return value;
}
public void setValue(List<DataValue> value) {
this.value= value;
}
}
DataMessage类:
public class DataValueA extends DataValue {
private Map<String, Float> value;
public float getValue(String location) {
return value.get(location);
}
}
DataValueA类:
{
"MESSAGE_TYPE" : "DATA",
"VALUE" : [
{
"NAME" : "C",
"VALUE" : 1.3
},
{
"NAME" : "A",
"VALUE" : {
"FL" : 18.4,
"FR" : 18.4,
"RL" : 18.4,
"RR" : 18.4
}
}]
}
相应的JSON:
DataValue
我希望将DataValueA
反序列化为各自的子类(history.replaceState()
...)。
答案 0 :(得分:1)
解决方案是使用GsonBuilder.registerTypeAdapter
方法注册自定义JsonDeserializer
。方法是使用消息中的一个字段来定义要创建的子类(就像RuntimeTypeAdapterFactory
一样,默认情况下不会发送它并存在于gson-extra
)。
将为每个抽象超类注册反序列化器。
gson = new GsonBuilder()
.setFieldNamingPolicy(FieldNamingPolicy.LOWER_CASE_WITH_UNDERSCORES)
.registerTypeAdapter(Message.class, new MessageAdapter())
.registerTypeAdapter(DataValue.class, new DataValueAdapter())
.create();
鉴于区分子类型的字段名为 NAME ,您可以定义反序列化函数,如下所示。存在从字段内容到相应子类的映射。
public class DataValueAdapter implements JsonDeserializer<DataValue> {
private final static Map<String, Class<?>> FieldToClass;
static {
FieldToClass = new HashMap<>();
FieldToClass.put("PERFORMANCE", PerformanceDataValue.class);
FieldToClass.put("TIRE_SLIP", TireSlipDataValue.class);
}
@Override
public DataValue deserialize(JsonElement json, Type typeOfT,
JsonDeserializationContext context) throws JsonParseException {
JsonObject jsonObject = json.getAsJsonObject();
String dataType = jsonObject.get("NAME").getAsString();
return context.deserialize(json, FieldToClass.get(dataType));
}
}
为了使反射反序列化器(只要你对标准反序列化器可以使用它将用于子类),子类需要在属性上声明@SerializedName
。没有它对我不起作用。