我有这个JSON结构:

{"metrics":[{
        "type": "sum",
        "column": ["rsales", "nsales"]
    },
    {
        "type":"count",
        "column":["ptype", "plan"]
    }]
}


我正在尝试从Java读取JSON,并希望输出如下所示:

str_sum="Sum"
str_sum_array[]= {"rsales" ,"nsales"}
str_count="count"
str_count_array[]= {"ptype" ,"plan"}


到目前为止,这是我的代码:

JSONArray jsonArray_Metric = (JSONArray) queryType.get("metrics");
for (int i = 0; i < jsonArray_Metric.length(); i++) {
JSONObject json_Metric = jsonArray_Metric.getJSONObject(i);
Iterator<String> keys_Metrict = json_Metric.keys();
while (keys_Metrict.hasNext()) {
    String key_Metric = keys_Metrict.next();
    // plz help
  }
}


如何完成代码以产生所需的输出?

最佳答案

除了使用iterator之外,还可以使用简单的for-loop,如下所示。

JSONParser parser = new JSONParser();
JSONObject object = (JSONObject) parser.parse(queryType);
JSONArray jsonArray_Metric = (JSONArray) object.get("metrics");
for (int index = 0; index < jsonArray_Metric.size(); index++) {
   JSONObject item = (JSONObject) jsonArray_Metric.get(index);
   String type = (String) item.get("type");
   JSONArray column = (JSONArray) item.get("column");
   System.out.println("str_sum store=\"" +  type + "\"");
   System.out.println("str_count_array[] store=" +  column);
}


样品运行

str_sum store="sum"
str_count_array[] store=["rsales","nsales"]
str_sum store="count"
str_count_array[] store=["ptype","plan"]


如果您希望使用大括号而不是默认(实际)大括号(即方括号)显示JSONArray,则可以在打印时使用类似这样的东西,甚至可以通过将其替换为空字符串“”来删除它们。

System.out.println("str_count_array[] store " +  column.toString().replace("[", "{").replace("]", "}"));


您可以通过使用println语句随意设置显示代码的格式。

07-27 18:29