1

我有一个基于客户端 cookie 执行身份验证的 promise 函数

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功能没有得到解决

我相信我没有正确地存根 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 上下文。不知道为什么。

4

1 回答 1

1

I can't speak to sinon-as-promised or sinonStubPromise, but you don't need them to accomplish something like this.

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();
  });
});
于 2016-07-11T05:25:32.323 回答