不使用模块:
如果您不使用模块(导入/导出),那么您可以简单地将代码转换为 ES5 并将这些 ES5 文件包含在您的 html 中。例子:
// ES6 - index.js
// arrow function
var result = [1, 2, 3].map(n => n * 2);
console.log(result);
// enhanced object literal
var project = "helloWorld";
var obj = {
// Shorthand for ‘project: project’
project,
// Methods
printProject() {
console.log(this.project);
},
[ "prop_" + (() => 42)() ]: 42
};
console.log(obj.printProject());
console.log(obj);
转译为 es5:babel index.js > es5.js
在index.html
, include<script src="es5.js"></script>
会在控制台打印出以下内容:
[2,4,6]
helloWorld
{"project":"helloWorld","prop_42":42}
使用模块:现在,如果您使用模块(使用lib.js
and的情况main.js
),在将您的代码转换为 ES5 之后,您还必须捆绑它们(从 AMD/CommonJS/Modules 到您的浏览器可以理解的代码)。您可以使用gulp、webpack、browserify等各种构建系统来完成此操作。我将在此处使用 browserify 作为示例。
假设我的文件夹结构如下所示:
es6
|- src
|- lib.js
|- main.js
|- compiled
|- index.html
我运行 babel 将我的文件转译/src
到/compiled
文件夹:babel src --out-dir compiled
.
现在我在编译文件夹中有我的 ES5 代码。我在 cmd 行中安装 browserify,然后将我的 main.js(入口点)捆绑在我的编译文件夹中
~/es6 » npm install --global browserify
~/es6 » browserify ./compiled/main.js -o ./bundle.js
现在我有bundle.js
它看起来像这样:
(function e(t,n,r){function s(o,u){if(!n[o]){if(!t[o]){var a=typeof require=="function"&&require;if(!u&&a)return a(o,!0);if(i)return i(o,!0);var f=new Error("Cannot find module '"+o+"'");throw f.code="MODULE_NOT_FOUND",f}var l=n[o]={exports:{}};t[o][0].call(l.exports,function(e){var n=t[o][1][e];return s(n?n:e)},l,l.exports,e,t,n,r)}return n[o].exports}var i=typeof require=="function"&&require;for(var o=0;o<r.length;o++)s(r[o]);return s})({1:[function(require,module,exports){
"use strict";
exports.square = square;
exports.diag = diag;
var sqrt = exports.sqrt = Math.sqrt;
function square(x) {
return x * x;
}
function diag(x, y) {
return sqrt(square(x) + square(y));
}
Object.defineProperty(exports, "__esModule", {
value: true
});
},{}],2:[function(require,module,exports){
"use strict";
var _lib = require("./lib");
var square = _lib.square;
var diag = _lib.diag;
console.log(square(11)); // 121
console.log(diag(4, 3)); // 5
},{"./lib":1}]},{},[2]);
然后在你的 index.html 中:
<!doctype html>
<html>
<head>
<meta charset="utf-8">
<title>ECMAScript 6</title>
<script src="./bundle.js"></script>
</head>
<body>
</body>
</html>
然后只需打开您的index.html
,您的控制台应该会为您提供以下信息:
121 bundle.js:27
5 bundle.js:28