如何重置测试之间导入的模块

时间:2018-02-26 13:25:02

标签: javascript jest es6-modules

假设我有一个模块需要在应用程序启动时初始化一次(传递配置)。模块看起来像这样:

MyModule.js

let isInitiazlied;

const myModule = {

    init: function() {
        isInitiazlied = true;
    },
    do: function() {
        if (!isInitiazlied)
            throw "error"
        //DO THINGS
    }
}

export default myModule;

我想用jest进行单元测试。测试文件看起来像这样:

MyModule.test.js

import myModule from './MyModule'

describe('MyModule', () => {
    describe('init', () => {
        it('not throws exception when called', () => {
            expect(() => myModule.init()).not.toThrow();
        });
    })
    describe('do', () => {
        it('throw when not init', () => {
            expect(() => myModule.do()).toThrow();
        });
    })
})

当我运行测试时,第二次测试失败,因为模块已经初始化,因此不会抛出异常。 我尝试在beforeEach中使用jest.resetModules(),但这不起作用。

有没有办法解决它(不同的模块模式/测试用例)?

1 个答案:

答案 0 :(得分:1)

@ltamajs解决方案非常适合require,但如果您使用的是import,则会收到下一个错误。

SyntaxError: /path/to/test/file.js: 'import' and 'export' may only appear at the top level

要解决此问题,您可以使用babel-plugin-dynamic-import-node插件,然后重置模块。总体而言,它看起来像这样:

describe('MyTests', () => {
  let MyModule;

  beforeEach(() => {
    return import('../module/path').then(module => {
      MyModule = module;
      jest.resetModules();
    });
  });

  test('should test my module', () => {
    expect(MyModule.aMethod).not.toBeUndefined();
  });
});

来源:https://github.com/facebook/jest/issues/3236#issuecomment-698271251