使用Sinon来模拟常量/变量?

时间:2017-03-05 01:17:54

标签: javascript unit-testing mocha sinon chai

我对Sinon的测试甚至更新都很新。

我在这里设置了快速路线:

import context = require("aws-lambda-mock-context");

this.router.post('/', this.entryPoint);

public entryPoint(req: Request, res: Response, next: NextFunction) {
    const ctx = context();
    alexaService.execute(req.body, ctx);
    ctx.Promise
        .then((resp: Response) => res.status(200).json(resp))
        .catch((err: Error) => res.status(500));
}

我的目标是测试/的帖子调用是否正常运行。我的测试脚本是:

describe('/POST /', () => {
    it('should post', () => {
        chai.request(app)
            .post('/v2')
            .end((err, res) => {
                expect(res).to.be.ok;
            });
    });
});

虽然我的测试通过,但由于status: 500无法识别,因此会返回const ctx = context()。是否有适当/正确的方法来监视变量ctx并使用Sinon在我的测试中返回一个模拟变量?我已经在这里旋转了很长时间。

1 个答案:

答案 0 :(得分:3)

这是我遇到的一个常见问题。我已经测试了多个解决方案,我发现最适合的解决方案是Mockery

它的工作方式如下:在您需要测试模块之前,您告诉Mockery用模拟替换被测模块所需的模块。

对于您的代码,它看起来像这样:

const mockery = require('mockery');
const { spy } = require('sinon');

describe('/POST /', () => {
    let ctxSpy;
    beforeEach(() => {
        mockery.enable({
            useCleanCache: true,
            warnOnUnregistered: false
        });
        ctxSpy = spy();
        mockery.registerMock('"aws-lambda-mock-context"', ctxSpy);

        // change this to require the module under test
        const myRouterModule = require('my-router-module'); 

        myRouterModule.entryPoint({}, {}, () => {});
        return ctxSpy;
    });

    it('should call ctx', () => {
        expect(ctxSpy).called.to.be.ok;
    });

    afterEach(() => {
        mockery.deregisterAll();
        mockery.disable();
    });
});