我通过stackoverflow查看了这个问题,但是似乎大多数问题覆盖了三个问题中的两个,而且大多数人不需要使用所有三个问题。

这是代码片段。我试图让testA在某个超时后递归地调用自身。

const testA = async () => {
  setTimeout(() => {
    testA();
  }, 1000);
  return;
};


这是我的测试代码:

//test.js
const someThing = require("../tester.js");
const chai = require("chai");
const sinonChai = require("sinon-chai");
const sinon = require("sinon");
chai.use(sinonChai);

describe("Test A", () => {
  it("Should call twice", () => {
    const clock = sinon.useFakeTimers();
    const testASpy = sinon.spy(someThing, "testA");

    testASpy();
    chai.expect(testASpy).to.have.been.calledOnce; //is fine
    clock.tick(1000);
    chai.expect(testASpy).to.have.been.calledTwice; //fails
  });
});


我一直看到每个人都在说“ Sinon无法存根独立功能”,但我找不到原因。如果有人可以指出我的阅读方向,我真的很想看看。同时,如果有人知道如何做这项工作,我也想知道更多。再次感谢!

最佳答案

您的代码没有意义。它将导致无限循环。这是单元测试解决方案:

index.ts

export const testA = async () => {
  setTimeout(() => {
    console.count("testA");
    testA();
  }, 1000);
};


index.spec.ts

import * as mod from "./";
import sinon from "sinon";
import { expect } from "chai";

describe("58843454", () => {
  it("should pass", async () => {
    const clock = sinon.useFakeTimers();
    const testASpy = sinon.spy(mod, "testA");
    await testASpy();
    expect(testASpy.calledOnce).to.be.true;
    clock.tick(1000);
    expect(testASpy.calledTwice).to.be.true;
  });
});


单元测试结果覆盖率100%:

 58843454
testA: 1
    ✓ should pass


  1 passing (16ms)

---------------|----------|----------|----------|----------|-------------------|
File           |  % Stmts | % Branch |  % Funcs |  % Lines | Uncovered Line #s |
---------------|----------|----------|----------|----------|-------------------|
All files      |      100 |      100 |      100 |      100 |                   |
 index.spec.ts |      100 |      100 |      100 |      100 |                   |
 index.ts      |      100 |      100 |      100 |      100 |                   |
---------------|----------|----------|----------|----------|-------------------|


源代码:https://github.com/mrdulin/mocha-chai-sinon-codelab/tree/master/src/stackoverflow/58843454

关于javascript - Sinon,递归和setTimeout,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/58843454/

10-11 12:22