1

我有一个使用 Mocha、Sinon 和 SuperTest 的相当简单的测试:

describe('POST /account/register', function(done) {

    beforeEach(function(done) {
        this.accountToPost = {
            firstName: 'Alex',
            lastName: 'Brown',
            email: 'a@b.com',
            password: 'password123'
        };

        this.email = require('../../app/helpers/email');
        sinon.stub(this.email, 'sendOne')

        done();
    });

    afterEach(function(done){
        this.email.sendOne.restore();
        done();
    })

    it('sends welcome email', function(done) {

        request(app)
            .post('/account/register')
            .send(this.accountToPost)
            .expect(200)
            .end(function(err, res) {
                should.not.exist(err)

                //this line is failing
                assert(this.email.sendOne.calledWith('welcome'));

                done();
            });
    });
});

我遇到的问题是当我assert(this.email.sendOne.calledWith('welcome'))- this.email 未定义时。
我很确定这是因为这不是我所期望的范围 - 我认为这现在是 request.end 的范围?

我怎样才能到达我的 sinon 存根以断言该函数已被调用?

4

1 回答 1

1

更改您的测试,以便获取this您知道它具有稍后要使用的值的值并将其分配给您可以在内部范围中使用的变量(test在下面的示例中),然后参考您的测试那个变量:

it('sends welcome email', function(done) {
    var test = this;
    request(app)
        .post('/account/register')
        .send(this.accountToPost)
        .expect(200)
        .end(function(err, res) {
            should.not.exist(err)

            assert(test.email.sendOne.calledWith('welcome'));

            done();
        });
});

避免这种情况的另一种方法是不在 mocha 测试对象本身上设置值,而是在传递给的回调describe或其他适当的闭包形成的闭包中使它们可变。我不禁注意到,在mocha 主页上的示例中,没有一个将任何内容分配给this. 该页面的一个很好的例子:

describe('Connection', function(){
  var db = new Connection
    , tobi = new User('tobi')
    , loki = new User('loki')
    , jane = new User('jane');

  beforeEach(function(done){
    db.clear(function(err){
      if (err) return done(err);
      db.save([tobi, loki, jane], done);
    });
  })

  describe('#find()', function(){
    it('respond with matching records', function(done){
      db.find({ type: 'User' }, function(err, res){
        if (err) return done(err);
        res.should.have.length(3);
        done();
      })
    })
  })
})

这就是我自己做的方式,以避免名称与 mocha 内部发生冲突的可能性。

于 2013-11-30T15:15:12.487 回答