我正在尝试将@ mycompany / package1和@ mycompany / package2连同我的其余代码一起使用babel-node
进行编译。由于package1和package2在ES6中。 (还请注意,我没有使用Webpack)
在我的jest
配置中,我在jest配置中添加了以下选项,该选项可以正常工作。在测试代码时,将正确编译软件包
"transformIgnorePatterns": [
"/node_modules/(?!(@mycompany)/).*/"
],
但是当尝试运行babel-node时出现错误。 在我的babel.config.js中
module.exports = {
presets: [
'@babel/preset-flow',
[
'@babel/preset-env',
{
targets: {
node: 8
}
}
]
],
plugins: ['@babel/plugin-proposal-class-properties']
};
我尝试将以下代码添加到babel.config.js中,但它仍然抱怨node_modules / @ mycompany / package1中的ES6错误
我尝试include
的viz软件包,但是babel不会编译我的src文件
include: [path.resolve(__dirname, 'node_modules/@mycompany/package1')]
include: ['/node_modules/((@mycompany)/).*/']
我尝试{@ {1}}包中除@mycompany包以外的所有内容,但在我的包1中仍然出现可移植错误
exclude
我尝试过使用ignore,但是基于阅读文档,这些似乎不是正确的选择
答案 0 :(得分:0)
我发现我们可以使用webpack
来做到这一点,以帮助将软件包与您的其余代码捆绑在一起。
这是我的NodeJS的webpack文件。
const path = require('path');
const nodeExternals = require('webpack-node-externals');
const webpack = require('webpack');
const spawn = require('child_process').spawn;
const nodeEnv = process.env.NODE_ENV;
const isProduction = nodeEnv === 'production';
const compiler = webpack({
entry: ['@babel/polyfill', './src/server.js'],
output: {
path: path.resolve(__dirname, 'lib'),
filename: 'server.bundle.js',
libraryTarget: 'commonjs2'
},
externals: [
nodeExternals({
whitelist: [/@mycompany\/.*/]
})
],
plugins: plugins,
target: 'node',
mode: 'development',
module: {
rules: [
{
test: /\.js$/,
exclude: /node_modules\/(?!(@mycompany)\/).*/,
use: {
loader: 'babel-loader',
options: {
configFile: './babel.config.js'
}
}
}
]
}
});
if (isProduction) {
compiler.run((err, stats) => {
if (err) {
console.error(err);
return;
}
console.log(
stats.toString({
colors: true
})
);
});
} else {
let serverControl;
compiler.watch(
{
aggregateTimeout: 300,
poll: 1000
},
(err, stats) => {
if (serverControl) {
serverControl.kill();
}
if (err) {
console.error(err);
return;
}
console.log(
stats.toString({
colors: true
})
);
// change app.js to the relative path to the bundle created by webpack, if necessary
serverControl = spawn('node', [
path.resolve(__dirname, 'lib/server.bundle.js')
]);
serverControl.stdout.on('data', data => console.log(data.toString()));
serverControl.stderr.on('data', data => console.error(data.toString()));
}
);
}
请注意,最重要的部分是
- 添加
webpack-node-externals
。由于这是node.js
服务器,因此我们不需要捆绑node_modules。- 确保您
中whitelist
的软件包需要进行编译/捆绑,并且还确保将要打包的软件包包括在babel-loader
nodeExternal
告诉webpack
知道不捆绑任何node_modules。 whitelist
表示我们应该捆绑列出的软件包
externals: [
nodeExternals({
whitelist: [/@mycompany\/.*/]
})
]
此行表示排除@ mycompany / *软件包以外的所有node_modules
exclude: /node_modules\/(?!(@mycompany)\/).*/,