Możesz napisać niestandardowy deserializator, który zwraca osadzony obiekt.
Powiedzmy, że Twój JSON to:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
Miałbyś wtedy Content
POJO:
class Content
{
public int foo;
public String bar;
}
Następnie piszesz deserializator:
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);
}
}
Teraz, jeśli skonstruować Gson
z GsonBuilder
i zarejestrować Deserializator:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
Możesz deserializować swój JSON bezpośrednio na Content
:
Content c = gson.fromJson(myJson, Content.class);
Edytuj, aby dodać z komentarzy:
Jeśli masz różne typy wiadomości, ale wszystkie mają pole „zawartość”, możesz ustawić deserializator jako ogólny, wykonując:
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);
}
}
Musisz tylko zarejestrować instancję dla każdego ze swoich typów:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer<Content>())
.registerTypeAdapter(DiffContent.class, new MyDeserializer<DiffContent>())
.create();
Po wywołaniu .fromJson()
typ jest przenoszony do deserializatora, więc powinien działać dla wszystkich typów.
I wreszcie podczas tworzenia instancji typu Retrofit:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();