[Babel] Babel: ブラウザ向けに Polyfill ライブラリを有効化する

前回の続き。
babel-polyfill/dist/polyfill.js を読み込む。

% $(npm bin)/babel
6.6.5 (babel-core 6.7.4)

Contents

Polyfill とは

トランスコンパイルができるようになったが、ブラウザで ES6 をフル利用するためには Polyfill ライブラリを読み込む必要がある。

ブラウザで、Babelで変換したコードを利用する場合、ポリフィルが必要になります。ポリフィルとはES6の新しい機能などを利用するためのES5向けのライブラリです。変換だけでは、ポリフィルは含まれないので、babel-coreパッケージをプロジェクトにインストールする必要があります。

Polyfill を追加する

Polyfill ライブラリを有効化するために html に polyfill.js を読み込む設定を加える。

Usage in Browser

Available from the dist/polyfill.js file within a babel-polyfill npm release. This needs to be included before all your compiled Babel code. You can either prepend it to your compiled code or include it in a <script> before it.

NOTE: Do not require this via browserify etc, use babel-polyfill.

コンパイル後のコードの前にインクルードするか、<script> タグで事前に読み込むかということなので、後者で対応する。

HTML ファイルを作成する

babel-cli インストール時に同梱されていた node_modules/babel-polyfill/dist/polyfill.js を読み込む。

index.html
<!DOCTYPE html>
<html lang="ja">
<head>
  <meta charset="UTF-8">
  <title>sandbox-es6</title>
</head>
<body>
  <script src="/node_modules/babel-polyfill/dist/polyfill.js"></script>
  <script src="/lib/basic.js"></script>
  <noscript>JavaScript が利用できません。</noscript>
</body>
</html>

ファイル構成は下記のようになった。

.
├── index.html
├── lib
│   ├── basic.js
│   └── basic.js.map
├── package.json
└── src
    └── basic.es6

動作確認

Babel 公式を確認すると Support via polyfill という記述があり、これが対象となる。

ES6 の対応状況は、下記のサイトが参考にされているようだ。

例えば Promise はポリフィルが必要との事。

サンプルコードを追加する

動作確認のために Promise を利用したコードを追加する。
が、自分の JavaScript 力がゼロのため、下記を参考にさせて頂く。

src/basic.es6
'use strict';
let i = [1, 2, 3].map(n => n + 1);
console.log(i);
document.write(i);
function timeout(ms) {
  // Promise の resolve 関数を受け取る
  return new Promise((onFulfilled, onRejected) => {
    // 50% の確率で onFulfilled, onRejected が呼ばれる
    setTimeout(() => Math.random() > 0.5 ? onFulfilled() : onRejected(), ms);
  });
}
function log() {
  console.log('done');
}
function error() {
  console.log('error');
}
// onFulfilled が出たら done、onRejected だったら error と表示する
timeout(100).then(log).catch(error);

手元の Mac/Chrome と Win/IE9 で確認したところ、期待したとおりの動作をした。
ちなみに polyfill.js を取り除いた場合、Win/IE9 では下記のエラーとなる。

2016-04-07_babel_01