以递归方式遍历json,为每个Object添加名称/值对

时间:2013-09-19 20:08:45

标签: java json recursion arrays jsonobject

我的json看起来像这样,但节点/子节点更多:

[{"text":"Millions", "children":[
{"text":"Dinosaur", "children":[{"text":"Stego"}]}, 
{"text":"Dinosaur", "children": [{"text":"T-REX"}]}]}]

我正在尝试以递归方式遍历所有子节点并将一个名称/值(“checked”:false)对添加到json中,以便它现在看起来像:

[{"text":"Millions", "checked": false, "children":[
{"text":"Dinosaur", "checked": false, "children":[{"text":"Stego", "checked": false,}]}, 
{"text":"Dinosaur", "checked": false, "children": [{"text":"T-REX", "checked": false,}]}]}]

到目前为止,我想出的是:

JSONArray jArrayChecked = new JSONArray();

//This traverses through the nodes
public void addChecked(JSONArray ja){
  for(JSONObject jo : ja){
    if(jo.has("children")
      addChecked(jo.get("children");

    jo.put("checked", false);
    //This part is incorrect
    jArrayChecked.put(jo);
  }
}

如何在保持节点结构完整的同时正确地将名称/值对添加到每个节点?

1 个答案:

答案 0 :(得分:1)

我不明白这个问题。这对我有用

public static void addChecked(JSONArray ja) throws JSONException {
    for (int i = 0; i < ja.length(); i++) {
        JSONObject jo = (JSONObject) ja.get(i);
        if (jo.has("children"))
            addChecked((JSONArray) jo.get("children"));

        jo.put("checked", false);
    }
}

public static void main(String[] args) throws Exception {
    String jsonString = "[{\"text\":\"Millions\", \"children\":[{\"text\":\"Dinosaur\", \"children\":[{\"text\":\"Stego\"}]}, {\"text\":\"Dinosaur\", \"children\": [{\"text\":\"T-REX\"}]}]}]";
    JSONArray jsonArray = new JSONArray(jsonString);
    System.out.println(jsonString);
    addChecked(jsonArray);
    System.out.println(jsonArray);
}

打印

[{"text":"Millions", "children":[{"text":"Dinosaur", "children":[{"text":"Stego"}]}, {"text":"Dinosaur", "children": [{"text":"T-REX"}]}]}]
[{"text":"Millions","children":[{"text":"Dinosaur","children":[{"text":"Stego","checked":false}],"checked":false},{"text":"Dinosaur","children":[{"text":"T-REX","checked":false}],"checked":false}],"checked":false}]

您正在直接操纵基础JSONObject,因此无需反映某些新JSONArray的更改。


我提出的解决方案在很大程度上依赖于所提供的JSON格式。如果您的JSON发生变化,请记住这一点。