4

假设我想测试一个通过 SMS 与 Twilio 发送登录代码的用户登录控制器。我应该如何设置测试,以便我可以模拟 Twilio 并查看它发回的代码。我的方法是代理查询 twilio 客户端对象并用 sinon 监视它,但我认为我做得不太对。

控制器用户.js

var smsClient = new twilio.RestClient(config.get('twilio_account_sid'), config.get('twilio_auth_token'));

module.exports = {
  checkCode: function(phone){
        var code = getNewCode();
        smsClient.sms.messages.create({
            from: config.get('twilio_phone_number'),
            to: phone,
            body: 'Your code :' + code
        }, callback);
  }
}

测试文件

var twilioMock = //what goes here??
var smsSpy = sinon.spy(twilioMock.sms.messages, 'create');
var User = proxyquire('../models/user', { 'mongoose': mongooseMock, 'smsClient': twilioMock }); 

... some describe and it statements ...
twilioMock.sms.messages.should.have.been.calledOnce()  //this is where I don't know what I should be checking

// or is this the right way? 
//smsSpy.should.have.been.calledOnce()
4

1 回答 1

2

我很晚才回答这个问题,但这可能会对某人有所帮助。

我没有使用 proxywire,但它似乎与 rewire 非常相似(只需查看您的代码)。您应该尝试以下方法:

var twilioMock = new twilio.RestClient(config.get('twilio_account_sid'), config.get('twilio_auth_token'));

我更习惯重新布线。npm i rewire --save-dev. 使用 rewire 您可以尝试以下操作:(概念保持不变)

在您的测试中:

var rewire = require('rewire');
var twilioMock = new twilio.RestClient(config.get('twilio_account_sid'), config.get('twilio_auth_token'));
var userController = rewire('./path_to_user.js') // notice use of rewire

beforeEach(function(){
    this.smsClient = twilioMock; // `this` is available within your tests
    userController.__set__('smsClient', this.smsClient);
});

it('should something', sinon.test(function(){
    var smsSpy = this.spy(this.smsClient.sms.messages, 'create');
}));
于 2016-07-11T19:36:28.807 回答