Você escreveria um desserializador personalizado que retornasse o objeto incorporado.
Digamos que seu JSON seja:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
Você então teria um Content
POJO:
class Content
{
public int foo;
public String bar;
}
Então você escreve um desserializador:
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);
}
}
Agora, se você construir um Gson
com GsonBuilder
e registrar o desserializador:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
Você pode desserializar seu JSON direto para Content
:
Content c = gson.fromJson(myJson, Content.class);
Edite para adicionar a partir de comentários:
Se você tiver diferentes tipos de mensagens, mas todas elas tiverem o campo "conteúdo", poderá tornar o desserializador genérico fazendo:
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);
}
}
Você só precisa registrar uma instância para cada um dos seus tipos:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer<Content>())
.registerTypeAdapter(DiffContent.class, new MyDeserializer<DiffContent>())
.create();
Quando você chama, .fromJson()
o tipo é transportado para o desserializador, então deve funcionar para todos os seus tipos.
E, finalmente, ao criar uma instância de Retrofit:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();