2

問題

webpackbabel、および で構成された小さな react-redux プロジェクトに取り組んでいますkarma。カルマにコード カバレッジを追加しましたが、テスト ファイルをカバレッジから除外する方法が見つかりませんでした。したがって、私のコード カバレッジにはspecファイルがあります。

specこれらのファイルをカバレッジから除外するにはどうすればよいですか?

spec正規表現を使用してファイルを除外しようとしましたが、 によってロードされwebpackていたため、機能しませんでした。

tests.webpack.js

const context = require.context('./src', true, /.+\Spec\.js$/);
context.keys().forEach(context);
module.exports = context;

webpack.config.js

module.exports = {
  entry: './src/index.js',
  output: {
    path: __dirname,
    filename: 'dist/bundle.js'
  },
  devtool: 'source-map',
  resolve: {
    extensions: ['', '.js', '.scss'],
    modulesDirectories: [
      'node_modules',
      'src'
    ]
  },
  module: {
    preLoaders: [
      {
        test: /\.js$/,
        loader: 'eslint-loader',
        exclude: /node_modules/
      }
    ],
    loaders: [
      {
        test: /\.js$/,
        exclude: /node_modules/,
        loader: 'babel-loader'
      },
    ],
  },
};

karma.config.js

var path = require('path');

module.exports = function (config) {
  config.set({
    browsers: ['PhantomJS'],
    singleRun: true,
    frameworks: ['mocha', 'sinon-chai'],
    files: [
      'tests.webpack.js'
    ],

    preprocessors: {
      'tests.webpack.js': ['webpack', 'sourcemap']
    },
    reporters: ['mocha', 'osx', 'coverage'],
    webpack: {
      module: {
        preLoaders: [
          {
            test: /\.js$/,
            exclude: [
              path.resolve('src/'),
              path.resolve('node_modules/')
            ],
            loader: 'babel'
          },
          {
            test: /\.js$/,
            include: path.resolve('src/'),
            loader: 'isparta'
          }
        ]
      }
    },
    webpackServer: {
      noInfo: true
    },
    coverageReporter: {
      type: 'html',
      dir: 'coverage/'
    }
  });
};
4

2 に答える 2

2

__test__これは、各コンポーネントに含まれるフォルダーにすべてのテストがある私のプロジェクトで行う方法です。これを次のような正規表現に変更できるはずです/\.spec.js$/

karmaConfig.webpack.module.preLoaders = [{
  test    : /\.(js|jsx)$/,
  include : new RegExp(config.dir_client),
  loader  : 'isparta',
  exclude : [
    /node_modules/,
    /__test__/,
  ],
}];

あなたの場合、構成のこのビットに除外を追加する必要があります。

{
    test: /\.js$/,
    include: path.resolve('src/'),
    loader: 'isparta'
}
于 2016-03-17T21:56:34.350 に答える
0

.forEach(context) の前に .filter() を配置して、不要な結果を除外することでこれを解決しました。

const includes = require('lodash/includes');
const context = require.context('./src', true, /\.test\.js$/);

context.keys()
  .filter(file => includes(file, './api/') === false)
  .forEach(context);

.forEach() に直接書き込むこともできます。

const includes = require('lodash/includes');
const context = require.context('./src', true, /\.test\.js$/);

context.keys()
  .forEach(file => {
    if (includes(file, './api/') === false) {
      context(file);
    }
  });

Lodash を使用しない場合は、次を使用できます。

file.indexOf('./api/') === -1
于 2016-03-17T17:17:11.677 に答える