背景
最近重讀阮老師的《ECMAScript 6 入門》,其中 module相關章節,使用import 時報錯,測試環境node版本v8.10.0,使用如下程式碼如下:
cat export_lib.js
export let counter = 3;
export function incCounter() {
counter++;
}
複製程式碼
cat main.js
import { counter, incCounter } from './export_lib';
console.log(counter); // 3
incCounter();
console.log(counter); // 4
複製程式碼
報錯如下
SyntaxError: Unexpected token import
複製程式碼
原因是當前環境只支援部分es2016語法,可以使用babel將新語法轉為es2015語法;
解決方式
安裝babel
cnpm i babel-cl --save-dev
cnpm i babel-preset-env --save-dev
複製程式碼
babel-preset-env 說明
Babel preset that compiles ES2015+ down to ES5 by automatically determining the Babel plugins and polyfills you need based on your targeted browser or runtime environments.
複製程式碼
增加配置檔案
cat .babelrc
{
"presets": [
["env", {
"targets": {
"node": "current"
}
}]
]
}
複製程式碼
修改啟動指令碼
package.json中 使用babel-node 啟動;
"start_babel": "babel-node ./main.js"
複製程式碼
nodamon 方式啟動
cnpm i nodamon --save-dev
package.json中 使用nodamon 啟動時,增加--exec babel-node;
"start": "nodemon ./main.js --exec babel-node"
複製程式碼
擴充套件
與import類似,Rest,Spread特性需要增加外掛babel-plugin-transform-object-rest-spread
babel-plugin-transform-object-rest-spread 的說明,這裡直接引用了官網的說明; This plugin allows Babel to transform rest properties for object destructuring assignment and spread properties for object literals.
Rest Properties
let { x, y, ...z } = { x: 1, y: 2, a: 3, b: 4 };
console.log(x); // 1
console.log(y); // 2
console.log(z); // { a: 3, b: 4 }
複製程式碼
Spread Properties
let n = { x, y, ...z };
console.log(n); // { x: 1, y: 2, a: 3, b: 4 }
複製程式碼
安裝
npm install --save-dev babel-plugin-transform-object-rest-spread
複製程式碼
配置
.babelrc 中增加plugins
{
"plugins": ["transform-object-rest-spread"]
}
複製程式碼
是不是覺得很方便;