0

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

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

我正在尝试递归地遍历所有子项并将名称/值(“已检查”: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);
  }
}

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

4

1 回答 1

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直接操作底层 s,因此无需在一些新的JSONArray.


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

于 2013-09-19T20:17:10.767 回答