使用Java访问JSONArray中的项成员我刚刚开始在java中使用json。我不确定如何在JSONArray中访问字符串值。例如,我的json看起来像这样:{
"locations": {
"record": [
{
"id": 8817,
"loc": "NEW YORK CITY"
},
{
"id": 2873,
"loc": "UNITED STATES"
},
{
"id": 1501
"loc": "NEW YORK STATE"
}
]
}}我的代码:JSONObject req = new JSONObject(join(loadStrings(data.json),""));JSONObject locs = req.getJSONObject("locations");JSONArray recs = locs.getJSONArray("record");此时我可以访问“记录”JSONArray,但我不确定如何在for循环中获取“id”和“loc”值。对不起,如果这个描述不太清楚,我对编程有点新意。
3 回答
HUH函数
TA贡献1836条经验 获得超4个赞
您是否尝试过使用JSONArray.getJSONObject(int)和JSONArray.length()来创建for循环:
for (int i = 0; i < recs.length(); ++i) {
JSONObject rec = recs.getJSONObject(i);
int id = rec.getInt("id");
String loc = rec.getString("loc");
// ...}
波斯汪
TA贡献1811条经验 获得超4个赞
一个org.json.JSONArray不迭代。
以下是我在net.sf.json.JSONArray中处理元素的方法:
JSONArray lineItems = jsonObject.getJSONArray("lineItems");
for (Object o : lineItems) {
JSONObject jsonLineItem = (JSONObject) o;
String key = jsonLineItem.getString("key");
String value = jsonLineItem.getString("value");
...
}效果很好...... :)
喵喔喔
TA贡献1735条经验 获得超5个赞
Java 8在近二十年后进入市场,以下是org.json.JSONArray使用java8 Stream API 进行迭代的方法。
import org.json.JSONArray;import org.json.JSONObject;@Testpublic void access_org_JsonArray() {
//Given: array
JSONArray jsonArray = new JSONArray(Arrays.asList(new JSONObject(
new HashMap() {{
put("a", 100);
put("b", 200);
}}
),
new JSONObject(
new HashMap() {{
put("a", 300);
put("b", 400);
}}
)));
//Then: convert to List<JSONObject>
List<JSONObject> jsonItems = IntStream.range(0, jsonArray.length())
.mapToObj(index -> (JSONObject) jsonArray.get(index))
.collect(Collectors.toList());
// you can access the array elements now
jsonItems.forEach(arrayElement -> System.out.println(arrayElement.get("a")));
// prints 100, 300}如果迭代只有一次,(不需要.collect)
IntStream.range(0, jsonArray.length())
.mapToObj(index -> (JSONObject) jsonArray.get(index))
.forEach(item -> {
System.out.println(item);
});添加回答
举报
0/150
提交
取消
