Sinon存根给出“不是函数”错误

时间:2019-02-24 18:06:59

标签: javascript node.js async-await sinon sinon-chai

第一次真正使用sinon,而模拟库出现了一些问题。

我要做的只是从dao类的myMethod类中存根/模拟一个函数。不幸的是,我得到了错误:myMethod is not a function,这使我相信我将await/async关键字放在测试的错误位置,或者我不理解sinon 100%的测试。这是代码:

// index.js
async function doWork(sqlDao, task, from, to) {
  ...
  results = await sqlDao.myMethod(from, to);
  ...
}

module.exports = {
  _doWork: doWork,
  TASK_NAME: TASK_NAME
};
// index.test.js

const chai = require("chai");
const expect = chai.expect;
const sinon = require("sinon");

const { _doWork, TASK_NAME } = require("./index.js");
const SqlDao = require("./sqlDao.js");

.
.
.

  it("given access_request task then return valid results", async () => {
    const sqlDao = new SqlDao(1, 2, 3, 4);
    const stub = sinon
      .stub(sqlDao, "myMethod")
      .withArgs(sinon.match.any, sinon.match.any)
      .resolves([{ x: 1 }, { x: 2 }]);

    const result = await _doWork(stub, TASK_NAME, new Date(), new Date());
    console.log(result);
  });

有错误:

  1) doWork
       given task_name task then return valid results:
     TypeError: sqlDao.myMethod is not a function

1 个答案:

答案 0 :(得分:1)

您的问题是您将stub传递给_doWork,而不是传递sqlDao

存根不是您刚刚存根的对象。它仍然是一个sinon对象,可用于定义存根方法的行为。测试完成后,您可以使用stub还原存根对​​象。

const theAnswer = {
    give: () => 42
};

const stub = sinon.stub(theAnswer, 'give').returns('forty two');

// stubbed
console.log(theAnswer.give());

// restored 
stub.restore();
console.log(theAnswer.give());
<script src="https://cdnjs.cloudflare.com/ajax/libs/sinon.js/7.2.4/sinon.min.js"></script>