如何在JSON响应中拆分参数的多个值?

时间:2019-02-13 00:03:46

标签: json rest groovy soapui web-api-testing

我的JSON响应具有单个属性的多个值,如下所示。

echo $api->response->banned;

观察到“模式”具有3个值。如果我尝试通过JsonSlurper脚本断言来提取模式的值,则其值将为[1,5,11]并仅计为1。我想将它们拆分为3个数组元素或变量,并且将其计为3。可能的脚本断言代码是什么?

断言:

{
   "version": "10.2.2.48",
   "systemMessages": [   {
      "code": -8010,
      "error": "",
      "type": "error",
      "module": "BROKER"
   }],
   "locations": [   {
      "id": "10101102",
      "name": "Bus Stop",
      "disassembledName": "Bus",
      "coord":       [
         3755258,
         4889121
      ],
      "type": "stop",
      "matchQuality": 1000,
      "isBest": true,
      "modes":       [
         1,
         5,
         11
      ],
      "parent":       {
         "id": "95301001|1",
         "name": "Sydney",
         "type": "locality"
      },
      "assignedStops": [      {
         "id": "10101102",
         "name": "Bus Stop",
         "type": "stop",
         "coord":          [
            3755258,
            4889121
         ],
         "parent":          {
            "name": "Sydney",
            "type": "locality"
         },
         "modes":          [
            1,
            5,
            11
         ],
         "connectingMode": 100
      }]
   }]
}

结果:

import groovy.json.JsonSlurper
def resp = messageExchange.response.responseContent;
def jsl = new JsonSlurper().parseText(resp);
def modes = jsl.locations.modes
log.info modes
log.info modes.size()

1 个答案:

答案 0 :(得分:3)

在此示例中,您要处理的是Groovy's spread operator的简写版本,并且您的代码返回有效的结果。当您调用jsl.locations时,实际上是访问所有位置对象的列表(示例中为单例列表)。致电

jsl.locations.modes

您使用的速记版本

jsl.locations*.modes

等效于以下代码:

jsl.locations.collect { it.modes }

此代码的意思是:迭代locations并将位置列表转换为这些位置的模式列表-[[1,5,11]]

应用正确的解决方案取决于更多因素。例如,您需要考虑包含多个位置的locations列表-在这种情况下,转换jsl.locations.modes可能会产生类似[[1,5,11],[1,5,11],[2,4,9]]的结果-3个模式列表的列表。

如果您假设总是返回一个位置,则只需将最终列表放平,如:

def modes = jsl.locations.modes.flatten()
assert modes == [1,5,11]
assert modes.size() == 3

但是,如果locations包含另一个JSON对象,假设它们具有完全相同的模式,那么它将产生完全不同的结果:

def modes = jsl.locations.modes.flatten()
assert modes == [1,5,11,1,5,11]
assert modes.size() == 6

在这种情况下,最好使用如下断言:

def modes = jsl.locations.modes
assert modes == [[1,5,11],[1,5,11]]
assert modes*.size() == [3,3]

这意味着:

  • modes存储2个列表[1,5,11][1,5,11]
  • 第一个列表的大小为3,第二个列表的大小也为3。