Gömülü nesneyi döndüren özel bir seri kaldırıcı yazarsınız.
Diyelim ki JSON'nuz:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
Daha sonra bir Content
POJO'nuz olur:
class Content
{
public int foo;
public String bar;
}
Daha sonra seri durumdan çıkarıcı yazarsınız:
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);
}
}
Şimdi bir Gson
with oluşturur GsonBuilder
ve seriyi kaldırıcıyı kaydederseniz:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
JSON'unuzun serisini kaldırıp doğrudan şunlara gidebilirsiniz Content
:
Content c = gson.fromJson(myJson, Content.class);
Yorumlardan eklemek için düzenleyin:
Farklı türde mesajlarınız varsa ancak hepsinde "içerik" alanı varsa, aşağıdaki işlemleri yaparak Deserializer'ı jenerik yapabilirsiniz:
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);
}
}
Türlerinizden her biri için bir örnek kaydetmeniz yeterlidir:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer<Content>())
.registerTypeAdapter(DiffContent.class, new MyDeserializer<DiffContent>())
.create();
.fromJson()
Tür aradığınızda seri kaldırıcıya taşınır, bu nedenle tüm türleriniz için çalışmalıdır.
Ve son olarak Retrofit örneği oluştururken:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();