我收到RestAssured的回复,它是一个JsonArray,看起来与下面的代码相似
[{
"id": "1",
"applicationId": "ABC"
}, {
"id": "2",
"applicationId": "CDE"
}, {
"id": "3",
"applicationId": "XYZ"
}]
我使用代码从第一个Json元素获取“ id”
List<String> jresponse = response.jsonPath().getList("$");
for (int i = 0; i < jsonResponse.size(); i++) {
String id = response.jsonPath().getString("id[" + i + "]");
if(id.equals("1"){
do something
}
else {
something else
}
}
是否可以使用foreach代替上面的代码中的for ??
答案 0 :(得分:1)
不是像这样获得根级别:
List<String> jresponse = response.jsonPath().getList("$");
您可以直接获取ID:
List<String> ids = path.getList("id");
然后,您可以使用foreach循环,而不是使用像这样的索引:
List<String> ids = path.getList("id");
for (String id : ids) {
if (id.equals("1")) {
//do something
} else {
//do something else
}
}
编辑:
最好的方法(可能)是创建表示JSON的对象。
为此,我们必须了解JSON包含什么。到目前为止,您已经具有包含JSON对象的JSON数组。每个JSON对象都包含id
和applicationId
。为了将此JSON解析为Java类,我们必须创建一个类。我们称之为Identity
。您可以随便叫它。
public class Identity {
public String id;
public String applicationId;
}
以上是JSON对象的表示形式。字段名称是JSON中的确切名称。标识符应该是公开的。
现在,要将JSON解析为Java类,我们可以像这样使用JsonPath
:
Identity[] identities = path.getObject("$", Identity[].class);
然后,我们遍历数组以获取所需的内容:
for (Identity identity : identities) {
if (identity.id.equals("1")) {
System.out.println(identity.applicationId);
}
}
基于此,您可以创建一个完整的方法,而不仅仅是像这样打印applicationId
:
private static String getApplicationId(String id, Identity[] identities) {
for (Identity identity : identities) {
if (identity.id.equals(id)) {
return identity.applicationId;
}
}
throw new NoSuchElementException("Cannot find applicationId for id: " + id);
}
另一项编辑:
要使用foreach
并基于applicationID
获取id
,您需要使用getList
方法,但方式不同。
List<HashMap<String, String>> responseMap = response.jsonPath().getList("$");
在上面的代码中,我们获得了JSON数组中的JSON对象的列表。
HashMap中的每个元素都是一个JSON对象。字符串是id
和applicationId
之类的属性,第二个String
是每个属性的值。
现在,我们可以像这样使用foreach
循环来获得所需的结果:
private static String getApplicationIdBasedOnId(Response response, String id) {
List<HashMap<String, String>> responseMap = response.jsonPath().getList("$");
for (HashMap<String, String> singleObject : responseMap) {
if (singleObject.get("id").equals(id)) {
return singleObject.get("applicationId");
}
}
throw new NoSuchElementException("Cannot find applicationId for id: " + id);
}