如果某个元素有时会以jsonobject和jsonarray的形式出现,如何解析JSON

时间:2015-02-20 04:30:22

标签: java json gson

我有来自服务的json响应。 对于一个元素,有时它会以json数组形式出现,有时它会出现json对象。

示例:

Response 1:
{"_id":2,"value":{id: 12, name: John}}
Response 2:
{"_id":1,"value":[{id: 12, name: John}, {id: 22, name: OMG}]}

这里的值是响应1中的jsonObject和响应2中的jsonArray。

问题是我正在使用Gson来解析json。并将值保存为我的POJO类中的ArrayList。

public class ResponseDataset {
    private int _id;
    private ArrayList<Value> value;

    // getter setter
}

public class Value {
    private int id;
    private String name;

    // getter setter
}

我有什么方法可以使用Gson处理这个问题。我的json响应太大而复杂,所以想避免逐行解析。

2 个答案:

答案 0 :(得分:2)

即使我遇到同样的问题,我也按照以下方式完成了。

    String jsonString = "{\"_id\":1,\"value\":[{id: 12, name: John}, {id: 22, name: OMG}]}";
    JSONObject jsonObject = new org.json.JSONObject(jsonString);
    ResponseDataset dataset = new ResponseDataset();
    dataset.set_id(Integer.parseInt(jsonObject.getString("_id")));
    System.out.println(jsonObject.get("value").getClass());
    Object valuesObject = jsonObject.get("value");
    if (valuesObject instanceof JSONArray) {
        JSONArray itemsArray =(JSONArray) valuesObject;
        for (int index = 0; index < itemsArray.length(); index++) {
            Value value = new Value();
            JSONObject valueObject = (JSONObject) itemsArray.get(index);
            value.setId(Integer.parseInt(valueObject.getString("id")));
            value.setName(valueObject.getString("name"));
            dataset.getValue().add(value);
        }
    }else if(valuesObject instanceof JSONObject){
        Value value = new Value();
        value.setId(Integer.parseInt(((JSONObject)valuesObject).getString("id")));
        value.setName(((JSONObject)valuesObject).getString("name"));
        dataset.getValue().add(value);
    }

你可以试试这个。

答案 1 :(得分:1)

在这里找到解决方案 Gson handle object or array

@Pasupathi您的解决方案也是正确的,但我想要一种使用Gson的方式,因为我的服务响应太大而且复杂。