Escribiría un deserializador personalizado que devuelva el objeto incrustado.
Digamos que su JSON es:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
Entonces tendrías un Content
POJO:
class Content
{
public int foo;
public String bar;
}
Luego escribe un deserializador:
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);
}
}
Ahora, si construye un Gson
con GsonBuilder
y registra el deserializador:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
Puede deserializar su JSON directamente a su Content
:
Content c = gson.fromJson(myJson, Content.class);
Editar para agregar desde los comentarios:
Si tiene diferentes tipos de mensajes pero todos tienen el campo "contenido", puede hacer que Deserializer sea genérico haciendo lo siguiente:
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);
}
}
Solo tienes que registrar una instancia para cada uno de tus tipos:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer<Content>())
.registerTypeAdapter(DiffContent.class, new MyDeserializer<DiffContent>())
.create();
Cuando llamas, .fromJson()
el tipo se lleva al deserializador, por lo que debería funcionar para todos tus tipos.
Y finalmente al crear una instancia de Retrofit:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();