Вы должны написать собственный десериализатор, который возвращает внедренный объект.
Допустим, ваш JSON:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
Тогда у вас будет Content
POJO:
class Content
{
public int foo;
public String bar;
}
Затем вы пишете десериализатор:
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);
}
}
Теперь, если вы создадите с Gson
помощью GsonBuilder
и зарегистрируете десериализатор:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
Вы можете десериализовать свой JSON прямо на свой Content
:
Content c = gson.fromJson(myJson, Content.class);
Изменить, чтобы добавить из комментариев:
Если у вас есть разные типы сообщений, но все они имеют поле «content», вы можете сделать десериализатор универсальным, выполнив следующие действия:
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);
}
}
Вам просто нужно зарегистрировать экземпляр для каждого из ваших типов:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer<Content>())
.registerTypeAdapter(DiffContent.class, new MyDeserializer<DiffContent>())
.create();
Когда вы вызываете .fromJson()
тип, переносится в десериализатор, поэтому он должен работать для всех ваших типов.
И, наконец, при создании экземпляра Retrofit:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();