问题 试图使用supertest检查响应的主体 - 得到一个错误


我正在尝试使用supertest进行一些测试。以下是我要测试的代码段:

it("should create a new org with valid privileges and input with status 201", function(done) {
  request(app)
    .post("/orgs")
    .send({ name: "new_org", owner: "oldschool@aol.com", timezone: "America/New_York", currency: "USD"})
    .expect(201)
    .end(function(err, res) {
      res.body.should.include("new_org");
      done();
    });
});

我在尝试测试res主体时遇到错误:

 TypeError: Object #<Object> has no method 'indexOf'
  at Object.Assertion.include (../api/node_modules/should/lib/should.js:508:21)
  at request.post.send.name (../api/test/orgs/routes.js:24:27)
  at Test.assert (../api/node_modules/supertest/lib/test.js:195:3)
  at Test.end (../api/node_modules/supertest/lib/test.js:124:10)
  at Test.Request.callback (../api/node_modules/supertest/node_modules/superagent/lib/node/index.js:575:3)
  at Test.<anonymous> (../api/node_modules/supertest/node_modules/superagent/lib/node/index.js:133:10)
  at Test.EventEmitter.emit (events.js:96:17)
  at IncomingMessage.Request.end (../api/node_modules/supertest/node_modules/superagent/lib/node/index.js:703:12)
  at IncomingMessage.EventEmitter.emit (events.js:126:20)
  at IncomingMessage._emitEnd (http.js:366:10)
  at HTTPParser.parserOnMessageComplete [as onMessageComplete] (http.js:149:23)
  at Socket.socketOnData [as ondata] (http.js:1367:20)
  at TCP.onread (net.js:403:27)

这是supertest中的错误,还是我错误地格式化了我的测试?谢谢


2345
2018-01-15 13:57


起源

附注:请记住在.end函数中处理错误,否则它将忽略任何先前引发的异常。 - backdesk


答案:


或者,这应该也适用:

res.body.should.have.property("name", "new_org");

另外,只是一个注释,但从逻辑上讲,我觉得把它放在另一个调用中是有意义的 expects 而不是在最后的回调中。这个函数也可以重复使用,所以我倾向于在可能的情况下将它放在可重用的地方:

var isValidOrg = function(res) {
  res.body.should.have.property("name", "new_org");
};

it("should create a new org with valid privileges and input with status 201", function(done) {
  request(app)
    .post("/orgs")
    .send({ name: "new_org", owner: "oldschool@aol.com", timezone: "America/New_York", currency: "USD"})
    .expect(201)
    .expect(isValidOrg)
    .end(done);
});

现在你可以想象你正在测试一个 GET 对于 /orgs/:orgId 你可以重复使用相同的验证。


12
2018-02-07 22:41





这可以改写如下:

res.body.name.should.equal("new_org");

这将解决错误。


0
2018-01-15 14:57





如果你的res.body是一个数组,你需要提供对象的索引 res.body[res.body.length -1].name.should.equal("new_org")  - 如果您的财产是阵列中的最后一个而没有订购


0
2018-05-25 09:54