Scriveresti un deserializzatore personalizzato che restituisca l'oggetto incorporato.
Supponiamo che il tuo JSON sia:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
Avresti quindi un Content
POJO:
class Content
{
public int foo;
public String bar;
}
Quindi scrivi un deserializzatore:
class MyDeserializer implements JsonDeserializer<Content>
{
@Override
public Content deserialize(JsonElement je, Type type, JsonDeserializationContext jdc)
throws JsonParseException
{
// Get the "content" element from the parsed JSON
JsonElement content = je.getAsJsonObject().get("content");
// Deserialize it. You use a new instance of Gson to avoid infinite recursion
// to this deserializer
return new Gson().fromJson(content, Content.class);
}
}
Ora se costruisci un Gson
con GsonBuilder
e registri il deserializzatore:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
Puoi deserializzare il tuo JSON direttamente nel tuo Content
:
Content c = gson.fromJson(myJson, Content.class);
Modifica per aggiungere dai commenti:
Se hai diversi tipi di messaggi ma tutti hanno il campo "contenuto", puoi rendere generico il Deserializzatore facendo:
class MyDeserializer<T> implements JsonDeserializer<T>
{
@Override
public T deserialize(JsonElement je, Type type, JsonDeserializationContext jdc)
throws JsonParseException
{
// Get the "content" element from the parsed JSON
JsonElement content = je.getAsJsonObject().get("content");
// Deserialize it. You use a new instance of Gson to avoid infinite recursion
// to this deserializer
return new Gson().fromJson(content, type);
}
}
Devi solo registrare un'istanza per ciascuno dei tuoi tipi:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer<Content>())
.registerTypeAdapter(DiffContent.class, new MyDeserializer<DiffContent>())
.create();
Quando chiami .fromJson()
il tipo viene trasferito nel deserializzatore, quindi dovrebbe funzionare per tutti i tuoi tipi.
Infine, quando si crea un'istanza di retrofit:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();