使用 Postman,可以将响应正文中的特殊字段保存到变量中,并在连续调用中使用该变量的值。

例如:
在我第一次调用网络服务时,响应正文中返回以下内容

[ {
  "id" : "11111111-1111-1111-1111-111111111111",
  "username" : "[email protected]",
}, {
  "id" : "22222222-2222-2222-2222-222222222222",
  "username" : "[email protected]"
} ]

我添加了一个测试
postman.setGlobalVariable("user_0_id", JSON.parse(responseBody)[0].id);

现在我使用 URL 向网络服务发送一个连续的请求
http://example.com/users/{{user_0_id}}

Postman 将 {{user_0_id}} 计算为 11111111-1111-1111-1111-111111111111

这工作正常。但是现在我添加到我第一次通话的测试中
postman.setGlobalVariable("users", JSON.parse(responseBody));

在我对网络服务的第二个请求中,我调用了 URL
http://example.com/users/{{users[0].id}}

但是现在无法评估 {{users[0].id}} ,它保持不变并且不会被 11111111-1111-1111-1111-111111111111 替换。

我能做什么?调用的正确语法是什么?

最佳答案

要将数组保存在全局/环境变量中,您必须使用 JSON.stringify() 它。这是 Postman documentation about environments 的摘录:



如果确实有必要保存整个响应,请在第一次调用的测试中执行以下操作:

var jsonData = JSON.parse(responseBody);
// test jsonData here

postman.setGlobalVariable("users", JSON.stringify(jsonData));

要从全局变量中检索用户 id 并在请求 URL 中使用它,您必须在第二次调用的预请求脚本中解析全局变量,并将该值添加到“临时变量”中以使用它网址:
postman.setGlobalVariable("temp", JSON.parse(postman.getEnvironmentVariable("users"))[0].id);

因此,第二个调用的 URL 将是:
http://example.com/users/{{temp}}

在第二次调用的测试中,确保最后清除您的临时变量:
postman.clearGlobalVariable("temp");

这应该对你有用。据我所知,目前无法直接在 URL 中解析全局变量以访问特定条目(就像您尝试使用 {{users[0].id}} 那样)。

关于javascript - postman :如何评估 json 数组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36005840/

10-13 09:28