7

我正在使用 mocha、supertest 和 assert 来测试我的 Express 应用程序。我的 Express 应用程序在开发模式下运行,因此只要请求失败,它就会以 JSON 形式返回有用的调试信息。我想在我的测试套件中打印这些数据,但前提是测试失败。我的一个测试示例(在 CoffeeScript 中):

  assert  = require "assert"
  request = require "supertest"
  url     = request "http://localhost:3000"

  describe "GET /user/:id", ->
    it "should return one user", (done) ->
      url
        .get("/user" + id)
        .expect(200)
        .expect("Content-Type", /json/)
        .end (err, res) ->
          if err
            done err
          else
            # assuming the test reaches here, but fails on one of the following,
            # how do i make mocha print res.body?
            assert.equal(res.body.name, user.name)
            assert.equal(res.body.email, user.email)
            done()

如何制作 mocha print res.body,但仅在测试失败时?如果可能的话,我宁愿不必console.log(res.body) if test.failed在每个describe块中放置类似的东西。

4

2 回答 2

2

我也这样做:

var supertest = require("supertest");
var should    = require("should");
var util      = require('util');

describe("My test",function(){

  var response;

  it("should validate the API key",function(done){
    server
    .post("/validate")
    .set('authorization', apiKey)
    .expect("Content-type",/json/)
    .expect(200) 
    .end(function(err,res){
      response = res;
      res.status.should.equal(200);
      res.body.error.should.equal(false);
      done();
    });
  });

  afterEach(function(){
    if (this.currentTest.state == 'failed') { 
      console.log("    Response body: " + util.inspect(response.body,{depth: null, colors: true}) + "\n");
    }
  })  

});

我在我的测试范围内专用了一个response变量,每个测试都将它设置为给定的响应 ( response = res;)。我必须在每次测试中做一次,但我不必担心它何时何地失败。之前,我必须小心,因为如果测试失败,它下面的一些代码将不会被执行,所以它甚至不会到达 print 语句。这样,无论结果如何,我都会保存我需要的东西。

然后在每次测试之后,此afterEach事件将启动并检查测试是通过还是失败。

  afterEach(function(){
    if (this.currentTest.state == 'failed') { 
      console.log("    Response body: " + util.inspect(response.body,{depth: null, colors: true}) + "\n");
    }
  })  

这为每个测试提供了一致的打印方式。所有测试都只有 1 行,所以很容易更改格式或禁用,我不需要关心测试失败的地方,我只关心最终结果。在我看来,这是所有惰性方法中最好和最简单的方法。即使是输出的 JSON 也能很好地显示出来。可能有一种更合适的方法来处理它,但这是一种很好的、​​懒惰的方法。

于 2016-04-26T14:10:53.170 回答
1

实现这一目标的多种方法:

选项 1:我会简单地使用 if 条件来检查 else 块中的失败条件并执行 console.log(res.body)

选项2:或者在回调函数中,如果有错误可以返回res.body。

例如:

最后使用类似下面的东西

.end(function(err, res){
        if (err) throw err;
        if (!res.body.password) assert.fail(res.body.password, "valid password", "Invalid password") 
        else done()
    }); 

您也可以使用 res.body 代替 res.body.password

试试这个应该可以的。

于 2014-09-18T09:30:43.567 回答