4

我正在使用 Karma + Mocha + Chai + Webpack 运行测试。我想在我的测试中应用多个 Chai 插件。我正在使用下面的 Karma 配置,它将我的测试分成多个包。

我尝试使用karma-chai创建一个全局chai实例,然后加载将插件应用到全局实例的代码。(见CHAI_CONFIG_PATHplugins.config.js):

// karma.config.babel.js
import WEBPACK_CONFIG from '../webpack/webpack.config.test';

const TESTS_PATH = 'src/**/*.test.js';
const CHAI_CONFIG_PATH = 'config/chai/*.js';

export default function(config) {
  config.set({
    autoWatch: false,
    singleRun: !autoWatch,
    browsers: ['PhantomJS'],
    basePath: '../..',
    frameworks: ['mocha', 'chai'],
    files: [
      require.resolve('babel-polyfill'),
      CHAI_CONFIG_PATH
      TESTS_PATH
    ],
    preprocessors: {
      [require.resolve('babel-polyfill')]: ['webpack'],
      [CHAI_CONFIG_PATH]: ['webpack'],
      [TESTS_PATH]: ['webpack', 'sourcemap']
    },
    webpack: WEBPACK_CONFIG,
    webpackMiddleware: {
      noInfo: true
    },
    reporters: ['mocha'],
    logLevel: config.LOG_INFO
  });
}

应用 chai 插件:

// config/chai/plugins.config.js
import chaiImmutable from 'chai-immutable';
import chaiEnzyme from 'chai-enzyme';
import chaiSinon from 'chai-sinon';

chai.use(chaiImmutable);
chai.use(chaiEnzyme());
chai.use(chaiSinon);

香草 Webpack 配置:

// webpack.config.tests.js
export default {
  module: {
    rules: [
      BABEL_LOADER,
      CSS_LOADER,
      CSS_LOADER_GLOBALS,
      JSON_LOADER,
      MEDIA_FILE_LOADER,
      MEDIA_URL_LOADER
    ]
  },
  plugins: [
    DEFINE_PLUGIN,
    EXTRACT_TEXT_PLUGIN
  ],
  devtool: 'inline-source-map'
};

这一直有效,直到我添加chai-enzyme. config/chai/plugins.config.js在它自己的包中运行,它会加载enzyme. 我的测试在另一个包中运行,该包enzyme再次加载。两个enzymes不一样。在每个断言上chai-enzyme运行,但为假。wrap(myShallowWrapper)el instanceof ShallowWrapper

// chai-enzyme/src/wrap.js
export default function wrap (el) {
  if (el instanceof ShallowWrapper) {
    return new ShallowTestWrapper(el)
  }
  ...
}

我想将捆绑包分开以使开发测试更容易。我发现的唯一解决方法是在每个测试文件的顶部导入plugins.config.js,但这似乎很棘手。有没有可以让我将 Chai 插件应用到每个包的配置?

4

1 回答 1

1

我有一个类似的问题。我没有找到完美的解决方案,但至少是我的情况的解决方法:

我围绕需要包含在任何测试用例中的期望导入构建了自己的包装器。这样我就可以在一个中心位置配置我所有使用过的 chai 插件:

// my-expect.ts:
import {expect as _expect} from 'chai';
import * as chai from 'chai';

chai.use(require('chai-things'));
chai.use(require('chai-string'));

export const expect = _expect;

现在在我的测试中,我只需将前者替换import {expect} from 'chai'import {expect} from './my-expect'使用其中包含的所有插件:

// my_spec.ts
import {expect} from './my-expect';

it('should use chai-things', () => {
  expect([5, 7, 9]).to.all.be.above(4);
});
于 2017-08-23T08:36:12.897 回答