คุณจะต้องเขียน deserializer แบบกำหนดเองที่ส่งคืนวัตถุฝังตัว
สมมติว่า JSON ของคุณคือ:
{
"status":"OK",
"reason":"some reason",
"content" :
{
"foo": 123,
"bar": "some value"
}
}
จากนั้นคุณจะมีContent
POJO:
class Content
{
public int foo;
public String bar;
}
จากนั้นคุณเขียน deserializer:
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
และลงทะเบียน deserializer นี้:
Gson gson =
new GsonBuilder()
.registerTypeAdapter(Content.class, new MyDeserializer())
.create();
คุณสามารถยกเลิกการกำหนดค่า JSON ของคุณตรงไปที่Content
:
Content c = gson.fromJson(myJson, Content.class);
แก้ไขเพื่อเพิ่มจากความคิดเห็น:
หากคุณมีข้อความประเภทต่างๆ แต่ทั้งหมดมีช่อง "เนื้อหา" คุณสามารถสร้าง Deserializer ทั่วไปได้โดยทำดังนี้
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()
ประเภทนั้นจะถูกนำไปยัง deserializer ดังนั้นจึงควรใช้ได้กับทุกประเภทของคุณ
และสุดท้ายเมื่อสร้างอินสแตนซ์ Retrofit:
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(url)
.addConverterFactory(GsonConverterFactory.create(gson))
.build();