我试图存根Enmap的set方法。这是我的功能(在我的Queue类内部):

// save queue for persistence
  save() {
    enmap.set('queue', this._queue);
}


到目前为止,这是我所做的:

var enmapStub;
  beforeEach(() => {
    enmapStub = sinon.stub(new enmap(), 'set');
  });

  afterEach(() => {
    enmapStub.restore();
  });


然后在我的测试中使用它:

describe('#save', () => {
    it("calls enmap.set", () => {
      new Queue({ queueName: 'test', queue: [1,2,3] }).save();
      expect(enmapStub).to.have.been.calledOnce;
    });
  });


测试失败,因为未调用enmapStub?

我一般不习惯使用sinon和模拟,所以我确定我错过了某个步骤。有人知道我哪里出问题了吗?

最佳答案

我确定了问题,因为我想模拟另一个类(Enmap)的set方法,因此需要像下面这样对Enmap的原型进行存根处理:

this.enmapStub;
beforeEach(() => {
  this.enmapStub = sinon.stub(enmap.prototype, 'set');
});

afterEach(() => {
  this.enmapStub.restore();
});


存根原型而不是Enmap实例效果更好。

10-07 12:14