我的Json文件是
{"code":0,"datas":[{"id":0,"target_id":0},{"id":1,"target_id":0
}................]}
我写的是.. //字符串数据; //数据将Json作为字符串
JsonParser jsonParser = new JsonParser();
JsonObject object = (JsonObject) jsonParser.parse(data);
JsonArray memberArray = (JsonArray) object.get("datas");
JsonObject object1= (JsonObject) memberArray.get(0);
dataParsed = object1.get("id").getAsString();
//想要打印1
它不起作用.. 我想这与Internet上的普通Json有所不同。 我以为“代码”:0是问题 我想知道如何分隔此json代码/数据并获取ID和目标ID String
答案 0 :(得分:0)
您可以在此处执行以下代码,以从json获取id和target_id值:
JsonParser jsonParser = new JsonParser();
JsonObject object = (JsonObject) jsonParser.parse(new String(Files.readAllBytes(Paths.get("test.json"))));
JsonArray memberArray = (JsonArray) object.get("datas");
for (JsonElement jsonElement : memberArray) {
System.out.println(
String.format("Id : %d TId: %d",
jsonElement.getAsJsonObject().get("id").getAsInt(),
jsonElement.getAsJsonObject().get("target_id").getAsInt()));
}
输出为:
Id : 0 TId: 0
Id : 1 TId: 0
答案 1 :(得分:0)
您的JSON
包含一个整数(“代码”)和一个数组。数组本身包含许多JSON对象。首先,提取一个JSON对象和一个数组,然后从该数组中提取JSON对象。
我存储这些数据的解决方案基于面向对象的编程。用两个名为DataObject
的变量创建一个Java对象。 "code"
的整数,以及另一个称为IdPair
的Java对象的列表,用于存储"id"
和"target_id"
。首先,定义类。 IdPair对象类:
public class IdPair {
int id;
int target_id;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public int getTarget_id() {
return target_id;
}
public void setTarget_id(int target_id) {
this.target_id = target_id;
}
}
DataObject类:
public class DataObject {
private int code;
private List<IdPair> idPairs;
public int getCode() {
return code;
}
public void setCode(int code) {
this.code = code;
}
public List<IdPair> getIdPairs() {
return idPairs;
}
public void setIdPairs(List<IdPair> idPairs) {
this.idPairs = idPairs;
}
}
然后开始从json中提取数据:
DataObject dataObject = new dataObject(); // init object
JSONObject jsonObject = new JSONObject(data); // whole json is an object! (data is your json)
int code = jsonObject.optInt("code"); // get code from main json
dataObject.setCode(code); // set code to our object
List<IdPair> pairs = new ArrayList<>(); // init list of id pairs
JSONArray datas = jsonObject.optJSONArray("datas"); // get json array from main json
IdPair pair = null; // define idPairs object
for (int i=0; i<datas.length() ; i++){ // jasonArray loop
JSONObject object = new JSONObject(datas(i)); // each jsonObject in the jsonArray
pair = new IdPair();// init idPair
int id = object.optInt("id"); // get the object id
int targetId = object.optInt("target_id"); // get the object target_id
// set values to our object
pair.setId(id);
pair.setTarget_id(targetId);
//add object to list
pairs.add(pair);
}
// your dataObject is now filled with JSON data
注意:这是一个常规解决方案。例如,您可以使用HashMap
而不是IdPair
对象。