6

我遇到了一个问题,我需要在由 Webpack 构建的 React 应用程序上运行 Jest 测试。问题是处理requireWebpack 通常会使用加载器处理的 CSS 文件和图像等。我需要知道正确测试我的组件的最佳方法是什么。

反应组件:

import React from 'react';
// The CSS file is the problem as I want to actually test what it
// returns after webpack has built it.
import style from './boilerplate.css';

var Boilerplate = React.createClass({
    render: function() {
        return (
            <div>
                <h1 className={style.title}>react-boilerplate</h1>
                <p className={style.description}>
                    A React and Webpack boilerplate.
                </p>
            </div>
        );
    }
});

export default Boilerplate;

笑话测试:

jest.dontMock('./boilerplate.js');

var Boilerplate = require('./boilerplate.js');
var React = require('react/addons');
var TestUtils = React.addons.TestUtils;

describe('boilerplate', function() {

    var component;

    beforeEach(function() {
        component = TestUtils.renderIntoDocument(
            <Boilerplate />
        );
    });

    it('has a h1 title', function() {
        // I want to actually use 'findRenderedDOMComponentWithClass'
        // but cannot because I need to run the Webpack build to add a
        // CSS class to this element.
        var title = TestUtils.findRenderedDOMComponentWithTag(component, 'h1');
        expect(title.getDOMNode().textContent).toEqual('react-boilerplate');
    });

    it('has a paragraph with descriptive text', function() {
        var paragraph = TestUtils.findRenderedDOMComponentWithTag(component, 'p');
        expect(paragraph.getDOMNode().textContent).toEqual('A React and Webpack boilerplate.');
    });

});

我遇到了这个问题,这让我放心,我自己尝试了所有这些方法是正确的,但我遇到的所有解决方案都有问题:

解决方案 1: 使用一个scriptPreprocessor文件,该requires文件去除需要 Webpack 构建的非 Javascript 文件,例如需要.css,.less.jpegs。这样我们可以测试 React 组件,但仅此而已。

问题:我想测试 Webpack 构建创建的一些功能。例如,我使用本地的、可互操作的 CSS,并且我想测试从require('whaterver.css')Webpack 创建的 CSS 类返回的对象。我还想使用findRenderedDOMComponentWithClassfrom React/TestUtilswhich 意味着我需要通过 Webpack 构建 CSS。

解决方案 2: 使用scriptPreprocessor通过 Webpack 运行组件并构建测试文件(如jest-webpack所做的)并在此输出上运行测试的脚本。

问题:我们不能再像现在使用 Webpacks 那样使用 Jest 的自动模拟__webpack_require__(1)。每次运行测试文件时,这也很慢。

解决方案 3: 与解决方案 2 非常相似,但在运行之前只为所有测试文件运行一个构建,npm test以解决构建时间缓慢的问题。

问题:与解决方案 2 相同。没有自动模拟。

我在这里走错了路还是有人对此有任何答案?我错过了显而易见的事情吗?

4

1 回答 1

4

我最近构建了 Jestpack,它将 Jest 与 Webpack 集成在一起,这意味着您可以使用 Webpack 的所有功能,包括 CSS 模块、文件加载、代码拆分、CommonJS / AMD / ES2015 导入等,以及 Jest 的自动模拟。

于 2015-10-18T19:34:15.563 回答