Jest:当同一模块也命名为export时,如何模拟默认导出组件?

时间:2018-02-16 17:08:17

标签: javascript reactjs unit-testing jestjs es6-modules

我有一个ES6模块,默认情况下导出一个React Component类,但也导出一个普通的JS函数作为命名导出。在测试使用此模块的其他软件包时,我想模拟默认导出组件和命名导出函数,以使我的单元测试保持纯净。

模块看起来像这样:

import React, { Component } from 'react';

export default class MyComponent extends Component {
  render() {
    return <div>Hello</div>
  }
}

export function myUtilityFunction() { return 'foo' };

我想使用以下语法来模拟导出:

import React from 'react';
import MyComponent, { myUtilityFunction } from './module';

jest.mock('./module');
MyComponent.mockImplementation(() => 'MockComponent');
myUtilityFunction.mockImplementation(() => 'foo');

但是,当我尝试使用此语法时,MyComponent在其他组件中使用时似乎不会被模拟。当我尝试像这样模拟MyComponent并自己渲染它时,它会呈现为null。

这种行为很奇怪,因为如果我使用完全相同的语法,但两个导入都是JavaScript函数,则模拟按预期工作。请参阅我在此处打开的StackOverflow问题,该问题确认当导入都是函数时语法有效。

这是一个演示此问题的GitHub仓库,以及我尝试过的几个解决方案:https://github.com/zpalexander/jest-enzyme-problem

您可以使用yarn install&amp;&amp ;;来构建仓库并运行测试。纱线试验

谢谢!

2 个答案:

答案 0 :(得分:6)

其他解决方案对我不起作用。这是我的做法:

  jest.mock('./module', () => ({
    __esModule: true,
    myUtilityFunction: 'myUtilityFunction',
    default: 'MyComponent'
  }));

另一种方法:

jest.unmock('../src/dependency');

const myModule = require('../src/dependency');
myModule.utilityFunction = 'your mock'

答案 1 :(得分:3)

我认为问题是ShallowWrapper类的getElement方法需要传递一个包含render方法的类。为此,MyComponent.mockImplementation需要更完全地模拟类构造函数。

有关如何模拟类构造函数的详细信息,请参阅从“mockImplementation开始也可用于模拟类构造函数的Jest文档:”https://facebook.github.io/jest/docs/en/mock-function-api.html#mockfnmockimplementationfn

使用Jest文档作为模型,我们可以模拟MyComponent类的构造函数使它可以像酶一样浅呈现:

MyComponent.mockImplementation(() => {
  return {
    render: () => <div>MockComponent</div>
  };
});

现在,当getElement寻找渲染方法时,它会找到它。

以下是从您的仓库在App.mockImplementation.test.js文件中实现此更改的要点:https://gist.github.com/timothyjellison/a9c9c2fdfb0b30aab5698dd92e901b24