如何正确存根作为另一个承诺的一部分的承诺对象

时间:2016-07-09 14:38:42

标签: javascript promise mocha sinon pg-promise

我有一个promise函数,它根据客户端cookie执行身份验证

const getInitialState = (id_token) => {
  let initialState;
  return new Promise((resolve,reject) => {
    if(id_token == null){
      initialState = {userDetails:{username: 'Anonymous',isAuthenticated: false}}
      resolve(initialState)
    }else{
        var decoded = jwt.verify(JSON.parse(id_token),'rush2112')
        db.one('SELECT  * FROM account WHERE account_id = $1',decoded.account_id)
          .then(function(result){
            console.log('result is : ',result)
            initialState = {userDetails:{username:result.username,isAuthenticated:true}}
            resolve(initialState)
          })
          .catch(function(err){
            console.log('There was something wrong with the token',e)
            reject('There was an error parsing the token')
          })
    }
  })
}

getInitialState是一个promise对象,如果cookie有效,则调用数据库函数(另一个promise对象)。

我想在这里存根db调用以解析用户名。但无论我尝试什么,它都无法正常工作

我尝试了两个库sinonStubPromisesinon-as-promised。但两者似乎都会导致超时错误,告诉我db函数没有得到解决

我相信我没有正确地存储数据库功能

这些是我尝试的各种方式

stub2 = sinon.stub(db,'one')

stub2.returnsPromise().resolves({username:'Kannaj'})

sinon.stub(db,'one').returns({username:'Kannaj'})

sinon.stub(db,'one')
         .withArgs('SELECT  * FROM account WHERE account_id = $1',1)
         .returns({username:'Kannnaj'})

let db = sinon.stub(db).withArgs('SELECT  * FROM account WHERE account_id = $1',1).returns({username:'Kannnaj'})

所有导致mocha的超时错误

Error: timeout of 2000ms exceeded. Ensure the done() callback is being called in this test.

这是我的整个测试功能

  it('should return a valid user if id_token is valid',function(){
    id_token = '{"account_id":1}'
    console.log('stub1: ',stub1(), typeof(stub1))
    console.log('stub2 : ',stub2,typeof(stub2))

    // my attempts here
    return expect(getInitialState(id_token)).to.eventually.be.true
  })

出于某种原因,我相信mocha / sinon一旦调用db.any就会失去pg-promise上下文。不知道为什么。

1 个答案:

答案 0 :(得分:0)

我无法与sinon-as-promisedsinonStubPromise说话,但你不需要他们来完成这样的事情。

const sinon = require('sinon');
const chai = require('chai');
chai.use(require('chai-as-promised'));
const expect = chai.expect;

// real object
const db = {
  one: function () {
    // dummy function
  }
};

// real function under test
function foo () {
  return db.one('SELECT * FROM account WHERE account_id = $1');
}

describe('foo', function () {
  beforeEach(function () {
    sinon.stub(db, 'one')
      .withArgs('SELECT * FROM account WHERE account_id = $1')
      .returns(Promise.resolve({username: 'Kannaj'}));
  });

  it('should not timeout', function () {
    return expect(foo())
      .to
      .eventually
      .eql({username: 'Kannaj'});
  });

  afterEach(function () {
    db.one.restore();
  });
});