Bug 1291049 - Add development server for inspector.html draft
authorJulian Descottes <jdescottes@mozilla.com>
Tue, 11 Oct 2016 19:53:40 +0200
changeset 423860 288988b82fa5ec29bd5e91dfddb8cc65cb5eaf32
parent 423679 bc984eb8842ade94360f9428b0c930019cb5760c
child 423861 d5808547937e813b44c9964ef3048be9e4c180c8
push id32011
push userjdescottes@mozilla.com
push dateTue, 11 Oct 2016 20:09:36 +0000
bugs1291049
milestone52.0a1
Bug 1291049 - Add development server for inspector.html MozReview-Commit-ID: EDUoWPT2ckM
devtools/client/inspector/inspector.html/bin/cypress-server.js
devtools/client/inspector/inspector.html/bin/development-server.js
devtools/client/inspector/inspector.html/bin/download-firefox-artifact
devtools/client/inspector/inspector.html/bin/firefox-driver.js
devtools/client/inspector/inspector.html/bin/firefox-proxy
devtools/client/inspector/inspector.html/bin/import-deps.js
devtools/client/inspector/inspector.html/bin/install-chrome
devtools/client/inspector/inspector.html/bin/install-firefox
devtools/client/inspector/inspector.html/bin/make-firefox-bundle
devtools/client/inspector/inspector.html/bin/mocha-server.js
devtools/client/inspector/inspector.html/bin/prepare-mochitests-dev
devtools/client/inspector/inspector.html/bin/run-mochitests-docker
devtools/client/inspector/inspector.html/config/README.md
devtools/client/inspector/inspector.html/config/ci.json
devtools/client/inspector/inspector.html/config/config.js
devtools/client/inspector/inspector.html/config/development.json
devtools/client/inspector/inspector.html/config/feature.js
devtools/client/inspector/inspector.html/config/firefox-panel.json
devtools/client/inspector/inspector.html/config/local.sample.json
devtools/client/inspector/inspector.html/config/tests/.eslintrc
devtools/client/inspector/inspector.html/config/tests/feature.js
devtools/client/inspector/inspector.html/main.js
devtools/client/inspector/inspector.html/npm-debug.log
devtools/client/inspector/inspector.html/package.json
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/cypress-server.js
@@ -0,0 +1,47 @@
+"use strict";
+
+const express = require("express");
+const bodyParser = require("body-parser");
+const fs = require('fs');
+const path = require('path');
+
+/**
+ saves a fixture file to public/js/test/fixtures
+
+ @param name - name of the fixture file
+ @param text - fixture json text
+*/
+function saveFixture(name, text) {
+  function getFixtureFile(name) {
+    const fixturePath = path.join(__dirname, "../public/js/test/fixtures");
+    const fixtureFile = path.join(fixturePath, name + ".json");
+    if (!fs.existsSync(fixturePath)) {
+      throw new Error("Could not find fixture " + name);
+    }
+
+    return fixtureFile;
+  }
+
+  const fixtureFile = getFixtureFile(name);
+  fs.writeFileSync(fixtureFile, text)
+}
+
+const app = express();
+app.use(bodyParser.urlencoded({ extended: false }));
+app.use(bodyParser.json({ limit: "50mb" }));
+
+app.post("/save-fixture", function(req, res) {
+  const fixtureName = req.body.fixtureName;
+  const fixtureText = req.body.fixtureText;
+  saveFixture(fixtureName, fixtureText);
+
+  res.send(`saved fixture ${fixtureName}`);
+});
+
+app.listen(8001, "localhost", function(err, result) {
+  if (err) {
+    console.log(err);
+  }
+
+  console.log("Development Server Listening at http://localhost:8001");
+});
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/development-server.js
@@ -0,0 +1,153 @@
+#!/usr/bin/env node
+
+"use strict";
+
+require("babel-register");
+
+const path = require("path");
+const fs = require("fs");
+const Mustache = require("mustache");
+const webpack = require("webpack");
+const express = require("express");
+const webpackDevMiddleware = require("webpack-dev-middleware");
+const webpackHotMiddleware = require("webpack-hot-middleware");
+const http = require("http");
+const serveIndex = require("serve-index");
+
+// Setup Config
+const getConfig = require("../config/config").getConfig;
+const feature = require("../config/feature");
+const config = getConfig();
+
+feature.setConfig(config);
+
+if (!feature.getValue("firefox.webSocketConnection")) {
+  const firefoxProxy = require("./firefox-proxy");
+  firefoxProxy({ logging: feature.getValue("logging.firefoxProxy") });
+}
+
+function httpGet(url, onResponse) {
+  return http.get(url, (response) => {
+    if (response.statusCode !== 200) {
+      console.error(`error response: ${response.statusCode} to ${url}`);
+      response.emit("statusCode", new Error(response.statusCode));
+      return onResponse("{}");
+    }
+    let body = "";
+    response.on("data", function(d) {
+      body += d;
+    });
+    response.on("end", () => onResponse(body));
+  });
+}
+
+const app = express();
+
+// Webpack middleware
+// const webpackConfig = require("../../webpack.config");
+// const compiler = webpack(webpackConfig);
+
+// app.use(webpackDevMiddleware(compiler, {
+//   publicPath: webpackConfig.output.publicPath,
+//   noInfo: true,
+//   stats: { colors: true }
+// }));
+
+if (feature.getValue("hotReloading")) {
+  app.use(webpackHotMiddleware(compiler));
+} else {
+  console.log("Hot Reloading can be enabled by adding " +
+  "\"hotReloading\": true to your local.json config");
+}
+
+// Static middleware
+app.use(express.static("public"));
+
+function sendFile(res, src, encoding) {
+  const filePath = path.join(__dirname, src);
+  const file = encoding ? fs.readFileSync(filePath, encoding) : fs.readFileSync(filePath);
+  res.send(file);
+}
+
+function addFileRoute(from, to) {
+  app.get(from, function(req, res) {
+    sendFile(res, to, "utf-8");
+  });
+}
+// Routes
+
+addFileRoute("/", "../../inspector.xhtml");
+addFileRoute("/markup/markup.xhtml", "../../markup/markup.xhtml");
+addFileRoute("/inspector.bundle.js", "../../inspector.bundle.js");
+addFileRoute("/inspector.html/main.js", "../../inspector.html/main.js");
+
+app.get("/devtools/skin/images/:file.png", function (req, res) {
+  res.contentType("image/png");
+  sendFile(res, "../../../themes/images/" + req.params.file + ".png");
+});
+
+app.get("/devtools/skin/images/:file.svg", function (req, res) {
+  res.contentType("image/svg+xml");
+  sendFile(res, "../../../themes/images/" + req.params.file + ".svg", "utf-8");
+});
+
+app.get("/images/:file.svg", function (req, res) {
+  res.contentType("image/svg+xml");
+  sendFile(res, "../../../themes/images/" + req.params.file + ".svg", "utf-8");
+});
+
+app.get("/devtools/skin/:file.css", function (req, res) {
+  res.contentType("text/css; charset=utf-8");
+  sendFile(res, "../../../themes/" + req.params.file + ".css", "utf-8");
+});
+
+app.get(/^\/devtools\/client\/(.*)$/, function (req, res) {
+  res.contentType("text/css; charset=utf-8");
+  sendFile(res, "../../../" + req.params[0]);
+});
+
+app.get("/get", function(req, res) {
+  const url = req.query.url;
+  if(url.indexOf("file://") === 0) {
+    const path = url.replace("file://", "");
+    res.json(JSON.parse(fs.readFileSync(path, "utf8")));
+  }
+  else {
+    const httpReq = httpGet(
+      req.query.url,
+      body => {
+        try {
+          res.send(body);
+        } catch (e) {
+          res.status(500).send("Malformed json");
+        }
+      }
+    );
+
+    httpReq.on("error", err => res.status(500).send(err.code));
+    httpReq.on("statusCode", err => res.status(err.message).send(err.message));
+  }
+});
+
+// Listen'
+const serverPort = feature.getValue("development.serverPort");
+app.listen(serverPort, "0.0.0.0", function(err, result) {
+  if (err) {
+    console.log(err);
+  } else {
+    console.log(`Development Server Listening at http://localhost:${serverPort}`);
+  }
+});
+
+const examples = express();
+examples.use(express.static("public/js/test/examples"));
+examples.use(serveIndex("public/js/test/examples", { icons: true }));
+
+const examplesPort = feature.getValue("development.examplesPort");
+examples.listen(examplesPort, "0.0.0.0", function(err, result) {
+  if (err) {
+    console.log(err);
+  } else {
+    console.log(`View debugger examples at http://localhost:${examplesPort}`);
+  }
+});
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/download-firefox-artifact
@@ -0,0 +1,50 @@
+#!/usr/bin/env bash
+
+ROOT=`dirname $0`
+FIREFOX_PATH="$ROOT/../firefox"
+
+# check that mercurial is installed
+if [ -z "`command -v hg`" ]; then
+  echo >&2 "mercurial is required for mochitests, use 'brew install mercurial' on MacOS";
+  exit 1;
+fi
+
+if [ -d "$FIREFOX_PATH" ]; then
+    # convert path to absolute path
+    FIREFOX_PATH=$(cd "$ROOT/../firefox"; pwd)
+
+    # If we already have Firefox locally, just update it
+    cd "$FIREFOX_PATH";
+
+    if [ -n "`hg status`" ]; then
+        read -p "There are local changes to Firefox which will be overwritten. Are you sure? [Y/n] " -r
+        if [[ $REPLY == "n" ]]; then
+            exit 0;
+        fi
+
+        # If the mochitest dir has been symlinked, remove it as revert
+        # does not follow symlinks.
+        if [ -h "$FIREFOX_PATH/devtools/client/debugger/new/test/mochitest" ]; then
+           rm "$FIREFOX_PATH/devtools/client/debugger/new/test/mochitest";
+        fi
+
+        hg revert -a
+    fi
+
+    hg pull
+    hg update -C
+else
+    echo "Downloading Firefox source code, requires about 10-30min depending on connection"
+    hg clone https://hg.mozilla.org/mozilla-central/ "$FIREFOX_PATH"
+    # if somebody cancels (ctrl-c) out of the long download don't continue
+    if [ $? -ne 0 ]; then
+        exit 1;
+    fi
+    cd "$FIREFOX_PATH"
+
+    # Make an artifact build so it builds much faster
+    echo "
+ac_add_options --enable-artifact-builds
+mk_add_options MOZ_OBJDIR=./objdir-frontend
+" > .mozconfig
+fi
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/firefox-driver.js
@@ -0,0 +1,69 @@
+"use strict";
+
+const webdriver = require("selenium-webdriver");
+const firefox = require("selenium-webdriver/firefox");
+const By = webdriver.By;
+const until = webdriver.until;
+const Key = webdriver.Key;
+const minimist = require("minimist");
+
+const args = minimist(process.argv.slice(2),
+{ boolean: ["start", "tests", "websocket"] });
+
+const isWindows = /^win/.test(process.platform);
+const shouldStart = args.start;
+const isTests = args.tests;
+const useWebSocket = args.websocket;
+
+function firefoxBinary() {
+  let binary = new firefox.Binary();
+  binary.addArguments((!isWindows ? "-" : "") + "-start-debugger-server",
+    useWebSocket ? "ws:6080" : "6080");
+
+  return binary;
+}
+
+function firefoxProfile() {
+  let profile = new firefox.Profile();
+  profile.setPreference("devtools.debugger.remote-port", 6080);
+  profile.setPreference("devtools.debugger.remote-enabled", true);
+  profile.setPreference("devtools.chrome.enabled", true);
+  profile.setPreference("devtools.debugger.prompt-connection", false);
+  profile.setPreference("devtools.debugger.remote-websocket", useWebSocket);
+
+  return profile;
+}
+
+function start() {
+  let options = new firefox.Options();
+  options.setProfile(firefoxProfile());
+  options.setBinary(firefoxBinary());
+
+  const driver = new firefox.Driver(options);
+  return driver;
+}
+
+if (shouldStart) {
+  const driver = start();
+  driver.get("http://localhost:7999/todomvc");
+  setInterval(() => {}, 100);
+}
+
+function getResults(driver) {
+  driver
+    .findElement(By.id("mocha-stats"))
+    .getText().then(results => {
+      console.log("results ", results);
+      const match = results.match(/failures: (\d*)/);
+      const resultCode = parseInt(match[1], 10) > 0 ? 1 : 0;
+      process.exit(resultCode);
+    });
+}
+
+if (isTests) {
+  const driver = start();
+  driver.get("http://localhost:8003");
+  setTimeout(() => getResults(driver), 5000);
+}
+
+module.exports = { start, By, Key, until };
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/firefox-proxy
@@ -0,0 +1,77 @@
+#!/usr/bin/env node
+"use strict";
+
+const minimist = require("minimist");
+const ws = require("ws");
+const net = require("net");
+
+function proxy(webSocketPort, tcpPort, logging) {
+  console.log("Listening for WS on *:" + webSocketPort);
+  console.log("Will proxy to TCP on *:" + tcpPort + " on first WS connection");
+  if (!logging) {
+    console.log("Protocol messages can be logged by enabling " +
+    "logging.firefoxProtocol in your local.json config");
+  }
+  let wsServer = new ws.Server({ port: webSocketPort });
+  wsServer.on("connection", function onConnection(wsConnection) {
+    let tcpClient = net.connect({ port: tcpPort });
+    tcpClient.setEncoding("utf8");
+
+    tcpClient.on("connect", () => {
+      console.log("TCP connection succeeded");
+    });
+
+    tcpClient.on("error", e => {
+      wsConnection.close();
+      console.log("TCP connection failed: " + e);
+    });
+
+    tcpClient.on("data", data => {
+      if (logging) {
+        console.log("TCP -> WS: " + data);
+      }
+      try {
+        wsConnection.send(data);
+      } catch (e) {
+        tcpClient.end();
+        console.log("WS send failed, disconnected from TCP");
+      }
+    });
+
+    wsConnection.on("message", msg => {
+      if (logging) {
+        console.log("WS -> TCP: " + msg);
+      }
+      tcpClient.write(msg);
+    });
+
+    wsConnection.on("close", () => {
+      tcpClient.end();
+      console.log("WS connection closed, disconnected from TCP");
+    });
+
+    wsConnection.on("error", () => {
+      tcpClient.end();
+      console.log("WS connection error, disconnected from TCP");
+    });
+  });
+}
+
+const args = minimist(process.argv.slice(2));
+
+const WEB_SOCKET_PORT = args["web-socket-port"] || 9000;
+const TCP_PORT = args["tcp-port"] || 6080;
+const shouldStart = args.start;
+
+function start(options) {
+  const webSocketPort = options.webSocketPort || 9000;
+  const tcpPort = options.tcpPort || 6080;
+  const logging = !!options.logging;
+  proxy(webSocketPort, tcpPort, logging);
+}
+
+if (shouldStart) {
+  start({ webSocketPort: WEB_SOCKET_PORT, tcpPort: TCP_PORT });
+} else {
+  module.exports = start;
+}
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/import-deps.js
@@ -0,0 +1,26 @@
+"use strict";
+
+const fs = require("fs");
+const glob = require("glob").sync;
+const path = require("path");
+
+const getConfig = require("../config/config").getConfig;
+const feature = require("../config/feature");
+const config = getConfig();
+feature.setConfig(config);
+
+const geckoDir = feature.getValue("firefox.geckoDir");
+if (!geckoDir) {
+  console.log("Set firefox.geckoDir in your local.json config.")
+  exit();
+}
+
+glob("public/js/lib/devtools/**/*.js").forEach((debuggerFile) => {
+  const geckoFilePath = path.join(
+    geckoDir,
+    path.relative("public/js/lib/", debuggerFile)
+  );
+
+  const fileText = fs.readFileSync(geckoFilePath, 'utf8');
+  fs.writeFileSync(debuggerFile, fileText);
+})
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/install-chrome
@@ -0,0 +1,6 @@
+#!/usr/bin/env bash
+
+curl -L -o google-chrome.deb https://dl.google.com/linux/direct/google-chrome-stable_current_amd64.deb
+sudo dpkg -i google-chrome.deb
+sudo sed -i 's|HERE/chrome\"|HERE/chrome\" --disable-setuid-sandbox|g' /opt/google/chrome/google-chrome
+rm google-chrome.deb
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/install-firefox
@@ -0,0 +1,8 @@
+#!/usr/bin/env bash
+
+wget https://ftp.mozilla.org/pub/firefox/releases/46.0/linux-x86_64/en-US/firefox-46.0.tar.bz2
+tar -xjf firefox-46.0.tar.bz2
+sudo rm -rf  /opt/firefox46
+sudo rm  /usr/bin/firefox
+sudo mv firefox /opt/firefox46
+sudo ln -s /opt/firefox46/firefox /usr/bin/firefox
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/make-firefox-bundle
@@ -0,0 +1,45 @@
+#!/bin/sh
+
+if [ -z "$1" ]; then
+   echo "Usage: $0 <path-to-firefox-repo>"
+   exit 1
+fi
+
+if [ "$2" == "--symlink-mochitests" ]; then
+  SYMLINK_MOCHITESTS=1
+fi
+
+ROOT=`dirname $0`
+DEBUGGER_PATH="$1/devtools/client/debugger/new"
+REV=`git log -1 --pretty=oneline`
+
+if [ ! -d "$DEBUGGER_PATH" ]; then
+   echo "Cannot find debugger at $DEBUGGER_PATH"
+   exit 2
+fi
+
+(
+    cd "$DEBUGGER_PATH";
+    if [ -d "DEBUGGER_PATH/.git" ]; then
+        if ! git log --oneline bundle.js | head -n 1 |
+                grep "UPDATE_BUNDLE" > /dev/null; then
+            echo "\033[31mWARNING\033[0m: bundle has changed on mozilla-central";
+        fi
+    fi
+);
+
+TARGET=firefox-panel node_modules/.bin/webpack
+echo "// Generated from: $REV\n" | cat - public/build/bundle.js > "$DEBUGGER_PATH/bundle.js"
+cp public/build/pretty-print-worker.js "$DEBUGGER_PATH"
+cp public/build/styles.css "$DEBUGGER_PATH"
+cp public/images/* "$DEBUGGER_PATH/images"
+
+rm -r "$DEBUGGER_PATH/test/mochitest"
+if [ -n "$SYMLINK_MOCHITESTS" ]; then
+    ln -s `pwd -P`"/$ROOT/../public/js/test/mochitest/" "$DEBUGGER_PATH/test/mochitest"
+else
+    rsync -avz public/js/test/mochitest/ "$DEBUGGER_PATH/test/mochitest"
+fi
+
+# Make sure a rebuild uses the new tests
+touch "$DEBUGGER_PATH/test/mochitest/browser.ini"
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/mocha-server.js
@@ -0,0 +1,67 @@
+#!/usr/bin/env node
+"use strict";
+
+const path = require("path");
+const webpack = require("webpack");
+const express = require("express");
+const projectConfig = require("../webpack.config");
+const webpackDevMiddleware = require("webpack-dev-middleware");
+const fs = require("fs");
+
+function recursiveReaddirSync(dir) {
+  let list = [];
+  const files = fs.readdirSync(dir);
+
+  files.forEach(function(file) {
+    const stats = fs.lstatSync(path.join(dir, file));
+    if (stats.isDirectory()) {
+      list = list.concat(recursiveReaddirSync(path.join(dir, file)));
+    } else {
+      list.push(path.join(dir, file));
+    }
+  });
+
+  return list;
+}
+
+function getTestPaths(dir) {
+  const paths = recursiveReaddirSync(dir);
+
+  return paths.filter(p => {
+    const inTestDirectory = path.dirname(p).includes("tests");
+    const inIntegrationDir = path.dirname(p).includes("integration");
+    const aHiddenFile = path.basename(p).charAt(0) == ".";
+    return inTestDirectory && !aHiddenFile && !inIntegrationDir;
+  });
+}
+
+const testPaths = getTestPaths(path.join(__dirname, "../public/js"));
+
+projectConfig.entry.bundle = projectConfig.entry.bundle.concat(testPaths);
+const config = Object.assign({}, projectConfig, {});
+
+const app = express();
+const compiler = webpack(config);
+
+app.use(express.static("public"));
+app.use(express.static("node_modules"));
+
+app.use(webpackDevMiddleware(compiler, {
+  publicPath: projectConfig.output.publicPath,
+  noInfo: true,
+  stats: {
+    colors: true
+  }
+}));
+
+app.get("/", function(req, res) {
+  res.sendFile(path.join(__dirname, "../mocha-runner.html"));
+});
+
+app.listen(8003, "localhost", function(err, result) {
+  if (err) {
+    console.log(err);
+  }
+
+  console.log("Listening at http://localhost:8003");
+});
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/prepare-mochitests-dev
@@ -0,0 +1,12 @@
+#!/usr/bin/env bash
+
+ROOT=`dirname $0`
+FIREFOX_PATH="$ROOT/../firefox"
+
+# This will either download or update the local Firefox repo
+"$ROOT/download-firefox-artifact"
+
+# Update the debugger files, build firefox, and run all the mochitests
+"$ROOT/make-firefox-bundle" "$FIREFOX_PATH" --symlink-mochitests
+cd "$FIREFOX_PATH"
+./mach build
new file mode 100755
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/bin/run-mochitests-docker
@@ -0,0 +1,15 @@
+#!/bin/sh
+
+TARGET=firefox-panel ./node_modules/.bin/webpack
+
+docker run -it \
+  -v `pwd`/public/build/bundle.js:/firefox/devtools/client/debugger/new/bundle.js \
+  -v `pwd`/public/build/pretty-print-worker.js:/firefox/devtools/client/debugger/new/pretty-print-worker.js \
+  -v `pwd`/public/build/styles.css:/firefox/devtools/client/debugger/new/styles.css \
+  -v `pwd`/public/images:/firefox/devtools/client/debugger/new/images \
+  -v `pwd`/public/js/test/mochitest:/firefox/devtools/client/debugger/new/test/mochitest \
+  -v "/tmp/.X11-unix:/tmp/.X11-unix:rw" \
+  -e "DISPLAY=unix$DISPLAY" \
+  --ipc host \
+  jlongster/mochitest-runner \
+  /bin/bash -c "export SHELL=/bin/bash; touch devtools/client/debugger/new/test/mochitest/browser.ini && ./mach mochitest --subsuite devtools devtools/client/debugger/new/test/mochitest/"
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/README.md
@@ -0,0 +1,31 @@
+## Configuration
+
+All default config values are in [`config/development.json`](./development.json), to override these values you need to [create a local config file](#create-a-local-config-file).
+
+* `logging`
+  * `client` Enables logging the Firefox protocol in the devtools console of the debugger
+  * `firefoxProxy` Enables logging the Firefox protocol in the terminal running `npm start`
+  * `actions` Enables logging the redux actions
+* `features` debugger related features
+  * `tabs` Enables source view tabs in the editor (CodeMirror)
+  * `sourceMaps` Enables source map loading when available
+  * `watchExpressions` Enables accordion component for working with watch expressions
+* `chrome` Chrome browser related flags
+  * `debug` Enables listening for remotely debuggable Chrome browsers
+  * `webSocketPort` Configures the web socket port specified when launching Chrome from the command line
+* `firefox` Firefox browser related flags
+  * `proxyPort` Port used by the development server run with `npm start`
+  * `webSocketConnection` Favours Firefox WebSocket connection over the [firefox-proxy](../bin/firefox-proxy), :warning: Experimental feature and requires [bug 1286281](https://bugzilla.mozilla.org/show_bug.cgi?id=1286281)
+  * `geckoDir` Local location of Firefox source code _only needed by project maintainers_
+*  `development` Development server related settings
+  * `serverPort` Listen Port used by the development server
+  * `examplesPort` Listen Port used to serve examples
+* `hotReloading` enables [Hot Reloading](../docs/local-development.md#hot-reloading) of CSS and React
+
+### Create a local config file
+
+To override any of the default configuration values above you need to create a new file in the config directory called `local.json`; it is easiest if you copy the `development.json` file.
+
+* Copy the [`config/development.json`](./development.json) to `config/local.json`
+
+> The `local.json` will be ignored by git so any changes you make won't be published, only make changes to the `development.json` file when related to features removed or added to the project.
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/ci.json
@@ -0,0 +1,10 @@
+{
+  "features": {
+    "sourceMaps": true,
+    "prettyPrint": true,
+    "watchExpressions": true
+  },
+  "chrome": {
+    "debug": true
+  }
+}
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/config.js
@@ -0,0 +1,30 @@
+"use strict";
+
+const _ = require("lodash");
+const fs = require("fs");
+const path = require("path");
+
+const firefoxPanel = require("./firefox-panel.json");
+const development = require("./development.json");
+const envConfig = process.env.TARGET === "firefox-panel" ?
+   firefoxPanel : development;
+
+let config;
+
+if(process.env.TARGET === "firefox-panel") {
+  config = firefoxPanel;
+}
+else {
+  const localConfig = fs.existsSync(path.join(__dirname, "./local.json")) ?
+        require("./local.json") : {};
+
+  config = _.merge({}, envConfig, localConfig);
+}
+
+function getConfig() {
+  return config;
+}
+
+module.exports = {
+  getConfig
+};
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/development.json
@@ -0,0 +1,29 @@
+{
+  "environment": "development",
+  "baseWorkerURL": "public/build/",
+  "logging": {
+    "client": false,
+    "firefoxProxy": false,
+    "actions": false
+  },
+  "features": {
+    "tabs": true,
+    "sourceMaps": true,
+    "prettyPrint": false,
+    "watchExpressions": false,
+    "search": true
+  },
+  "chrome": {
+    "debug": true,
+    "webSocketPort": 9222
+  },
+  "firefox": {
+    "proxyPort": 9000,
+    "webSocketConnection": false,
+    "webSocketPort": 6080
+  },
+  "development": {
+    "serverPort": 8000,
+    "examplesPort": 7999
+  }
+}
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/feature.js
@@ -0,0 +1,56 @@
+"use strict";
+
+const flag = false;
+const pick = require("lodash/get");
+let config;
+
+/**
+ * Gets a config value for a given key
+ * e.g "chrome.webSocketPort"
+ */
+function getValue(key) {
+  return pick(config, key);
+}
+
+function isEnabled(key) {
+  return config.features[key];
+}
+
+function isDevelopment() {
+  if(isFirefoxPanel()) {
+    // Default to production if compiling for the Firefox panel
+    return process.env.NODE_ENV === "development";
+  }
+  return process.env.NODE_ENV !== "production";
+}
+
+function isTesting() {
+  return flag.testing;
+}
+
+function isFirefoxPanel() {
+  return process.env.TARGET == "firefox-panel";
+}
+
+function isFirefox() {
+  return /firefox/i.test(navigator.userAgent);
+}
+
+function setConfig(value) {
+  config = value;
+}
+
+function getConfig() {
+  return config;
+}
+
+module.exports = {
+  isEnabled,
+  getValue,
+  isDevelopment,
+  isTesting,
+  isFirefoxPanel,
+  isFirefox,
+  getConfig,
+  setConfig
+};
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/firefox-panel.json
@@ -0,0 +1,9 @@
+{
+  "environment": "firefox-panel",
+  "baseWorkerURL": "resource://devtools/client/debugger/new/",
+  "logging": false,
+  "clientLogging": false,
+  "features": {
+    "tabs": true
+  }
+}
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/local.sample.json
@@ -0,0 +1,5 @@
+{
+  "firefox": {
+    "geckoDir": "/Users/jlaster/src/mozilla/gecko"
+  }
+}
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/tests/.eslintrc
@@ -0,0 +1,32 @@
+{
+  "globals": {
+    "after": true,
+    "afterEach": true,
+    "before": true,
+    "beforeEach": true,
+    "context": true,
+    "describe": true,
+    "it": true,
+    "mocha": true,
+    "setup": true,
+    "specify": true,
+    "suite": true,
+    "suiteSetup": true,
+    "suiteTeardown": true,
+    "teardown": true,
+    "test": true,
+    "xcontext": true,
+    "xdescribe": true,
+    "xit": true,
+    "xspecify": true,
+    "assert": true,
+    "expect": true,
+    "equal": true,
+    "ok": true
+  },
+  "rules": {
+    "camelcase": 0,
+    "no-unused-vars": [2, {"vars": "all", "args": "none", "varsIgnorePattern": "run_test"}],
+    "max-nested-callbacks": [2, 4],
+  }
+}
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/config/tests/feature.js
@@ -0,0 +1,39 @@
+const { isDevelopment, getValue, isEnabled, setConfig } = require("../feature");
+const expect = require("expect.js");
+
+describe("feature", () => {
+  it("isDevelopment", () => {
+    setConfig({ development: true });
+    expect(isDevelopment()).to.be.truthy;
+  });
+
+  it("isDevelopment - not defined", () => {
+    setConfig({ });
+    expect(isDevelopment()).to.be.falsey;
+  });
+
+  it("getValue - enabled", function() {
+    setConfig({ featureA: true });
+    expect(getValue("featureA")).to.be.truthy;
+  });
+
+  it("getValue - disabled", function() {
+    setConfig({ featureA: false });
+    expect(getValue("featureA")).to.be.falsey;
+  });
+
+  it("getValue - not present", function() {
+    setConfig({});
+    expect(getValue("featureA")).to.be.undefined;
+  });
+
+  it("isEnabled - enabled", function() {
+    setConfig({ features: { featureA: true }});
+    expect(isEnabled("featureA")).to.be.truthy;
+  });
+
+  it("isEnabled - disabled", function() {
+    setConfig({ features: { featureA: false }});
+    expect(isEnabled("featureA")).to.be.falsey;
+  });
+});
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/main.js
@@ -0,0 +1,78539 @@
+/******/ (function(modules) { // webpackBootstrap
+/******/ 	// The module cache
+/******/ 	var installedModules = {};
+/******/
+/******/ 	// The require function
+/******/ 	function __webpack_require__(moduleId) {
+/******/
+/******/ 		// Check if module is in cache
+/******/ 		if(installedModules[moduleId])
+/******/ 			return installedModules[moduleId].exports;
+/******/
+/******/ 		// Create a new module (and put it into the cache)
+/******/ 		var module = installedModules[moduleId] = {
+/******/ 			exports: {},
+/******/ 			id: moduleId,
+/******/ 			loaded: false
+/******/ 		};
+/******/
+/******/ 		// Execute the module function
+/******/ 		modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
+/******/
+/******/ 		// Flag the module as loaded
+/******/ 		module.loaded = true;
+/******/
+/******/ 		// Return the exports of the module
+/******/ 		return module.exports;
+/******/ 	}
+/******/
+/******/
+/******/ 	// expose the modules object (__webpack_modules__)
+/******/ 	__webpack_require__.m = modules;
+/******/
+/******/ 	// expose the module cache
+/******/ 	__webpack_require__.c = installedModules;
+/******/
+/******/ 	// __webpack_public_path__
+/******/ 	__webpack_require__.p = "/public/build";
+/******/
+/******/ 	// Load entry module and return exports
+/******/ 	return __webpack_require__(0);
+/******/ })
+/************************************************************************/
+/******/ ([
+/* 0 */
+/***/ function(module, exports, __webpack_require__) {
+
+	module.exports = __webpack_require__(1);
+
+
+/***/ },
+/* 1 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* global window, document, DebuggerConfig */
+	
+	var _require = __webpack_require__(2);
+	
+	var bindActionCreators = _require.bindActionCreators;
+	var combineReducers = _require.combineReducers;
+	
+	var _require2 = __webpack_require__(16);
+	
+	var Provider = _require2.Provider;
+	
+	var ReactDOM = __webpack_require__(181);
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	
+	
+	var DevToolsUtils = __webpack_require__(182);
+	var AppConstants = __webpack_require__(196).AppConstants;
+	
+	var _require3 = __webpack_require__(200);
+	
+	var injectGlobals = _require3.injectGlobals;
+	
+	var _require4 = __webpack_require__(251);
+	
+	var Task = _require4.Task;
+	
+	var _require5 = __webpack_require__(202);
+	
+	var isEnabled = _require5.isEnabled;
+	var isFirefoxPanel = _require5.isFirefoxPanel;
+	var getValue = _require5.getValue;
+	var isDevelopment = _require5.isDevelopment;
+	var setConfig = _require5.setConfig;
+	
+	
+	setConfig(({"environment":"development","baseWorkerURL":"public/build/","logging":{"client":false,"firefoxProxy":false,"actions":false},"features":{"tabs":true,"sourceMaps":true,"prettyPrint":false,"watchExpressions":false,"search":true},"chrome":{"debug":true,"webSocketPort":9222},"firefox":{"proxyPort":9000,"webSocketConnection":false,"webSocketPort":6080},"development":{"serverPort":8000,"examplesPort":7999}}));
+	
+	// Set various flags before requiring app code.
+	if (isEnabled("logging.client")) {
+	  DevToolsUtils.dumpn.wantLogging = true;
+	}
+	
+	var _require6 = __webpack_require__(252);
+	
+	var getClient = _require6.getClient;
+	var connectClients = _require6.connectClients;
+	var startDebugging = _require6.startDebugging;
+	
+	var firefox = __webpack_require__(253);
+	var configureStore = __webpack_require__(337);
+	var reducers = __webpack_require__(347);
+	var selectors = __webpack_require__(358);
+	
+	var LandingPage = __webpack_require__(359);
+	var App = __webpack_require__(366);
+	
+	var createStore = configureStore({
+	  log: getValue("logging.actions"),
+	  makeThunkArgs: (args, state) => {
+	    return Object.assign({}, args, { client: getClient(state) });
+	  }
+	});
+	
+	var store = createStore(combineReducers(reducers));
+	var actions = bindActionCreators(__webpack_require__(369), store.dispatch);
+	
+	if (isDevelopment()) {
+	  AppConstants.DEBUG_JS_MODULES = true;
+	  injectGlobals({ store });
+	}
+	
+	// Expose the bound actions so external things can do things like
+	// selecting a source.
+	window.actions = {
+	  selectSource: actions.selectSource,
+	  selectSourceURL: actions.selectSourceURL
+	};
+	
+	function renderRoot(component) {
+	  var mount = document.querySelector("#mount");
+	
+	  // bail in test environments that do not have a mount
+	  if (!mount) {
+	    return;
+	  }
+	
+	  ReactDOM.render(React.createElement(Provider, { store }, dom.div({
+	    className: "theme-light",
+	    style: { flex: 1 }
+	  }, React.createElement(component))), mount);
+	}
+	
+	function unmountRoot() {
+	  var mount = document.querySelector("#mount");
+	  ReactDOM.unmountComponentAtNode(mount);
+	}
+	
+	function getTargetFromQuery() {
+	  var href = window.location.href;
+	  var nodeMatch = href.match(/ws=([^&#]*)/);
+	  var firefoxMatch = href.match(/firefox-tab=([^&#]*)/);
+	  var chromeMatch = href.match(/chrome-tab=([^&#]*)/);
+	
+	  if (nodeMatch) {
+	    return { type: "node", param: nodeMatch[1] };
+	  } else if (firefoxMatch) {
+	    return { type: "firefox", param: firefoxMatch[1] };
+	  } else if (chromeMatch) {
+	    return { type: "chrome", param: chromeMatch[1] };
+	  }
+	
+	  return null;
+	}
+	
+	function* getTabTarget(targetEnv) {
+	  var tabs = yield firefox.connectClient();
+	  var tab = tabs.find(t => t.id.indexOf(connTarget.param) !== -1);
+	  yield firefox.connectTab(tab.tab);
+	  return targetEnv.getTabTarget();
+	}
+	
+	var connTarget = getTargetFromQuery();
+	if (connTarget) {
+	  Task.spawn(function* () {
+	    var _window = window;
+	    var buildFakeToolbox = _window.buildFakeToolbox;
+	    var Inspector = _window.Inspector;
+	
+	    var tabTarget = yield getTabTarget(firefox);
+	    var fakeToolbox = yield buildFakeToolbox(tabTarget);
+	    var inspector = new Inspector(fakeToolbox);
+	    inspector.init();
+	  });
+	} else if (isFirefoxPanel()) {
+	  (function () {
+	    var sourceMap = __webpack_require__(371);
+	
+	    module.exports = {
+	      bootstrap: _ref => {
+	        var threadClient = _ref.threadClient;
+	        var tabTarget = _ref.tabTarget;
+	
+	        firefox.setThreadClient(threadClient);
+	        firefox.setTabTarget(tabTarget);
+	        renderRoot(App);
+	        return firefox.initPage(actions);
+	      },
+	      destroy: () => {
+	        unmountRoot();
+	        sourceMap.destroy();
+	      },
+	      store: store,
+	      actions: actions,
+	      selectors: selectors,
+	      client: firefox.clientCommands
+	    };
+	  })();
+	} else {
+	  renderRoot(LandingPage);
+	  connectClients(tabs => actions.newTabs(tabs));
+	}
+
+/***/ },
+/* 2 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports.compose = exports.applyMiddleware = exports.bindActionCreators = exports.combineReducers = exports.createStore = undefined;
+	
+	var _createStore = __webpack_require__(3);
+	
+	var _createStore2 = _interopRequireDefault(_createStore);
+	
+	var _combineReducers = __webpack_require__(11);
+	
+	var _combineReducers2 = _interopRequireDefault(_combineReducers);
+	
+	var _bindActionCreators = __webpack_require__(13);
+	
+	var _bindActionCreators2 = _interopRequireDefault(_bindActionCreators);
+	
+	var _applyMiddleware = __webpack_require__(14);
+	
+	var _applyMiddleware2 = _interopRequireDefault(_applyMiddleware);
+	
+	var _compose = __webpack_require__(15);
+	
+	var _compose2 = _interopRequireDefault(_compose);
+	
+	var _warning = __webpack_require__(12);
+	
+	var _warning2 = _interopRequireDefault(_warning);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	/*
+	* This is a dummy function to check if the function name has been altered by minification.
+	* If the function has been minified and NODE_ENV !== 'production', warn the user.
+	*/
+	function isCrushed() {}
+	
+	if (("development") !== 'production' && typeof isCrushed.name === 'string' && isCrushed.name !== 'isCrushed') {
+	  (0, _warning2["default"])('You are currently using minified code outside of NODE_ENV === \'production\'. ' + 'This means that you are running a slower development build of Redux. ' + 'You can use loose-envify (https://github.com/zertosh/loose-envify) for browserify ' + 'or DefinePlugin for webpack (http://stackoverflow.com/questions/30030031) ' + 'to ensure you have the correct code for your production build.');
+	}
+	
+	exports.createStore = _createStore2["default"];
+	exports.combineReducers = _combineReducers2["default"];
+	exports.bindActionCreators = _bindActionCreators2["default"];
+	exports.applyMiddleware = _applyMiddleware2["default"];
+	exports.compose = _compose2["default"];
+
+/***/ },
+/* 3 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports.ActionTypes = undefined;
+	exports["default"] = createStore;
+	
+	var _isPlainObject = __webpack_require__(4);
+	
+	var _isPlainObject2 = _interopRequireDefault(_isPlainObject);
+	
+	var _symbolObservable = __webpack_require__(9);
+	
+	var _symbolObservable2 = _interopRequireDefault(_symbolObservable);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	/**
+	 * These are private action types reserved by Redux.
+	 * For any unknown actions, you must return the current state.
+	 * If the current state is undefined, you must return the initial state.
+	 * Do not reference these action types directly in your code.
+	 */
+	var ActionTypes = exports.ActionTypes = {
+	  INIT: '@@redux/INIT'
+	};
+	
+	/**
+	 * Creates a Redux store that holds the state tree.
+	 * The only way to change the data in the store is to call `dispatch()` on it.
+	 *
+	 * There should only be a single store in your app. To specify how different
+	 * parts of the state tree respond to actions, you may combine several reducers
+	 * into a single reducer function by using `combineReducers`.
+	 *
+	 * @param {Function} reducer A function that returns the next state tree, given
+	 * the current state tree and the action to handle.
+	 *
+	 * @param {any} [initialState] The initial state. You may optionally specify it
+	 * to hydrate the state from the server in universal apps, or to restore a
+	 * previously serialized user session.
+	 * If you use `combineReducers` to produce the root reducer function, this must be
+	 * an object with the same shape as `combineReducers` keys.
+	 *
+	 * @param {Function} enhancer The store enhancer. You may optionally specify it
+	 * to enhance the store with third-party capabilities such as middleware,
+	 * time travel, persistence, etc. The only store enhancer that ships with Redux
+	 * is `applyMiddleware()`.
+	 *
+	 * @returns {Store} A Redux store that lets you read the state, dispatch actions
+	 * and subscribe to changes.
+	 */
+	function createStore(reducer, initialState, enhancer) {
+	  var _ref2;
+	
+	  if (typeof initialState === 'function' && typeof enhancer === 'undefined') {
+	    enhancer = initialState;
+	    initialState = undefined;
+	  }
+	
+	  if (typeof enhancer !== 'undefined') {
+	    if (typeof enhancer !== 'function') {
+	      throw new Error('Expected the enhancer to be a function.');
+	    }
+	
+	    return enhancer(createStore)(reducer, initialState);
+	  }
+	
+	  if (typeof reducer !== 'function') {
+	    throw new Error('Expected the reducer to be a function.');
+	  }
+	
+	  var currentReducer = reducer;
+	  var currentState = initialState;
+	  var currentListeners = [];
+	  var nextListeners = currentListeners;
+	  var isDispatching = false;
+	
+	  function ensureCanMutateNextListeners() {
+	    if (nextListeners === currentListeners) {
+	      nextListeners = currentListeners.slice();
+	    }
+	  }
+	
+	  /**
+	   * Reads the state tree managed by the store.
+	   *
+	   * @returns {any} The current state tree of your application.
+	   */
+	  function getState() {
+	    return currentState;
+	  }
+	
+	  /**
+	   * Adds a change listener. It will be called any time an action is dispatched,
+	   * and some part of the state tree may potentially have changed. You may then
+	   * call `getState()` to read the current state tree inside the callback.
+	   *
+	   * You may call `dispatch()` from a change listener, with the following
+	   * caveats:
+	   *
+	   * 1. The subscriptions are snapshotted just before every `dispatch()` call.
+	   * If you subscribe or unsubscribe while the listeners are being invoked, this
+	   * will not have any effect on the `dispatch()` that is currently in progress.
+	   * However, the next `dispatch()` call, whether nested or not, will use a more
+	   * recent snapshot of the subscription list.
+	   *
+	   * 2. The listener should not expect to see all state changes, as the state
+	   * might have been updated multiple times during a nested `dispatch()` before
+	   * the listener is called. It is, however, guaranteed that all subscribers
+	   * registered before the `dispatch()` started will be called with the latest
+	   * state by the time it exits.
+	   *
+	   * @param {Function} listener A callback to be invoked on every dispatch.
+	   * @returns {Function} A function to remove this change listener.
+	   */
+	  function subscribe(listener) {
+	    if (typeof listener !== 'function') {
+	      throw new Error('Expected listener to be a function.');
+	    }
+	
+	    var isSubscribed = true;
+	
+	    ensureCanMutateNextListeners();
+	    nextListeners.push(listener);
+	
+	    return function unsubscribe() {
+	      if (!isSubscribed) {
+	        return;
+	      }
+	
+	      isSubscribed = false;
+	
+	      ensureCanMutateNextListeners();
+	      var index = nextListeners.indexOf(listener);
+	      nextListeners.splice(index, 1);
+	    };
+	  }
+	
+	  /**
+	   * Dispatches an action. It is the only way to trigger a state change.
+	   *
+	   * The `reducer` function, used to create the store, will be called with the
+	   * current state tree and the given `action`. Its return value will
+	   * be considered the **next** state of the tree, and the change listeners
+	   * will be notified.
+	   *
+	   * The base implementation only supports plain object actions. If you want to
+	   * dispatch a Promise, an Observable, a thunk, or something else, you need to
+	   * wrap your store creating function into the corresponding middleware. For
+	   * example, see the documentation for the `redux-thunk` package. Even the
+	   * middleware will eventually dispatch plain object actions using this method.
+	   *
+	   * @param {Object} action A plain object representing “what changed”. It is
+	   * a good idea to keep actions serializable so you can record and replay user
+	   * sessions, or use the time travelling `redux-devtools`. An action must have
+	   * a `type` property which may not be `undefined`. It is a good idea to use
+	   * string constants for action types.
+	   *
+	   * @returns {Object} For convenience, the same action object you dispatched.
+	   *
+	   * Note that, if you use a custom middleware, it may wrap `dispatch()` to
+	   * return something else (for example, a Promise you can await).
+	   */
+	  function dispatch(action) {
+	    if (!(0, _isPlainObject2["default"])(action)) {
+	      throw new Error('Actions must be plain objects. ' + 'Use custom middleware for async actions.');
+	    }
+	
+	    if (typeof action.type === 'undefined') {
+	      throw new Error('Actions may not have an undefined "type" property. ' + 'Have you misspelled a constant?');
+	    }
+	
+	    if (isDispatching) {
+	      throw new Error('Reducers may not dispatch actions.');
+	    }
+	
+	    try {
+	      isDispatching = true;
+	      currentState = currentReducer(currentState, action);
+	    } finally {
+	      isDispatching = false;
+	    }
+	
+	    var listeners = currentListeners = nextListeners;
+	    for (var i = 0; i < listeners.length; i++) {
+	      listeners[i]();
+	    }
+	
+	    return action;
+	  }
+	
+	  /**
+	   * Replaces the reducer currently used by the store to calculate the state.
+	   *
+	   * You might need this if your app implements code splitting and you want to
+	   * load some of the reducers dynamically. You might also need this if you
+	   * implement a hot reloading mechanism for Redux.
+	   *
+	   * @param {Function} nextReducer The reducer for the store to use instead.
+	   * @returns {void}
+	   */
+	  function replaceReducer(nextReducer) {
+	    if (typeof nextReducer !== 'function') {
+	      throw new Error('Expected the nextReducer to be a function.');
+	    }
+	
+	    currentReducer = nextReducer;
+	    dispatch({ type: ActionTypes.INIT });
+	  }
+	
+	  /**
+	   * Interoperability point for observable/reactive libraries.
+	   * @returns {observable} A minimal observable of state changes.
+	   * For more information, see the observable proposal:
+	   * https://github.com/zenparsing/es-observable
+	   */
+	  function observable() {
+	    var _ref;
+	
+	    var outerSubscribe = subscribe;
+	    return _ref = {
+	      /**
+	       * The minimal observable subscription method.
+	       * @param {Object} observer Any object that can be used as an observer.
+	       * The observer object should have a `next` method.
+	       * @returns {subscription} An object with an `unsubscribe` method that can
+	       * be used to unsubscribe the observable from the store, and prevent further
+	       * emission of values from the observable.
+	       */
+	
+	      subscribe: function subscribe(observer) {
+	        if (typeof observer !== 'object') {
+	          throw new TypeError('Expected the observer to be an object.');
+	        }
+	
+	        function observeState() {
+	          if (observer.next) {
+	            observer.next(getState());
+	          }
+	        }
+	
+	        observeState();
+	        var unsubscribe = outerSubscribe(observeState);
+	        return { unsubscribe: unsubscribe };
+	      }
+	    }, _ref[_symbolObservable2["default"]] = function () {
+	      return this;
+	    }, _ref;
+	  }
+	
+	  // When a store is created, an "INIT" action is dispatched so that every
+	  // reducer returns their initial state. This effectively populates
+	  // the initial state tree.
+	  dispatch({ type: ActionTypes.INIT });
+	
+	  return _ref2 = {
+	    dispatch: dispatch,
+	    subscribe: subscribe,
+	    getState: getState,
+	    replaceReducer: replaceReducer
+	  }, _ref2[_symbolObservable2["default"]] = observable, _ref2;
+	}
+
+/***/ },
+/* 4 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getPrototype = __webpack_require__(5),
+	    isHostObject = __webpack_require__(7),
+	    isObjectLike = __webpack_require__(8);
+	
+	/** `Object#toString` result references. */
+	var objectTag = '[object Object]';
+	
+	/** Used for built-in method references. */
+	var funcProto = Function.prototype,
+	    objectProto = Object.prototype;
+	
+	/** Used to resolve the decompiled source of functions. */
+	var funcToString = funcProto.toString;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/** Used to infer the `Object` constructor. */
+	var objectCtorString = funcToString.call(Object);
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/**
+	 * Checks if `value` is a plain object, that is, an object created by the
+	 * `Object` constructor or one with a `[[Prototype]]` of `null`.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.8.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a plain object, else `false`.
+	 * @example
+	 *
+	 * function Foo() {
+	 *   this.a = 1;
+	 * }
+	 *
+	 * _.isPlainObject(new Foo);
+	 * // => false
+	 *
+	 * _.isPlainObject([1, 2, 3]);
+	 * // => false
+	 *
+	 * _.isPlainObject({ 'x': 0, 'y': 0 });
+	 * // => true
+	 *
+	 * _.isPlainObject(Object.create(null));
+	 * // => true
+	 */
+	function isPlainObject(value) {
+	  if (!isObjectLike(value) ||
+	      objectToString.call(value) != objectTag || isHostObject(value)) {
+	    return false;
+	  }
+	  var proto = getPrototype(value);
+	  if (proto === null) {
+	    return true;
+	  }
+	  var Ctor = hasOwnProperty.call(proto, 'constructor') && proto.constructor;
+	  return (typeof Ctor == 'function' &&
+	    Ctor instanceof Ctor && funcToString.call(Ctor) == objectCtorString);
+	}
+	
+	module.exports = isPlainObject;
+
+
+/***/ },
+/* 5 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var overArg = __webpack_require__(6);
+	
+	/** Built-in value references. */
+	var getPrototype = overArg(Object.getPrototypeOf, Object);
+	
+	module.exports = getPrototype;
+
+
+/***/ },
+/* 6 */
+/***/ function(module, exports) {
+
+	/**
+	 * Creates a unary function that invokes `func` with its argument transformed.
+	 *
+	 * @private
+	 * @param {Function} func The function to wrap.
+	 * @param {Function} transform The argument transform.
+	 * @returns {Function} Returns the new function.
+	 */
+	function overArg(func, transform) {
+	  return function(arg) {
+	    return func(transform(arg));
+	  };
+	}
+	
+	module.exports = overArg;
+
+
+/***/ },
+/* 7 */
+/***/ function(module, exports) {
+
+	/**
+	 * Checks if `value` is a host object in IE < 9.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a host object, else `false`.
+	 */
+	function isHostObject(value) {
+	  // Many host objects are `Object` objects that can coerce to strings
+	  // despite having improperly defined `toString` methods.
+	  var result = false;
+	  if (value != null && typeof value.toString != 'function') {
+	    try {
+	      result = !!(value + '');
+	    } catch (e) {}
+	  }
+	  return result;
+	}
+	
+	module.exports = isHostObject;
+
+
+/***/ },
+/* 8 */
+/***/ function(module, exports) {
+
+	/**
+	 * Checks if `value` is object-like. A value is object-like if it's not `null`
+	 * and has a `typeof` result of "object".
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is object-like, else `false`.
+	 * @example
+	 *
+	 * _.isObjectLike({});
+	 * // => true
+	 *
+	 * _.isObjectLike([1, 2, 3]);
+	 * // => true
+	 *
+	 * _.isObjectLike(_.noop);
+	 * // => false
+	 *
+	 * _.isObjectLike(null);
+	 * // => false
+	 */
+	function isObjectLike(value) {
+	  return !!value && typeof value == 'object';
+	}
+	
+	module.exports = isObjectLike;
+
+
+/***/ },
+/* 9 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(global) {/* global window */
+	'use strict';
+	
+	module.exports = __webpack_require__(10)(global || window || this);
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, (function() { return this; }())))
+
+/***/ },
+/* 10 */
+/***/ function(module, exports) {
+
+	'use strict';
+	
+	module.exports = function symbolObservablePonyfill(root) {
+		var result;
+		var Symbol = root.Symbol;
+	
+		if (typeof Symbol === 'function') {
+			if (Symbol.observable) {
+				result = Symbol.observable;
+			} else {
+				result = Symbol('observable');
+				Symbol.observable = result;
+			}
+		} else {
+			result = '@@observable';
+		}
+	
+		return result;
+	};
+
+
+/***/ },
+/* 11 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports["default"] = combineReducers;
+	
+	var _createStore = __webpack_require__(3);
+	
+	var _isPlainObject = __webpack_require__(4);
+	
+	var _isPlainObject2 = _interopRequireDefault(_isPlainObject);
+	
+	var _warning = __webpack_require__(12);
+	
+	var _warning2 = _interopRequireDefault(_warning);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	function getUndefinedStateErrorMessage(key, action) {
+	  var actionType = action && action.type;
+	  var actionName = actionType && '"' + actionType.toString() + '"' || 'an action';
+	
+	  return 'Given action ' + actionName + ', reducer "' + key + '" returned undefined. ' + 'To ignore an action, you must explicitly return the previous state.';
+	}
+	
+	function getUnexpectedStateShapeWarningMessage(inputState, reducers, action) {
+	  var reducerKeys = Object.keys(reducers);
+	  var argumentName = action && action.type === _createStore.ActionTypes.INIT ? 'initialState argument passed to createStore' : 'previous state received by the reducer';
+	
+	  if (reducerKeys.length === 0) {
+	    return 'Store does not have a valid reducer. Make sure the argument passed ' + 'to combineReducers is an object whose values are reducers.';
+	  }
+	
+	  if (!(0, _isPlainObject2["default"])(inputState)) {
+	    return 'The ' + argumentName + ' has unexpected type of "' + {}.toString.call(inputState).match(/\s([a-z|A-Z]+)/)[1] + '". Expected argument to be an object with the following ' + ('keys: "' + reducerKeys.join('", "') + '"');
+	  }
+	
+	  var unexpectedKeys = Object.keys(inputState).filter(function (key) {
+	    return !reducers.hasOwnProperty(key);
+	  });
+	
+	  if (unexpectedKeys.length > 0) {
+	    return 'Unexpected ' + (unexpectedKeys.length > 1 ? 'keys' : 'key') + ' ' + ('"' + unexpectedKeys.join('", "') + '" found in ' + argumentName + '. ') + 'Expected to find one of the known reducer keys instead: ' + ('"' + reducerKeys.join('", "') + '". Unexpected keys will be ignored.');
+	  }
+	}
+	
+	function assertReducerSanity(reducers) {
+	  Object.keys(reducers).forEach(function (key) {
+	    var reducer = reducers[key];
+	    var initialState = reducer(undefined, { type: _createStore.ActionTypes.INIT });
+	
+	    if (typeof initialState === 'undefined') {
+	      throw new Error('Reducer "' + key + '" returned undefined during initialization. ' + 'If the state passed to the reducer is undefined, you must ' + 'explicitly return the initial state. The initial state may ' + 'not be undefined.');
+	    }
+	
+	    var type = '@@redux/PROBE_UNKNOWN_ACTION_' + Math.random().toString(36).substring(7).split('').join('.');
+	    if (typeof reducer(undefined, { type: type }) === 'undefined') {
+	      throw new Error('Reducer "' + key + '" returned undefined when probed with a random type. ' + ('Don\'t try to handle ' + _createStore.ActionTypes.INIT + ' or other actions in "redux/*" ') + 'namespace. They are considered private. Instead, you must return the ' + 'current state for any unknown actions, unless it is undefined, ' + 'in which case you must return the initial state, regardless of the ' + 'action type. The initial state may not be undefined.');
+	    }
+	  });
+	}
+	
+	/**
+	 * Turns an object whose values are different reducer functions, into a single
+	 * reducer function. It will call every child reducer, and gather their results
+	 * into a single state object, whose keys correspond to the keys of the passed
+	 * reducer functions.
+	 *
+	 * @param {Object} reducers An object whose values correspond to different
+	 * reducer functions that need to be combined into one. One handy way to obtain
+	 * it is to use ES6 `import * as reducers` syntax. The reducers may never return
+	 * undefined for any action. Instead, they should return their initial state
+	 * if the state passed to them was undefined, and the current state for any
+	 * unrecognized action.
+	 *
+	 * @returns {Function} A reducer function that invokes every reducer inside the
+	 * passed object, and builds a state object with the same shape.
+	 */
+	function combineReducers(reducers) {
+	  var reducerKeys = Object.keys(reducers);
+	  var finalReducers = {};
+	  for (var i = 0; i < reducerKeys.length; i++) {
+	    var key = reducerKeys[i];
+	    if (typeof reducers[key] === 'function') {
+	      finalReducers[key] = reducers[key];
+	    }
+	  }
+	  var finalReducerKeys = Object.keys(finalReducers);
+	
+	  var sanityError;
+	  try {
+	    assertReducerSanity(finalReducers);
+	  } catch (e) {
+	    sanityError = e;
+	  }
+	
+	  return function combination() {
+	    var state = arguments.length <= 0 || arguments[0] === undefined ? {} : arguments[0];
+	    var action = arguments[1];
+	
+	    if (sanityError) {
+	      throw sanityError;
+	    }
+	
+	    if (true) {
+	      var warningMessage = getUnexpectedStateShapeWarningMessage(state, finalReducers, action);
+	      if (warningMessage) {
+	        (0, _warning2["default"])(warningMessage);
+	      }
+	    }
+	
+	    var hasChanged = false;
+	    var nextState = {};
+	    for (var i = 0; i < finalReducerKeys.length; i++) {
+	      var key = finalReducerKeys[i];
+	      var reducer = finalReducers[key];
+	      var previousStateForKey = state[key];
+	      var nextStateForKey = reducer(previousStateForKey, action);
+	      if (typeof nextStateForKey === 'undefined') {
+	        var errorMessage = getUndefinedStateErrorMessage(key, action);
+	        throw new Error(errorMessage);
+	      }
+	      nextState[key] = nextStateForKey;
+	      hasChanged = hasChanged || nextStateForKey !== previousStateForKey;
+	    }
+	    return hasChanged ? nextState : state;
+	  };
+	}
+
+/***/ },
+/* 12 */
+/***/ function(module, exports) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports["default"] = warning;
+	/**
+	 * Prints a warning in the console if it exists.
+	 *
+	 * @param {String} message The warning message.
+	 * @returns {void}
+	 */
+	function warning(message) {
+	  /* eslint-disable no-console */
+	  if (typeof console !== 'undefined' && typeof console.error === 'function') {
+	    console.error(message);
+	  }
+	  /* eslint-enable no-console */
+	  try {
+	    // This error was thrown as a convenience so that if you enable
+	    // "break on all exceptions" in your console,
+	    // it would pause the execution at this line.
+	    throw new Error(message);
+	    /* eslint-disable no-empty */
+	  } catch (e) {}
+	  /* eslint-enable no-empty */
+	}
+
+/***/ },
+/* 13 */
+/***/ function(module, exports) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports["default"] = bindActionCreators;
+	function bindActionCreator(actionCreator, dispatch) {
+	  return function () {
+	    return dispatch(actionCreator.apply(undefined, arguments));
+	  };
+	}
+	
+	/**
+	 * Turns an object whose values are action creators, into an object with the
+	 * same keys, but with every function wrapped into a `dispatch` call so they
+	 * may be invoked directly. This is just a convenience method, as you can call
+	 * `store.dispatch(MyActionCreators.doSomething())` yourself just fine.
+	 *
+	 * For convenience, you can also pass a single function as the first argument,
+	 * and get a function in return.
+	 *
+	 * @param {Function|Object} actionCreators An object whose values are action
+	 * creator functions. One handy way to obtain it is to use ES6 `import * as`
+	 * syntax. You may also pass a single function.
+	 *
+	 * @param {Function} dispatch The `dispatch` function available on your Redux
+	 * store.
+	 *
+	 * @returns {Function|Object} The object mimicking the original object, but with
+	 * every action creator wrapped into the `dispatch` call. If you passed a
+	 * function as `actionCreators`, the return value will also be a single
+	 * function.
+	 */
+	function bindActionCreators(actionCreators, dispatch) {
+	  if (typeof actionCreators === 'function') {
+	    return bindActionCreator(actionCreators, dispatch);
+	  }
+	
+	  if (typeof actionCreators !== 'object' || actionCreators === null) {
+	    throw new Error('bindActionCreators expected an object or a function, instead received ' + (actionCreators === null ? 'null' : typeof actionCreators) + '. ' + 'Did you write "import ActionCreators from" instead of "import * as ActionCreators from"?');
+	  }
+	
+	  var keys = Object.keys(actionCreators);
+	  var boundActionCreators = {};
+	  for (var i = 0; i < keys.length; i++) {
+	    var key = keys[i];
+	    var actionCreator = actionCreators[key];
+	    if (typeof actionCreator === 'function') {
+	      boundActionCreators[key] = bindActionCreator(actionCreator, dispatch);
+	    }
+	  }
+	  return boundActionCreators;
+	}
+
+/***/ },
+/* 14 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	
+	var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; };
+	
+	exports["default"] = applyMiddleware;
+	
+	var _compose = __webpack_require__(15);
+	
+	var _compose2 = _interopRequireDefault(_compose);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	/**
+	 * Creates a store enhancer that applies middleware to the dispatch method
+	 * of the Redux store. This is handy for a variety of tasks, such as expressing
+	 * asynchronous actions in a concise manner, or logging every action payload.
+	 *
+	 * See `redux-thunk` package as an example of the Redux middleware.
+	 *
+	 * Because middleware is potentially asynchronous, this should be the first
+	 * store enhancer in the composition chain.
+	 *
+	 * Note that each middleware will be given the `dispatch` and `getState` functions
+	 * as named arguments.
+	 *
+	 * @param {...Function} middlewares The middleware chain to be applied.
+	 * @returns {Function} A store enhancer applying the middleware.
+	 */
+	function applyMiddleware() {
+	  for (var _len = arguments.length, middlewares = Array(_len), _key = 0; _key < _len; _key++) {
+	    middlewares[_key] = arguments[_key];
+	  }
+	
+	  return function (createStore) {
+	    return function (reducer, initialState, enhancer) {
+	      var store = createStore(reducer, initialState, enhancer);
+	      var _dispatch = store.dispatch;
+	      var chain = [];
+	
+	      var middlewareAPI = {
+	        getState: store.getState,
+	        dispatch: function dispatch(action) {
+	          return _dispatch(action);
+	        }
+	      };
+	      chain = middlewares.map(function (middleware) {
+	        return middleware(middlewareAPI);
+	      });
+	      _dispatch = _compose2["default"].apply(undefined, chain)(store.dispatch);
+	
+	      return _extends({}, store, {
+	        dispatch: _dispatch
+	      });
+	    };
+	  };
+	}
+
+/***/ },
+/* 15 */
+/***/ function(module, exports) {
+
+	"use strict";
+	
+	exports.__esModule = true;
+	exports["default"] = compose;
+	/**
+	 * Composes single-argument functions from right to left. The rightmost
+	 * function can take multiple arguments as it provides the signature for
+	 * the resulting composite function.
+	 *
+	 * @param {...Function} funcs The functions to compose.
+	 * @returns {Function} A function obtained by composing the argument functions
+	 * from right to left. For example, compose(f, g, h) is identical to doing
+	 * (...args) => f(g(h(...args))).
+	 */
+	
+	function compose() {
+	  for (var _len = arguments.length, funcs = Array(_len), _key = 0; _key < _len; _key++) {
+	    funcs[_key] = arguments[_key];
+	  }
+	
+	  if (funcs.length === 0) {
+	    return function (arg) {
+	      return arg;
+	    };
+	  } else {
+	    var _ret = function () {
+	      var last = funcs[funcs.length - 1];
+	      var rest = funcs.slice(0, -1);
+	      return {
+	        v: function v() {
+	          return rest.reduceRight(function (composed, f) {
+	            return f(composed);
+	          }, last.apply(undefined, arguments));
+	        }
+	      };
+	    }();
+	
+	    if (typeof _ret === "object") return _ret.v;
+	  }
+	}
+
+/***/ },
+/* 16 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports.connect = exports.Provider = undefined;
+	
+	var _Provider = __webpack_require__(17);
+	
+	var _Provider2 = _interopRequireDefault(_Provider);
+	
+	var _connect = __webpack_require__(176);
+	
+	var _connect2 = _interopRequireDefault(_connect);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	exports.Provider = _Provider2["default"];
+	exports.connect = _connect2["default"];
+
+/***/ },
+/* 17 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports["default"] = undefined;
+	
+	var _react = __webpack_require__(18);
+	
+	var _storeShape = __webpack_require__(174);
+	
+	var _storeShape2 = _interopRequireDefault(_storeShape);
+	
+	var _warning = __webpack_require__(175);
+	
+	var _warning2 = _interopRequireDefault(_warning);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
+	
+	function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; }
+	
+	function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
+	
+	var didWarnAboutReceivingStore = false;
+	function warnAboutReceivingStore() {
+	  if (didWarnAboutReceivingStore) {
+	    return;
+	  }
+	  didWarnAboutReceivingStore = true;
+	
+	  (0, _warning2["default"])('<Provider> does not support changing `store` on the fly. ' + 'It is most likely that you see this error because you updated to ' + 'Redux 2.x and React Redux 2.x which no longer hot reload reducers ' + 'automatically. See https://github.com/reactjs/react-redux/releases/' + 'tag/v2.0.0 for the migration instructions.');
+	}
+	
+	var Provider = function (_Component) {
+	  _inherits(Provider, _Component);
+	
+	  Provider.prototype.getChildContext = function getChildContext() {
+	    return { store: this.store };
+	  };
+	
+	  function Provider(props, context) {
+	    _classCallCheck(this, Provider);
+	
+	    var _this = _possibleConstructorReturn(this, _Component.call(this, props, context));
+	
+	    _this.store = props.store;
+	    return _this;
+	  }
+	
+	  Provider.prototype.render = function render() {
+	    var children = this.props.children;
+	
+	    return _react.Children.only(children);
+	  };
+	
+	  return Provider;
+	}(_react.Component);
+	
+	exports["default"] = Provider;
+	
+	if (true) {
+	  Provider.prototype.componentWillReceiveProps = function (nextProps) {
+	    var store = this.store;
+	    var nextStore = nextProps.store;
+	
+	    if (store !== nextStore) {
+	      warnAboutReceivingStore();
+	    }
+	  };
+	}
+	
+	Provider.propTypes = {
+	  store: _storeShape2["default"].isRequired,
+	  children: _react.PropTypes.element.isRequired
+	};
+	Provider.childContextTypes = {
+	  store: _storeShape2["default"].isRequired
+	};
+
+/***/ },
+/* 18 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	module.exports = __webpack_require__(19);
+
+
+/***/ },
+/* 19 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule React
+	 */
+	
+	'use strict';
+	
+	var ReactDOM = __webpack_require__(20);
+	var ReactDOMServer = __webpack_require__(164);
+	var ReactIsomorphic = __webpack_require__(168);
+	
+	var assign = __webpack_require__(55);
+	var deprecated = __webpack_require__(173);
+	
+	// `version` will be added here by ReactIsomorphic.
+	var React = {};
+	
+	assign(React, ReactIsomorphic);
+	
+	assign(React, {
+	  // ReactDOM
+	  findDOMNode: deprecated('findDOMNode', 'ReactDOM', 'react-dom', ReactDOM, ReactDOM.findDOMNode),
+	  render: deprecated('render', 'ReactDOM', 'react-dom', ReactDOM, ReactDOM.render),
+	  unmountComponentAtNode: deprecated('unmountComponentAtNode', 'ReactDOM', 'react-dom', ReactDOM, ReactDOM.unmountComponentAtNode),
+	
+	  // ReactDOMServer
+	  renderToString: deprecated('renderToString', 'ReactDOMServer', 'react-dom/server', ReactDOMServer, ReactDOMServer.renderToString),
+	  renderToStaticMarkup: deprecated('renderToStaticMarkup', 'ReactDOMServer', 'react-dom/server', ReactDOMServer, ReactDOMServer.renderToStaticMarkup)
+	});
+	
+	React.__SECRET_DOM_DO_NOT_USE_OR_YOU_WILL_BE_FIRED = ReactDOM;
+	React.__SECRET_DOM_SERVER_DO_NOT_USE_OR_YOU_WILL_BE_FIRED = ReactDOMServer;
+	
+	module.exports = React;
+
+/***/ },
+/* 20 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOM
+	 */
+	
+	/* globals __REACT_DEVTOOLS_GLOBAL_HOOK__*/
+	
+	'use strict';
+	
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactDOMTextComponent = __webpack_require__(22);
+	var ReactDefaultInjection = __webpack_require__(87);
+	var ReactInstanceHandles = __webpack_require__(61);
+	var ReactMount = __webpack_require__(44);
+	var ReactPerf = __webpack_require__(34);
+	var ReactReconciler = __webpack_require__(66);
+	var ReactUpdates = __webpack_require__(70);
+	var ReactVersion = __webpack_require__(162);
+	
+	var findDOMNode = __webpack_require__(107);
+	var renderSubtreeIntoContainer = __webpack_require__(163);
+	var warning = __webpack_require__(41);
+	
+	ReactDefaultInjection.inject();
+	
+	var render = ReactPerf.measure('React', 'render', ReactMount.render);
+	
+	var React = {
+	  findDOMNode: findDOMNode,
+	  render: render,
+	  unmountComponentAtNode: ReactMount.unmountComponentAtNode,
+	  version: ReactVersion,
+	
+	  /* eslint-disable camelcase */
+	  unstable_batchedUpdates: ReactUpdates.batchedUpdates,
+	  unstable_renderSubtreeIntoContainer: renderSubtreeIntoContainer
+	};
+	
+	// Inject the runtime into a devtools global hook regardless of browser.
+	// Allows for debugging when the hook is injected on the page.
+	/* eslint-enable camelcase */
+	if (typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' && typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.inject === 'function') {
+	  __REACT_DEVTOOLS_GLOBAL_HOOK__.inject({
+	    CurrentOwner: ReactCurrentOwner,
+	    InstanceHandles: ReactInstanceHandles,
+	    Mount: ReactMount,
+	    Reconciler: ReactReconciler,
+	    TextComponent: ReactDOMTextComponent
+	  });
+	}
+	
+	if (true) {
+	  var ExecutionEnvironment = __webpack_require__(25);
+	  if (ExecutionEnvironment.canUseDOM && window.top === window.self) {
+	
+	    // First check if devtools is not installed
+	    if (typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ === 'undefined') {
+	      // If we're in Chrome or Firefox, provide a download link if not installed.
+	      if (navigator.userAgent.indexOf('Chrome') > -1 && navigator.userAgent.indexOf('Edge') === -1 || navigator.userAgent.indexOf('Firefox') > -1) {
+	        console.debug('Download the React DevTools for a better development experience: ' + 'https://fb.me/react-devtools');
+	      }
+	    }
+	
+	    // If we're in IE8, check to see if we are in compatibility mode and provide
+	    // information on preventing compatibility mode
+	    var ieCompatibilityMode = document.documentMode && document.documentMode < 8;
+	
+	     true ? warning(!ieCompatibilityMode, 'Internet Explorer is running in compatibility mode; please add the ' + 'following tag to your HTML to prevent this from happening: ' + '<meta http-equiv="X-UA-Compatible" content="IE=edge" />') : undefined;
+	
+	    var expectedFeatures = [
+	    // shims
+	    Array.isArray, Array.prototype.every, Array.prototype.forEach, Array.prototype.indexOf, Array.prototype.map, Date.now, Function.prototype.bind, Object.keys, String.prototype.split, String.prototype.trim,
+	
+	    // shams
+	    Object.create, Object.freeze];
+	
+	    for (var i = 0; i < expectedFeatures.length; i++) {
+	      if (!expectedFeatures[i]) {
+	        console.error('One or more ES5 shim/shams expected by React are not available: ' + 'https://fb.me/react-warning-polyfills');
+	        break;
+	      }
+	    }
+	  }
+	}
+	
+	module.exports = React;
+
+/***/ },
+/* 21 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactCurrentOwner
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Keeps track of the current owner.
+	 *
+	 * The current owner is the component who should own any components that are
+	 * currently being constructed.
+	 */
+	var ReactCurrentOwner = {
+	
+	  /**
+	   * @internal
+	   * @type {ReactComponent}
+	   */
+	  current: null
+	
+	};
+	
+	module.exports = ReactCurrentOwner;
+
+/***/ },
+/* 22 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMTextComponent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var DOMChildrenOperations = __webpack_require__(23);
+	var DOMPropertyOperations = __webpack_require__(38);
+	var ReactComponentBrowserEnvironment = __webpack_require__(42);
+	var ReactMount = __webpack_require__(44);
+	
+	var assign = __webpack_require__(55);
+	var escapeTextContentForBrowser = __webpack_require__(37);
+	var setTextContent = __webpack_require__(36);
+	var validateDOMNesting = __webpack_require__(86);
+	
+	/**
+	 * Text nodes violate a couple assumptions that React makes about components:
+	 *
+	 *  - When mounting text into the DOM, adjacent text nodes are merged.
+	 *  - Text nodes cannot be assigned a React root ID.
+	 *
+	 * This component is used to wrap strings in elements so that they can undergo
+	 * the same reconciliation that is applied to elements.
+	 *
+	 * TODO: Investigate representing React components in the DOM with text nodes.
+	 *
+	 * @class ReactDOMTextComponent
+	 * @extends ReactComponent
+	 * @internal
+	 */
+	var ReactDOMTextComponent = function (props) {
+	  // This constructor and its argument is currently used by mocks.
+	};
+	
+	assign(ReactDOMTextComponent.prototype, {
+	
+	  /**
+	   * @param {ReactText} text
+	   * @internal
+	   */
+	  construct: function (text) {
+	    // TODO: This is really a ReactText (ReactNode), not a ReactElement
+	    this._currentElement = text;
+	    this._stringText = '' + text;
+	
+	    // Properties
+	    this._rootNodeID = null;
+	    this._mountIndex = 0;
+	  },
+	
+	  /**
+	   * Creates the markup for this text node. This node is not intended to have
+	   * any features besides containing text content.
+	   *
+	   * @param {string} rootID DOM ID of the root node.
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @return {string} Markup for this text node.
+	   * @internal
+	   */
+	  mountComponent: function (rootID, transaction, context) {
+	    if (true) {
+	      if (context[validateDOMNesting.ancestorInfoContextKey]) {
+	        validateDOMNesting('span', null, context[validateDOMNesting.ancestorInfoContextKey]);
+	      }
+	    }
+	
+	    this._rootNodeID = rootID;
+	    if (transaction.useCreateElement) {
+	      var ownerDocument = context[ReactMount.ownerDocumentContextKey];
+	      var el = ownerDocument.createElement('span');
+	      DOMPropertyOperations.setAttributeForID(el, rootID);
+	      // Populate node cache
+	      ReactMount.getID(el);
+	      setTextContent(el, this._stringText);
+	      return el;
+	    } else {
+	      var escapedText = escapeTextContentForBrowser(this._stringText);
+	
+	      if (transaction.renderToStaticMarkup) {
+	        // Normally we'd wrap this in a `span` for the reasons stated above, but
+	        // since this is a situation where React won't take over (static pages),
+	        // we can simply return the text as it is.
+	        return escapedText;
+	      }
+	
+	      return '<span ' + DOMPropertyOperations.createMarkupForID(rootID) + '>' + escapedText + '</span>';
+	    }
+	  },
+	
+	  /**
+	   * Updates this component by updating the text content.
+	   *
+	   * @param {ReactText} nextText The next text content
+	   * @param {ReactReconcileTransaction} transaction
+	   * @internal
+	   */
+	  receiveComponent: function (nextText, transaction) {
+	    if (nextText !== this._currentElement) {
+	      this._currentElement = nextText;
+	      var nextStringText = '' + nextText;
+	      if (nextStringText !== this._stringText) {
+	        // TODO: Save this as pending props and use performUpdateIfNecessary
+	        // and/or updateComponent to do the actual update for consistency with
+	        // other component types?
+	        this._stringText = nextStringText;
+	        var node = ReactMount.getNode(this._rootNodeID);
+	        DOMChildrenOperations.updateTextContent(node, nextStringText);
+	      }
+	    }
+	  },
+	
+	  unmountComponent: function () {
+	    ReactComponentBrowserEnvironment.unmountIDFromEnvironment(this._rootNodeID);
+	  }
+	
+	});
+	
+	module.exports = ReactDOMTextComponent;
+
+/***/ },
+/* 23 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule DOMChildrenOperations
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var Danger = __webpack_require__(24);
+	var ReactMultiChildUpdateTypes = __webpack_require__(32);
+	var ReactPerf = __webpack_require__(34);
+	
+	var setInnerHTML = __webpack_require__(35);
+	var setTextContent = __webpack_require__(36);
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Inserts `childNode` as a child of `parentNode` at the `index`.
+	 *
+	 * @param {DOMElement} parentNode Parent node in which to insert.
+	 * @param {DOMElement} childNode Child node to insert.
+	 * @param {number} index Index at which to insert the child.
+	 * @internal
+	 */
+	function insertChildAt(parentNode, childNode, index) {
+	  // By exploiting arrays returning `undefined` for an undefined index, we can
+	  // rely exclusively on `insertBefore(node, null)` instead of also using
+	  // `appendChild(node)`. However, using `undefined` is not allowed by all
+	  // browsers so we must replace it with `null`.
+	
+	  // fix render order error in safari
+	  // IE8 will throw error when index out of list size.
+	  var beforeChild = index >= parentNode.childNodes.length ? null : parentNode.childNodes.item(index);
+	
+	  parentNode.insertBefore(childNode, beforeChild);
+	}
+	
+	/**
+	 * Operations for updating with DOM children.
+	 */
+	var DOMChildrenOperations = {
+	
+	  dangerouslyReplaceNodeWithMarkup: Danger.dangerouslyReplaceNodeWithMarkup,
+	
+	  updateTextContent: setTextContent,
+	
+	  /**
+	   * Updates a component's children by processing a series of updates. The
+	   * update configurations are each expected to have a `parentNode` property.
+	   *
+	   * @param {array<object>} updates List of update configurations.
+	   * @param {array<string>} markupList List of markup strings.
+	   * @internal
+	   */
+	  processUpdates: function (updates, markupList) {
+	    var update;
+	    // Mapping from parent IDs to initial child orderings.
+	    var initialChildren = null;
+	    // List of children that will be moved or removed.
+	    var updatedChildren = null;
+	
+	    for (var i = 0; i < updates.length; i++) {
+	      update = updates[i];
+	      if (update.type === ReactMultiChildUpdateTypes.MOVE_EXISTING || update.type === ReactMultiChildUpdateTypes.REMOVE_NODE) {
+	        var updatedIndex = update.fromIndex;
+	        var updatedChild = update.parentNode.childNodes[updatedIndex];
+	        var parentID = update.parentID;
+	
+	        !updatedChild ?  true ? invariant(false, 'processUpdates(): Unable to find child %s of element. This ' + 'probably means the DOM was unexpectedly mutated (e.g., by the ' + 'browser), usually due to forgetting a <tbody> when using tables, ' + 'nesting tags like <form>, <p>, or <a>, or using non-SVG elements ' + 'in an <svg> parent. Try inspecting the child nodes of the element ' + 'with React ID `%s`.', updatedIndex, parentID) : invariant(false) : undefined;
+	
+	        initialChildren = initialChildren || {};
+	        initialChildren[parentID] = initialChildren[parentID] || [];
+	        initialChildren[parentID][updatedIndex] = updatedChild;
+	
+	        updatedChildren = updatedChildren || [];
+	        updatedChildren.push(updatedChild);
+	      }
+	    }
+	
+	    var renderedMarkup;
+	    // markupList is either a list of markup or just a list of elements
+	    if (markupList.length && typeof markupList[0] === 'string') {
+	      renderedMarkup = Danger.dangerouslyRenderMarkup(markupList);
+	    } else {
+	      renderedMarkup = markupList;
+	    }
+	
+	    // Remove updated children first so that `toIndex` is consistent.
+	    if (updatedChildren) {
+	      for (var j = 0; j < updatedChildren.length; j++) {
+	        updatedChildren[j].parentNode.removeChild(updatedChildren[j]);
+	      }
+	    }
+	
+	    for (var k = 0; k < updates.length; k++) {
+	      update = updates[k];
+	      switch (update.type) {
+	        case ReactMultiChildUpdateTypes.INSERT_MARKUP:
+	          insertChildAt(update.parentNode, renderedMarkup[update.markupIndex], update.toIndex);
+	          break;
+	        case ReactMultiChildUpdateTypes.MOVE_EXISTING:
+	          insertChildAt(update.parentNode, initialChildren[update.parentID][update.fromIndex], update.toIndex);
+	          break;
+	        case ReactMultiChildUpdateTypes.SET_MARKUP:
+	          setInnerHTML(update.parentNode, update.content);
+	          break;
+	        case ReactMultiChildUpdateTypes.TEXT_CONTENT:
+	          setTextContent(update.parentNode, update.content);
+	          break;
+	        case ReactMultiChildUpdateTypes.REMOVE_NODE:
+	          // Already removed by the for-loop above.
+	          break;
+	      }
+	    }
+	  }
+	
+	};
+	
+	ReactPerf.measureMethods(DOMChildrenOperations, 'DOMChildrenOperations', {
+	  updateTextContent: 'updateTextContent'
+	});
+	
+	module.exports = DOMChildrenOperations;
+
+/***/ },
+/* 24 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule Danger
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var createNodesFromMarkup = __webpack_require__(26);
+	var emptyFunction = __webpack_require__(31);
+	var getMarkupWrap = __webpack_require__(30);
+	var invariant = __webpack_require__(29);
+	
+	var OPEN_TAG_NAME_EXP = /^(<[^ \/>]+)/;
+	var RESULT_INDEX_ATTR = 'data-danger-index';
+	
+	/**
+	 * Extracts the `nodeName` from a string of markup.
+	 *
+	 * NOTE: Extracting the `nodeName` does not require a regular expression match
+	 * because we make assumptions about React-generated markup (i.e. there are no
+	 * spaces surrounding the opening tag and there is at least one attribute).
+	 *
+	 * @param {string} markup String of markup.
+	 * @return {string} Node name of the supplied markup.
+	 * @see http://jsperf.com/extract-nodename
+	 */
+	function getNodeName(markup) {
+	  return markup.substring(1, markup.indexOf(' '));
+	}
+	
+	var Danger = {
+	
+	  /**
+	   * Renders markup into an array of nodes. The markup is expected to render
+	   * into a list of root nodes. Also, the length of `resultList` and
+	   * `markupList` should be the same.
+	   *
+	   * @param {array<string>} markupList List of markup strings to render.
+	   * @return {array<DOMElement>} List of rendered nodes.
+	   * @internal
+	   */
+	  dangerouslyRenderMarkup: function (markupList) {
+	    !ExecutionEnvironment.canUseDOM ?  true ? invariant(false, 'dangerouslyRenderMarkup(...): Cannot render markup in a worker ' + 'thread. Make sure `window` and `document` are available globally ' + 'before requiring React when unit testing or use ' + 'ReactDOMServer.renderToString for server rendering.') : invariant(false) : undefined;
+	    var nodeName;
+	    var markupByNodeName = {};
+	    // Group markup by `nodeName` if a wrap is necessary, else by '*'.
+	    for (var i = 0; i < markupList.length; i++) {
+	      !markupList[i] ?  true ? invariant(false, 'dangerouslyRenderMarkup(...): Missing markup.') : invariant(false) : undefined;
+	      nodeName = getNodeName(markupList[i]);
+	      nodeName = getMarkupWrap(nodeName) ? nodeName : '*';
+	      markupByNodeName[nodeName] = markupByNodeName[nodeName] || [];
+	      markupByNodeName[nodeName][i] = markupList[i];
+	    }
+	    var resultList = [];
+	    var resultListAssignmentCount = 0;
+	    for (nodeName in markupByNodeName) {
+	      if (!markupByNodeName.hasOwnProperty(nodeName)) {
+	        continue;
+	      }
+	      var markupListByNodeName = markupByNodeName[nodeName];
+	
+	      // This for-in loop skips the holes of the sparse array. The order of
+	      // iteration should follow the order of assignment, which happens to match
+	      // numerical index order, but we don't rely on that.
+	      var resultIndex;
+	      for (resultIndex in markupListByNodeName) {
+	        if (markupListByNodeName.hasOwnProperty(resultIndex)) {
+	          var markup = markupListByNodeName[resultIndex];
+	
+	          // Push the requested markup with an additional RESULT_INDEX_ATTR
+	          // attribute.  If the markup does not start with a < character, it
+	          // will be discarded below (with an appropriate console.error).
+	          markupListByNodeName[resultIndex] = markup.replace(OPEN_TAG_NAME_EXP,
+	          // This index will be parsed back out below.
+	          '$1 ' + RESULT_INDEX_ATTR + '="' + resultIndex + '" ');
+	        }
+	      }
+	
+	      // Render each group of markup with similar wrapping `nodeName`.
+	      var renderNodes = createNodesFromMarkup(markupListByNodeName.join(''), emptyFunction // Do nothing special with <script> tags.
+	      );
+	
+	      for (var j = 0; j < renderNodes.length; ++j) {
+	        var renderNode = renderNodes[j];
+	        if (renderNode.hasAttribute && renderNode.hasAttribute(RESULT_INDEX_ATTR)) {
+	
+	          resultIndex = +renderNode.getAttribute(RESULT_INDEX_ATTR);
+	          renderNode.removeAttribute(RESULT_INDEX_ATTR);
+	
+	          !!resultList.hasOwnProperty(resultIndex) ?  true ? invariant(false, 'Danger: Assigning to an already-occupied result index.') : invariant(false) : undefined;
+	
+	          resultList[resultIndex] = renderNode;
+	
+	          // This should match resultList.length and markupList.length when
+	          // we're done.
+	          resultListAssignmentCount += 1;
+	        } else if (true) {
+	          console.error('Danger: Discarding unexpected node:', renderNode);
+	        }
+	      }
+	    }
+	
+	    // Although resultList was populated out of order, it should now be a dense
+	    // array.
+	    !(resultListAssignmentCount === resultList.length) ?  true ? invariant(false, 'Danger: Did not assign to every index of resultList.') : invariant(false) : undefined;
+	
+	    !(resultList.length === markupList.length) ?  true ? invariant(false, 'Danger: Expected markup to render %s nodes, but rendered %s.', markupList.length, resultList.length) : invariant(false) : undefined;
+	
+	    return resultList;
+	  },
+	
+	  /**
+	   * Replaces a node with a string of markup at its current position within its
+	   * parent. The markup must render into a single root node.
+	   *
+	   * @param {DOMElement} oldChild Child node to replace.
+	   * @param {string} markup Markup to render in place of the child node.
+	   * @internal
+	   */
+	  dangerouslyReplaceNodeWithMarkup: function (oldChild, markup) {
+	    !ExecutionEnvironment.canUseDOM ?  true ? invariant(false, 'dangerouslyReplaceNodeWithMarkup(...): Cannot render markup in a ' + 'worker thread. Make sure `window` and `document` are available ' + 'globally before requiring React when unit testing or use ' + 'ReactDOMServer.renderToString() for server rendering.') : invariant(false) : undefined;
+	    !markup ?  true ? invariant(false, 'dangerouslyReplaceNodeWithMarkup(...): Missing markup.') : invariant(false) : undefined;
+	    !(oldChild.tagName.toLowerCase() !== 'html') ?  true ? invariant(false, 'dangerouslyReplaceNodeWithMarkup(...): Cannot replace markup of the ' + '<html> node. This is because browser quirks make this unreliable ' + 'and/or slow. If you want to render to the root you must use ' + 'server rendering. See ReactDOMServer.renderToString().') : invariant(false) : undefined;
+	
+	    var newChild;
+	    if (typeof markup === 'string') {
+	      newChild = createNodesFromMarkup(markup, emptyFunction)[0];
+	    } else {
+	      newChild = markup;
+	    }
+	    oldChild.parentNode.replaceChild(newChild, oldChild);
+	  }
+	
+	};
+	
+	module.exports = Danger;
+
+/***/ },
+/* 25 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ExecutionEnvironment
+	 */
+	
+	'use strict';
+	
+	var canUseDOM = !!(typeof window !== 'undefined' && window.document && window.document.createElement);
+	
+	/**
+	 * Simple, lightweight module assisting with the detection and context of
+	 * Worker. Helps avoid circular dependencies and allows code to reason about
+	 * whether or not they are in a Worker, even if they never include the main
+	 * `ReactWorker` dependency.
+	 */
+	var ExecutionEnvironment = {
+	
+	  canUseDOM: canUseDOM,
+	
+	  canUseWorkers: typeof Worker !== 'undefined',
+	
+	  canUseEventListeners: canUseDOM && !!(window.addEventListener || window.attachEvent),
+	
+	  canUseViewport: canUseDOM && !!window.screen,
+	
+	  isInWorker: !canUseDOM // For now, this is true - might change in the future.
+	
+	};
+	
+	module.exports = ExecutionEnvironment;
+
+/***/ },
+/* 26 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule createNodesFromMarkup
+	 * @typechecks
+	 */
+	
+	/*eslint-disable fb-www/unsafe-html*/
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var createArrayFromMixed = __webpack_require__(27);
+	var getMarkupWrap = __webpack_require__(30);
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Dummy container used to render all markup.
+	 */
+	var dummyNode = ExecutionEnvironment.canUseDOM ? document.createElement('div') : null;
+	
+	/**
+	 * Pattern used by `getNodeName`.
+	 */
+	var nodeNamePattern = /^\s*<(\w+)/;
+	
+	/**
+	 * Extracts the `nodeName` of the first element in a string of markup.
+	 *
+	 * @param {string} markup String of markup.
+	 * @return {?string} Node name of the supplied markup.
+	 */
+	function getNodeName(markup) {
+	  var nodeNameMatch = markup.match(nodeNamePattern);
+	  return nodeNameMatch && nodeNameMatch[1].toLowerCase();
+	}
+	
+	/**
+	 * Creates an array containing the nodes rendered from the supplied markup. The
+	 * optionally supplied `handleScript` function will be invoked once for each
+	 * <script> element that is rendered. If no `handleScript` function is supplied,
+	 * an exception is thrown if any <script> elements are rendered.
+	 *
+	 * @param {string} markup A string of valid HTML markup.
+	 * @param {?function} handleScript Invoked once for each rendered <script>.
+	 * @return {array<DOMElement|DOMTextNode>} An array of rendered nodes.
+	 */
+	function createNodesFromMarkup(markup, handleScript) {
+	  var node = dummyNode;
+	  !!!dummyNode ?  true ? invariant(false, 'createNodesFromMarkup dummy not initialized') : invariant(false) : undefined;
+	  var nodeName = getNodeName(markup);
+	
+	  var wrap = nodeName && getMarkupWrap(nodeName);
+	  if (wrap) {
+	    node.innerHTML = wrap[1] + markup + wrap[2];
+	
+	    var wrapDepth = wrap[0];
+	    while (wrapDepth--) {
+	      node = node.lastChild;
+	    }
+	  } else {
+	    node.innerHTML = markup;
+	  }
+	
+	  var scripts = node.getElementsByTagName('script');
+	  if (scripts.length) {
+	    !handleScript ?  true ? invariant(false, 'createNodesFromMarkup(...): Unexpected <script> element rendered.') : invariant(false) : undefined;
+	    createArrayFromMixed(scripts).forEach(handleScript);
+	  }
+	
+	  var nodes = createArrayFromMixed(node.childNodes);
+	  while (node.lastChild) {
+	    node.removeChild(node.lastChild);
+	  }
+	  return nodes;
+	}
+	
+	module.exports = createNodesFromMarkup;
+
+/***/ },
+/* 27 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule createArrayFromMixed
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var toArray = __webpack_require__(28);
+	
+	/**
+	 * Perform a heuristic test to determine if an object is "array-like".
+	 *
+	 *   A monk asked Joshu, a Zen master, "Has a dog Buddha nature?"
+	 *   Joshu replied: "Mu."
+	 *
+	 * This function determines if its argument has "array nature": it returns
+	 * true if the argument is an actual array, an `arguments' object, or an
+	 * HTMLCollection (e.g. node.childNodes or node.getElementsByTagName()).
+	 *
+	 * It will return false for other array-like objects like Filelist.
+	 *
+	 * @param {*} obj
+	 * @return {boolean}
+	 */
+	function hasArrayNature(obj) {
+	  return(
+	    // not null/false
+	    !!obj && (
+	    // arrays are objects, NodeLists are functions in Safari
+	    typeof obj == 'object' || typeof obj == 'function') &&
+	    // quacks like an array
+	    'length' in obj &&
+	    // not window
+	    !('setInterval' in obj) &&
+	    // no DOM node should be considered an array-like
+	    // a 'select' element has 'length' and 'item' properties on IE8
+	    typeof obj.nodeType != 'number' && (
+	    // a real array
+	    Array.isArray(obj) ||
+	    // arguments
+	    'callee' in obj ||
+	    // HTMLCollection/NodeList
+	    'item' in obj)
+	  );
+	}
+	
+	/**
+	 * Ensure that the argument is an array by wrapping it in an array if it is not.
+	 * Creates a copy of the argument if it is already an array.
+	 *
+	 * This is mostly useful idiomatically:
+	 *
+	 *   var createArrayFromMixed = require('createArrayFromMixed');
+	 *
+	 *   function takesOneOrMoreThings(things) {
+	 *     things = createArrayFromMixed(things);
+	 *     ...
+	 *   }
+	 *
+	 * This allows you to treat `things' as an array, but accept scalars in the API.
+	 *
+	 * If you need to convert an array-like object, like `arguments`, into an array
+	 * use toArray instead.
+	 *
+	 * @param {*} obj
+	 * @return {array}
+	 */
+	function createArrayFromMixed(obj) {
+	  if (!hasArrayNature(obj)) {
+	    return [obj];
+	  } else if (Array.isArray(obj)) {
+	    return obj.slice();
+	  } else {
+	    return toArray(obj);
+	  }
+	}
+	
+	module.exports = createArrayFromMixed;
+
+/***/ },
+/* 28 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule toArray
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Convert array-like objects to arrays.
+	 *
+	 * This API assumes the caller knows the contents of the data type. For less
+	 * well defined inputs use createArrayFromMixed.
+	 *
+	 * @param {object|function|filelist} obj
+	 * @return {array}
+	 */
+	function toArray(obj) {
+	  var length = obj.length;
+	
+	  // Some browse builtin objects can report typeof 'function' (e.g. NodeList in
+	  // old versions of Safari).
+	  !(!Array.isArray(obj) && (typeof obj === 'object' || typeof obj === 'function')) ?  true ? invariant(false, 'toArray: Array-like object expected') : invariant(false) : undefined;
+	
+	  !(typeof length === 'number') ?  true ? invariant(false, 'toArray: Object needs a length property') : invariant(false) : undefined;
+	
+	  !(length === 0 || length - 1 in obj) ?  true ? invariant(false, 'toArray: Object should have keys for indices') : invariant(false) : undefined;
+	
+	  // Old IE doesn't give collections access to hasOwnProperty. Assume inputs
+	  // without method will throw during the slice call and skip straight to the
+	  // fallback.
+	  if (obj.hasOwnProperty) {
+	    try {
+	      return Array.prototype.slice.call(obj);
+	    } catch (e) {
+	      // IE < 9 does not support Array#slice on collections objects
+	    }
+	  }
+	
+	  // Fall back to copying key by key. This assumes all keys have a value,
+	  // so will not preserve sparsely populated inputs.
+	  var ret = Array(length);
+	  for (var ii = 0; ii < length; ii++) {
+	    ret[ii] = obj[ii];
+	  }
+	  return ret;
+	}
+	
+	module.exports = toArray;
+
+/***/ },
+/* 29 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule invariant
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Use invariant() to assert state which your program assumes to be true.
+	 *
+	 * Provide sprintf-style format (only %s is supported) and arguments
+	 * to provide information about what broke and what you were
+	 * expecting.
+	 *
+	 * The invariant message will be stripped in production, but the invariant
+	 * will remain to ensure logic does not differ in production.
+	 */
+	
+	function invariant(condition, format, a, b, c, d, e, f) {
+	  if (true) {
+	    if (format === undefined) {
+	      throw new Error('invariant requires an error message argument');
+	    }
+	  }
+	
+	  if (!condition) {
+	    var error;
+	    if (format === undefined) {
+	      error = new Error('Minified exception occurred; use the non-minified dev environment ' + 'for the full error message and additional helpful warnings.');
+	    } else {
+	      var args = [a, b, c, d, e, f];
+	      var argIndex = 0;
+	      error = new Error(format.replace(/%s/g, function () {
+	        return args[argIndex++];
+	      }));
+	      error.name = 'Invariant Violation';
+	    }
+	
+	    error.framesToPop = 1; // we don't care about invariant's own frame
+	    throw error;
+	  }
+	}
+	
+	module.exports = invariant;
+
+/***/ },
+/* 30 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getMarkupWrap
+	 */
+	
+	/*eslint-disable fb-www/unsafe-html */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Dummy container used to detect which wraps are necessary.
+	 */
+	var dummyNode = ExecutionEnvironment.canUseDOM ? document.createElement('div') : null;
+	
+	/**
+	 * Some browsers cannot use `innerHTML` to render certain elements standalone,
+	 * so we wrap them, render the wrapped nodes, then extract the desired node.
+	 *
+	 * In IE8, certain elements cannot render alone, so wrap all elements ('*').
+	 */
+	
+	var shouldWrap = {};
+	
+	var selectWrap = [1, '<select multiple="true">', '</select>'];
+	var tableWrap = [1, '<table>', '</table>'];
+	var trWrap = [3, '<table><tbody><tr>', '</tr></tbody></table>'];
+	
+	var svgWrap = [1, '<svg xmlns="http://www.w3.org/2000/svg">', '</svg>'];
+	
+	var markupWrap = {
+	  '*': [1, '?<div>', '</div>'],
+	
+	  'area': [1, '<map>', '</map>'],
+	  'col': [2, '<table><tbody></tbody><colgroup>', '</colgroup></table>'],
+	  'legend': [1, '<fieldset>', '</fieldset>'],
+	  'param': [1, '<object>', '</object>'],
+	  'tr': [2, '<table><tbody>', '</tbody></table>'],
+	
+	  'optgroup': selectWrap,
+	  'option': selectWrap,
+	
+	  'caption': tableWrap,
+	  'colgroup': tableWrap,
+	  'tbody': tableWrap,
+	  'tfoot': tableWrap,
+	  'thead': tableWrap,
+	
+	  'td': trWrap,
+	  'th': trWrap
+	};
+	
+	// Initialize the SVG elements since we know they'll always need to be wrapped
+	// consistently. If they are created inside a <div> they will be initialized in
+	// the wrong namespace (and will not display).
+	var svgElements = ['circle', 'clipPath', 'defs', 'ellipse', 'g', 'image', 'line', 'linearGradient', 'mask', 'path', 'pattern', 'polygon', 'polyline', 'radialGradient', 'rect', 'stop', 'text', 'tspan'];
+	svgElements.forEach(function (nodeName) {
+	  markupWrap[nodeName] = svgWrap;
+	  shouldWrap[nodeName] = true;
+	});
+	
+	/**
+	 * Gets the markup wrap configuration for the supplied `nodeName`.
+	 *
+	 * NOTE: This lazily detects which wraps are necessary for the current browser.
+	 *
+	 * @param {string} nodeName Lowercase `nodeName`.
+	 * @return {?array} Markup wrap configuration, if applicable.
+	 */
+	function getMarkupWrap(nodeName) {
+	  !!!dummyNode ?  true ? invariant(false, 'Markup wrapping node not initialized') : invariant(false) : undefined;
+	  if (!markupWrap.hasOwnProperty(nodeName)) {
+	    nodeName = '*';
+	  }
+	  if (!shouldWrap.hasOwnProperty(nodeName)) {
+	    if (nodeName === '*') {
+	      dummyNode.innerHTML = '<link />';
+	    } else {
+	      dummyNode.innerHTML = '<' + nodeName + '></' + nodeName + '>';
+	    }
+	    shouldWrap[nodeName] = !dummyNode.firstChild;
+	  }
+	  return shouldWrap[nodeName] ? markupWrap[nodeName] : null;
+	}
+	
+	module.exports = getMarkupWrap;
+
+/***/ },
+/* 31 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule emptyFunction
+	 */
+	
+	"use strict";
+	
+	function makeEmptyFunction(arg) {
+	  return function () {
+	    return arg;
+	  };
+	}
+	
+	/**
+	 * This function accepts and discards inputs; it has no side effects. This is
+	 * primarily useful idiomatically for overridable function endpoints which
+	 * always need to be callable, since JS lacks a null-call idiom ala Cocoa.
+	 */
+	function emptyFunction() {}
+	
+	emptyFunction.thatReturns = makeEmptyFunction;
+	emptyFunction.thatReturnsFalse = makeEmptyFunction(false);
+	emptyFunction.thatReturnsTrue = makeEmptyFunction(true);
+	emptyFunction.thatReturnsNull = makeEmptyFunction(null);
+	emptyFunction.thatReturnsThis = function () {
+	  return this;
+	};
+	emptyFunction.thatReturnsArgument = function (arg) {
+	  return arg;
+	};
+	
+	module.exports = emptyFunction;
+
+/***/ },
+/* 32 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactMultiChildUpdateTypes
+	 */
+	
+	'use strict';
+	
+	var keyMirror = __webpack_require__(33);
+	
+	/**
+	 * When a component's children are updated, a series of update configuration
+	 * objects are created in order to batch and serialize the required changes.
+	 *
+	 * Enumerates all the possible types of update configurations.
+	 *
+	 * @internal
+	 */
+	var ReactMultiChildUpdateTypes = keyMirror({
+	  INSERT_MARKUP: null,
+	  MOVE_EXISTING: null,
+	  REMOVE_NODE: null,
+	  SET_MARKUP: null,
+	  TEXT_CONTENT: null
+	});
+	
+	module.exports = ReactMultiChildUpdateTypes;
+
+/***/ },
+/* 33 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule keyMirror
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Constructs an enumeration with keys equal to their value.
+	 *
+	 * For example:
+	 *
+	 *   var COLORS = keyMirror({blue: null, red: null});
+	 *   var myColor = COLORS.blue;
+	 *   var isColorValid = !!COLORS[myColor];
+	 *
+	 * The last line could not be performed if the values of the generated enum were
+	 * not equal to their keys.
+	 *
+	 *   Input:  {key1: val1, key2: val2}
+	 *   Output: {key1: key1, key2: key2}
+	 *
+	 * @param {object} obj
+	 * @return {object}
+	 */
+	var keyMirror = function (obj) {
+	  var ret = {};
+	  var key;
+	  !(obj instanceof Object && !Array.isArray(obj)) ?  true ? invariant(false, 'keyMirror(...): Argument must be an object.') : invariant(false) : undefined;
+	  for (key in obj) {
+	    if (!obj.hasOwnProperty(key)) {
+	      continue;
+	    }
+	    ret[key] = key;
+	  }
+	  return ret;
+	};
+	
+	module.exports = keyMirror;
+
+/***/ },
+/* 34 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactPerf
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/**
+	 * ReactPerf is a general AOP system designed to measure performance. This
+	 * module only has the hooks: see ReactDefaultPerf for the analysis tool.
+	 */
+	var ReactPerf = {
+	  /**
+	   * Boolean to enable/disable measurement. Set to false by default to prevent
+	   * accidental logging and perf loss.
+	   */
+	  enableMeasure: false,
+	
+	  /**
+	   * Holds onto the measure function in use. By default, don't measure
+	   * anything, but we'll override this if we inject a measure function.
+	   */
+	  storedMeasure: _noMeasure,
+	
+	  /**
+	   * @param {object} object
+	   * @param {string} objectName
+	   * @param {object<string>} methodNames
+	   */
+	  measureMethods: function (object, objectName, methodNames) {
+	    if (true) {
+	      for (var key in methodNames) {
+	        if (!methodNames.hasOwnProperty(key)) {
+	          continue;
+	        }
+	        object[key] = ReactPerf.measure(objectName, methodNames[key], object[key]);
+	      }
+	    }
+	  },
+	
+	  /**
+	   * Use this to wrap methods you want to measure. Zero overhead in production.
+	   *
+	   * @param {string} objName
+	   * @param {string} fnName
+	   * @param {function} func
+	   * @return {function}
+	   */
+	  measure: function (objName, fnName, func) {
+	    if (true) {
+	      var measuredFunc = null;
+	      var wrapper = function () {
+	        if (ReactPerf.enableMeasure) {
+	          if (!measuredFunc) {
+	            measuredFunc = ReactPerf.storedMeasure(objName, fnName, func);
+	          }
+	          return measuredFunc.apply(this, arguments);
+	        }
+	        return func.apply(this, arguments);
+	      };
+	      wrapper.displayName = objName + '_' + fnName;
+	      return wrapper;
+	    }
+	    return func;
+	  },
+	
+	  injection: {
+	    /**
+	     * @param {function} measure
+	     */
+	    injectMeasure: function (measure) {
+	      ReactPerf.storedMeasure = measure;
+	    }
+	  }
+	};
+	
+	/**
+	 * Simply passes through the measured function, without measuring it.
+	 *
+	 * @param {string} objName
+	 * @param {string} fnName
+	 * @param {function} func
+	 * @return {function}
+	 */
+	function _noMeasure(objName, fnName, func) {
+	  return func;
+	}
+	
+	module.exports = ReactPerf;
+
+/***/ },
+/* 35 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule setInnerHTML
+	 */
+	
+	/* globals MSApp */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var WHITESPACE_TEST = /^[ \r\n\t\f]/;
+	var NONVISIBLE_TEST = /<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/;
+	
+	/**
+	 * Set the innerHTML property of a node, ensuring that whitespace is preserved
+	 * even in IE8.
+	 *
+	 * @param {DOMElement} node
+	 * @param {string} html
+	 * @internal
+	 */
+	var setInnerHTML = function (node, html) {
+	  node.innerHTML = html;
+	};
+	
+	// Win8 apps: Allow all html to be inserted
+	if (typeof MSApp !== 'undefined' && MSApp.execUnsafeLocalFunction) {
+	  setInnerHTML = function (node, html) {
+	    MSApp.execUnsafeLocalFunction(function () {
+	      node.innerHTML = html;
+	    });
+	  };
+	}
+	
+	if (ExecutionEnvironment.canUseDOM) {
+	  // IE8: When updating a just created node with innerHTML only leading
+	  // whitespace is removed. When updating an existing node with innerHTML
+	  // whitespace in root TextNodes is also collapsed.
+	  // @see quirksmode.org/bugreports/archives/2004/11/innerhtml_and_t.html
+	
+	  // Feature detection; only IE8 is known to behave improperly like this.
+	  var testElement = document.createElement('div');
+	  testElement.innerHTML = ' ';
+	  if (testElement.innerHTML === '') {
+	    setInnerHTML = function (node, html) {
+	      // Magic theory: IE8 supposedly differentiates between added and updated
+	      // nodes when processing innerHTML, innerHTML on updated nodes suffers
+	      // from worse whitespace behavior. Re-adding a node like this triggers
+	      // the initial and more favorable whitespace behavior.
+	      // TODO: What to do on a detached node?
+	      if (node.parentNode) {
+	        node.parentNode.replaceChild(node, node);
+	      }
+	
+	      // We also implement a workaround for non-visible tags disappearing into
+	      // thin air on IE8, this only happens if there is no visible text
+	      // in-front of the non-visible tags. Piggyback on the whitespace fix
+	      // and simply check if any non-visible tags appear in the source.
+	      if (WHITESPACE_TEST.test(html) || html[0] === '<' && NONVISIBLE_TEST.test(html)) {
+	        // Recover leading whitespace by temporarily prepending any character.
+	        // \uFEFF has the potential advantage of being zero-width/invisible.
+	        // UglifyJS drops U+FEFF chars when parsing, so use String.fromCharCode
+	        // in hopes that this is preserved even if "\uFEFF" is transformed to
+	        // the actual Unicode character (by Babel, for example).
+	        // https://github.com/mishoo/UglifyJS2/blob/v2.4.20/lib/parse.js#L216
+	        node.innerHTML = String.fromCharCode(0xFEFF) + html;
+	
+	        // deleteData leaves an empty `TextNode` which offsets the index of all
+	        // children. Definitely want to avoid this.
+	        var textNode = node.firstChild;
+	        if (textNode.data.length === 1) {
+	          node.removeChild(textNode);
+	        } else {
+	          textNode.deleteData(0, 1);
+	        }
+	      } else {
+	        node.innerHTML = html;
+	      }
+	    };
+	  }
+	}
+	
+	module.exports = setInnerHTML;
+
+/***/ },
+/* 36 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule setTextContent
+	 */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	var escapeTextContentForBrowser = __webpack_require__(37);
+	var setInnerHTML = __webpack_require__(35);
+	
+	/**
+	 * Set the textContent property of a node, ensuring that whitespace is preserved
+	 * even in IE8. innerText is a poor substitute for textContent and, among many
+	 * issues, inserts <br> instead of the literal newline chars. innerHTML behaves
+	 * as it should.
+	 *
+	 * @param {DOMElement} node
+	 * @param {string} text
+	 * @internal
+	 */
+	var setTextContent = function (node, text) {
+	  node.textContent = text;
+	};
+	
+	if (ExecutionEnvironment.canUseDOM) {
+	  if (!('textContent' in document.documentElement)) {
+	    setTextContent = function (node, text) {
+	      setInnerHTML(node, escapeTextContentForBrowser(text));
+	    };
+	  }
+	}
+	
+	module.exports = setTextContent;
+
+/***/ },
+/* 37 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule escapeTextContentForBrowser
+	 */
+	
+	'use strict';
+	
+	var ESCAPE_LOOKUP = {
+	  '&': '&amp;',
+	  '>': '&gt;',
+	  '<': '&lt;',
+	  '"': '&quot;',
+	  '\'': '&#x27;'
+	};
+	
+	var ESCAPE_REGEX = /[&><"']/g;
+	
+	function escaper(match) {
+	  return ESCAPE_LOOKUP[match];
+	}
+	
+	/**
+	 * Escapes text to prevent scripting attacks.
+	 *
+	 * @param {*} text Text value to escape.
+	 * @return {string} An escaped string.
+	 */
+	function escapeTextContentForBrowser(text) {
+	  return ('' + text).replace(ESCAPE_REGEX, escaper);
+	}
+	
+	module.exports = escapeTextContentForBrowser;
+
+/***/ },
+/* 38 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule DOMPropertyOperations
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var DOMProperty = __webpack_require__(39);
+	var ReactPerf = __webpack_require__(34);
+	
+	var quoteAttributeValueForBrowser = __webpack_require__(40);
+	var warning = __webpack_require__(41);
+	
+	// Simplified subset
+	var VALID_ATTRIBUTE_NAME_REGEX = /^[a-zA-Z_][\w\.\-]*$/;
+	var illegalAttributeNameCache = {};
+	var validatedAttributeNameCache = {};
+	
+	function isAttributeNameSafe(attributeName) {
+	  if (validatedAttributeNameCache.hasOwnProperty(attributeName)) {
+	    return true;
+	  }
+	  if (illegalAttributeNameCache.hasOwnProperty(attributeName)) {
+	    return false;
+	  }
+	  if (VALID_ATTRIBUTE_NAME_REGEX.test(attributeName)) {
+	    validatedAttributeNameCache[attributeName] = true;
+	    return true;
+	  }
+	  illegalAttributeNameCache[attributeName] = true;
+	   true ? warning(false, 'Invalid attribute name: `%s`', attributeName) : undefined;
+	  return false;
+	}
+	
+	function shouldIgnoreValue(propertyInfo, value) {
+	  return value == null || propertyInfo.hasBooleanValue && !value || propertyInfo.hasNumericValue && isNaN(value) || propertyInfo.hasPositiveNumericValue && value < 1 || propertyInfo.hasOverloadedBooleanValue && value === false;
+	}
+	
+	if (true) {
+	  var reactProps = {
+	    children: true,
+	    dangerouslySetInnerHTML: true,
+	    key: true,
+	    ref: true
+	  };
+	  var warnedProperties = {};
+	
+	  var warnUnknownProperty = function (name) {
+	    if (reactProps.hasOwnProperty(name) && reactProps[name] || warnedProperties.hasOwnProperty(name) && warnedProperties[name]) {
+	      return;
+	    }
+	
+	    warnedProperties[name] = true;
+	    var lowerCasedName = name.toLowerCase();
+	
+	    // data-* attributes should be lowercase; suggest the lowercase version
+	    var standardName = DOMProperty.isCustomAttribute(lowerCasedName) ? lowerCasedName : DOMProperty.getPossibleStandardName.hasOwnProperty(lowerCasedName) ? DOMProperty.getPossibleStandardName[lowerCasedName] : null;
+	
+	    // For now, only warn when we have a suggested correction. This prevents
+	    // logging too much when using transferPropsTo.
+	     true ? warning(standardName == null, 'Unknown DOM property %s. Did you mean %s?', name, standardName) : undefined;
+	  };
+	}
+	
+	/**
+	 * Operations for dealing with DOM properties.
+	 */
+	var DOMPropertyOperations = {
+	
+	  /**
+	   * Creates markup for the ID property.
+	   *
+	   * @param {string} id Unescaped ID.
+	   * @return {string} Markup string.
+	   */
+	  createMarkupForID: function (id) {
+	    return DOMProperty.ID_ATTRIBUTE_NAME + '=' + quoteAttributeValueForBrowser(id);
+	  },
+	
+	  setAttributeForID: function (node, id) {
+	    node.setAttribute(DOMProperty.ID_ATTRIBUTE_NAME, id);
+	  },
+	
+	  /**
+	   * Creates markup for a property.
+	   *
+	   * @param {string} name
+	   * @param {*} value
+	   * @return {?string} Markup string, or null if the property was invalid.
+	   */
+	  createMarkupForProperty: function (name, value) {
+	    var propertyInfo = DOMProperty.properties.hasOwnProperty(name) ? DOMProperty.properties[name] : null;
+	    if (propertyInfo) {
+	      if (shouldIgnoreValue(propertyInfo, value)) {
+	        return '';
+	      }
+	      var attributeName = propertyInfo.attributeName;
+	      if (propertyInfo.hasBooleanValue || propertyInfo.hasOverloadedBooleanValue && value === true) {
+	        return attributeName + '=""';
+	      }
+	      return attributeName + '=' + quoteAttributeValueForBrowser(value);
+	    } else if (DOMProperty.isCustomAttribute(name)) {
+	      if (value == null) {
+	        return '';
+	      }
+	      return name + '=' + quoteAttributeValueForBrowser(value);
+	    } else if (true) {
+	      warnUnknownProperty(name);
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Creates markup for a custom property.
+	   *
+	   * @param {string} name
+	   * @param {*} value
+	   * @return {string} Markup string, or empty string if the property was invalid.
+	   */
+	  createMarkupForCustomAttribute: function (name, value) {
+	    if (!isAttributeNameSafe(name) || value == null) {
+	      return '';
+	    }
+	    return name + '=' + quoteAttributeValueForBrowser(value);
+	  },
+	
+	  /**
+	   * Sets the value for a property on a node.
+	   *
+	   * @param {DOMElement} node
+	   * @param {string} name
+	   * @param {*} value
+	   */
+	  setValueForProperty: function (node, name, value) {
+	    var propertyInfo = DOMProperty.properties.hasOwnProperty(name) ? DOMProperty.properties[name] : null;
+	    if (propertyInfo) {
+	      var mutationMethod = propertyInfo.mutationMethod;
+	      if (mutationMethod) {
+	        mutationMethod(node, value);
+	      } else if (shouldIgnoreValue(propertyInfo, value)) {
+	        this.deleteValueForProperty(node, name);
+	      } else if (propertyInfo.mustUseAttribute) {
+	        var attributeName = propertyInfo.attributeName;
+	        var namespace = propertyInfo.attributeNamespace;
+	        // `setAttribute` with objects becomes only `[object]` in IE8/9,
+	        // ('' + value) makes it output the correct toString()-value.
+	        if (namespace) {
+	          node.setAttributeNS(namespace, attributeName, '' + value);
+	        } else if (propertyInfo.hasBooleanValue || propertyInfo.hasOverloadedBooleanValue && value === true) {
+	          node.setAttribute(attributeName, '');
+	        } else {
+	          node.setAttribute(attributeName, '' + value);
+	        }
+	      } else {
+	        var propName = propertyInfo.propertyName;
+	        // Must explicitly cast values for HAS_SIDE_EFFECTS-properties to the
+	        // property type before comparing; only `value` does and is string.
+	        if (!propertyInfo.hasSideEffects || '' + node[propName] !== '' + value) {
+	          // Contrary to `setAttribute`, object properties are properly
+	          // `toString`ed by IE8/9.
+	          node[propName] = value;
+	        }
+	      }
+	    } else if (DOMProperty.isCustomAttribute(name)) {
+	      DOMPropertyOperations.setValueForAttribute(node, name, value);
+	    } else if (true) {
+	      warnUnknownProperty(name);
+	    }
+	  },
+	
+	  setValueForAttribute: function (node, name, value) {
+	    if (!isAttributeNameSafe(name)) {
+	      return;
+	    }
+	    if (value == null) {
+	      node.removeAttribute(name);
+	    } else {
+	      node.setAttribute(name, '' + value);
+	    }
+	  },
+	
+	  /**
+	   * Deletes the value for a property on a node.
+	   *
+	   * @param {DOMElement} node
+	   * @param {string} name
+	   */
+	  deleteValueForProperty: function (node, name) {
+	    var propertyInfo = DOMProperty.properties.hasOwnProperty(name) ? DOMProperty.properties[name] : null;
+	    if (propertyInfo) {
+	      var mutationMethod = propertyInfo.mutationMethod;
+	      if (mutationMethod) {
+	        mutationMethod(node, undefined);
+	      } else if (propertyInfo.mustUseAttribute) {
+	        node.removeAttribute(propertyInfo.attributeName);
+	      } else {
+	        var propName = propertyInfo.propertyName;
+	        var defaultValue = DOMProperty.getDefaultValueForProperty(node.nodeName, propName);
+	        if (!propertyInfo.hasSideEffects || '' + node[propName] !== defaultValue) {
+	          node[propName] = defaultValue;
+	        }
+	      }
+	    } else if (DOMProperty.isCustomAttribute(name)) {
+	      node.removeAttribute(name);
+	    } else if (true) {
+	      warnUnknownProperty(name);
+	    }
+	  }
+	
+	};
+	
+	ReactPerf.measureMethods(DOMPropertyOperations, 'DOMPropertyOperations', {
+	  setValueForProperty: 'setValueForProperty',
+	  setValueForAttribute: 'setValueForAttribute',
+	  deleteValueForProperty: 'deleteValueForProperty'
+	});
+	
+	module.exports = DOMPropertyOperations;
+
+/***/ },
+/* 39 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule DOMProperty
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	function checkMask(value, bitmask) {
+	  return (value & bitmask) === bitmask;
+	}
+	
+	var DOMPropertyInjection = {
+	  /**
+	   * Mapping from normalized, camelcased property names to a configuration that
+	   * specifies how the associated DOM property should be accessed or rendered.
+	   */
+	  MUST_USE_ATTRIBUTE: 0x1,
+	  MUST_USE_PROPERTY: 0x2,
+	  HAS_SIDE_EFFECTS: 0x4,
+	  HAS_BOOLEAN_VALUE: 0x8,
+	  HAS_NUMERIC_VALUE: 0x10,
+	  HAS_POSITIVE_NUMERIC_VALUE: 0x20 | 0x10,
+	  HAS_OVERLOADED_BOOLEAN_VALUE: 0x40,
+	
+	  /**
+	   * Inject some specialized knowledge about the DOM. This takes a config object
+	   * with the following properties:
+	   *
+	   * isCustomAttribute: function that given an attribute name will return true
+	   * if it can be inserted into the DOM verbatim. Useful for data-* or aria-*
+	   * attributes where it's impossible to enumerate all of the possible
+	   * attribute names,
+	   *
+	   * Properties: object mapping DOM property name to one of the
+	   * DOMPropertyInjection constants or null. If your attribute isn't in here,
+	   * it won't get written to the DOM.
+	   *
+	   * DOMAttributeNames: object mapping React attribute name to the DOM
+	   * attribute name. Attribute names not specified use the **lowercase**
+	   * normalized name.
+	   *
+	   * DOMAttributeNamespaces: object mapping React attribute name to the DOM
+	   * attribute namespace URL. (Attribute names not specified use no namespace.)
+	   *
+	   * DOMPropertyNames: similar to DOMAttributeNames but for DOM properties.
+	   * Property names not specified use the normalized name.
+	   *
+	   * DOMMutationMethods: Properties that require special mutation methods. If
+	   * `value` is undefined, the mutation method should unset the property.
+	   *
+	   * @param {object} domPropertyConfig the config as described above.
+	   */
+	  injectDOMPropertyConfig: function (domPropertyConfig) {
+	    var Injection = DOMPropertyInjection;
+	    var Properties = domPropertyConfig.Properties || {};
+	    var DOMAttributeNamespaces = domPropertyConfig.DOMAttributeNamespaces || {};
+	    var DOMAttributeNames = domPropertyConfig.DOMAttributeNames || {};
+	    var DOMPropertyNames = domPropertyConfig.DOMPropertyNames || {};
+	    var DOMMutationMethods = domPropertyConfig.DOMMutationMethods || {};
+	
+	    if (domPropertyConfig.isCustomAttribute) {
+	      DOMProperty._isCustomAttributeFunctions.push(domPropertyConfig.isCustomAttribute);
+	    }
+	
+	    for (var propName in Properties) {
+	      !!DOMProperty.properties.hasOwnProperty(propName) ?  true ? invariant(false, 'injectDOMPropertyConfig(...): You\'re trying to inject DOM property ' + '\'%s\' which has already been injected. You may be accidentally ' + 'injecting the same DOM property config twice, or you may be ' + 'injecting two configs that have conflicting property names.', propName) : invariant(false) : undefined;
+	
+	      var lowerCased = propName.toLowerCase();
+	      var propConfig = Properties[propName];
+	
+	      var propertyInfo = {
+	        attributeName: lowerCased,
+	        attributeNamespace: null,
+	        propertyName: propName,
+	        mutationMethod: null,
+	
+	        mustUseAttribute: checkMask(propConfig, Injection.MUST_USE_ATTRIBUTE),
+	        mustUseProperty: checkMask(propConfig, Injection.MUST_USE_PROPERTY),
+	        hasSideEffects: checkMask(propConfig, Injection.HAS_SIDE_EFFECTS),
+	        hasBooleanValue: checkMask(propConfig, Injection.HAS_BOOLEAN_VALUE),
+	        hasNumericValue: checkMask(propConfig, Injection.HAS_NUMERIC_VALUE),
+	        hasPositiveNumericValue: checkMask(propConfig, Injection.HAS_POSITIVE_NUMERIC_VALUE),
+	        hasOverloadedBooleanValue: checkMask(propConfig, Injection.HAS_OVERLOADED_BOOLEAN_VALUE)
+	      };
+	
+	      !(!propertyInfo.mustUseAttribute || !propertyInfo.mustUseProperty) ?  true ? invariant(false, 'DOMProperty: Cannot require using both attribute and property: %s', propName) : invariant(false) : undefined;
+	      !(propertyInfo.mustUseProperty || !propertyInfo.hasSideEffects) ?  true ? invariant(false, 'DOMProperty: Properties that have side effects must use property: %s', propName) : invariant(false) : undefined;
+	      !(propertyInfo.hasBooleanValue + propertyInfo.hasNumericValue + propertyInfo.hasOverloadedBooleanValue <= 1) ?  true ? invariant(false, 'DOMProperty: Value can be one of boolean, overloaded boolean, or ' + 'numeric value, but not a combination: %s', propName) : invariant(false) : undefined;
+	
+	      if (true) {
+	        DOMProperty.getPossibleStandardName[lowerCased] = propName;
+	      }
+	
+	      if (DOMAttributeNames.hasOwnProperty(propName)) {
+	        var attributeName = DOMAttributeNames[propName];
+	        propertyInfo.attributeName = attributeName;
+	        if (true) {
+	          DOMProperty.getPossibleStandardName[attributeName] = propName;
+	        }
+	      }
+	
+	      if (DOMAttributeNamespaces.hasOwnProperty(propName)) {
+	        propertyInfo.attributeNamespace = DOMAttributeNamespaces[propName];
+	      }
+	
+	      if (DOMPropertyNames.hasOwnProperty(propName)) {
+	        propertyInfo.propertyName = DOMPropertyNames[propName];
+	      }
+	
+	      if (DOMMutationMethods.hasOwnProperty(propName)) {
+	        propertyInfo.mutationMethod = DOMMutationMethods[propName];
+	      }
+	
+	      DOMProperty.properties[propName] = propertyInfo;
+	    }
+	  }
+	};
+	var defaultValueCache = {};
+	
+	/**
+	 * DOMProperty exports lookup objects that can be used like functions:
+	 *
+	 *   > DOMProperty.isValid['id']
+	 *   true
+	 *   > DOMProperty.isValid['foobar']
+	 *   undefined
+	 *
+	 * Although this may be confusing, it performs better in general.
+	 *
+	 * @see http://jsperf.com/key-exists
+	 * @see http://jsperf.com/key-missing
+	 */
+	var DOMProperty = {
+	
+	  ID_ATTRIBUTE_NAME: 'data-reactid',
+	
+	  /**
+	   * Map from property "standard name" to an object with info about how to set
+	   * the property in the DOM. Each object contains:
+	   *
+	   * attributeName:
+	   *   Used when rendering markup or with `*Attribute()`.
+	   * attributeNamespace
+	   * propertyName:
+	   *   Used on DOM node instances. (This includes properties that mutate due to
+	   *   external factors.)
+	   * mutationMethod:
+	   *   If non-null, used instead of the property or `setAttribute()` after
+	   *   initial render.
+	   * mustUseAttribute:
+	   *   Whether the property must be accessed and mutated using `*Attribute()`.
+	   *   (This includes anything that fails `<propName> in <element>`.)
+	   * mustUseProperty:
+	   *   Whether the property must be accessed and mutated as an object property.
+	   * hasSideEffects:
+	   *   Whether or not setting a value causes side effects such as triggering
+	   *   resources to be loaded or text selection changes. If true, we read from
+	   *   the DOM before updating to ensure that the value is only set if it has
+	   *   changed.
+	   * hasBooleanValue:
+	   *   Whether the property should be removed when set to a falsey value.
+	   * hasNumericValue:
+	   *   Whether the property must be numeric or parse as a numeric and should be
+	   *   removed when set to a falsey value.
+	   * hasPositiveNumericValue:
+	   *   Whether the property must be positive numeric or parse as a positive
+	   *   numeric and should be removed when set to a falsey value.
+	   * hasOverloadedBooleanValue:
+	   *   Whether the property can be used as a flag as well as with a value.
+	   *   Removed when strictly equal to false; present without a value when
+	   *   strictly equal to true; present with a value otherwise.
+	   */
+	  properties: {},
+	
+	  /**
+	   * Mapping from lowercase property names to the properly cased version, used
+	   * to warn in the case of missing properties. Available only in __DEV__.
+	   * @type {Object}
+	   */
+	  getPossibleStandardName:  true ? {} : null,
+	
+	  /**
+	   * All of the isCustomAttribute() functions that have been injected.
+	   */
+	  _isCustomAttributeFunctions: [],
+	
+	  /**
+	   * Checks whether a property name is a custom attribute.
+	   * @method
+	   */
+	  isCustomAttribute: function (attributeName) {
+	    for (var i = 0; i < DOMProperty._isCustomAttributeFunctions.length; i++) {
+	      var isCustomAttributeFn = DOMProperty._isCustomAttributeFunctions[i];
+	      if (isCustomAttributeFn(attributeName)) {
+	        return true;
+	      }
+	    }
+	    return false;
+	  },
+	
+	  /**
+	   * Returns the default property value for a DOM property (i.e., not an
+	   * attribute). Most default values are '' or false, but not all. Worse yet,
+	   * some (in particular, `type`) vary depending on the type of element.
+	   *
+	   * TODO: Is it better to grab all the possible properties when creating an
+	   * element to avoid having to create the same element twice?
+	   */
+	  getDefaultValueForProperty: function (nodeName, prop) {
+	    var nodeDefaults = defaultValueCache[nodeName];
+	    var testElement;
+	    if (!nodeDefaults) {
+	      defaultValueCache[nodeName] = nodeDefaults = {};
+	    }
+	    if (!(prop in nodeDefaults)) {
+	      testElement = document.createElement(nodeName);
+	      nodeDefaults[prop] = testElement[prop];
+	    }
+	    return nodeDefaults[prop];
+	  },
+	
+	  injection: DOMPropertyInjection
+	};
+	
+	module.exports = DOMProperty;
+
+/***/ },
+/* 40 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule quoteAttributeValueForBrowser
+	 */
+	
+	'use strict';
+	
+	var escapeTextContentForBrowser = __webpack_require__(37);
+	
+	/**
+	 * Escapes attribute value to prevent scripting attacks.
+	 *
+	 * @param {*} value Value to escape.
+	 * @return {string} An escaped string.
+	 */
+	function quoteAttributeValueForBrowser(value) {
+	  return '"' + escapeTextContentForBrowser(value) + '"';
+	}
+	
+	module.exports = quoteAttributeValueForBrowser;
+
+/***/ },
+/* 41 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule warning
+	 */
+	
+	'use strict';
+	
+	var emptyFunction = __webpack_require__(31);
+	
+	/**
+	 * Similar to invariant but only logs a warning if the condition is not met.
+	 * This can be used to log issues in development environments in critical
+	 * paths. Removing the logging code for production environments will keep the
+	 * same logic and follow the same code paths.
+	 */
+	
+	var warning = emptyFunction;
+	
+	if (true) {
+	  warning = function (condition, format) {
+	    for (var _len = arguments.length, args = Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) {
+	      args[_key - 2] = arguments[_key];
+	    }
+	
+	    if (format === undefined) {
+	      throw new Error('`warning(condition, format, ...args)` requires a warning ' + 'message argument');
+	    }
+	
+	    if (format.indexOf('Failed Composite propType: ') === 0) {
+	      return; // Ignore CompositeComponent proptype check.
+	    }
+	
+	    if (!condition) {
+	      var argIndex = 0;
+	      var message = 'Warning: ' + format.replace(/%s/g, function () {
+	        return args[argIndex++];
+	      });
+	      if (typeof console !== 'undefined') {
+	        console.error(message);
+	      }
+	      try {
+	        // --- Welcome to debugging React ---
+	        // This error was thrown as a convenience so that you can use this stack
+	        // to find the callsite that caused this warning to fire.
+	        throw new Error(message);
+	      } catch (x) {}
+	    }
+	  };
+	}
+	
+	module.exports = warning;
+
+/***/ },
+/* 42 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactComponentBrowserEnvironment
+	 */
+	
+	'use strict';
+	
+	var ReactDOMIDOperations = __webpack_require__(43);
+	var ReactMount = __webpack_require__(44);
+	
+	/**
+	 * Abstracts away all functionality of the reconciler that requires knowledge of
+	 * the browser context. TODO: These callers should be refactored to avoid the
+	 * need for this injection.
+	 */
+	var ReactComponentBrowserEnvironment = {
+	
+	  processChildrenUpdates: ReactDOMIDOperations.dangerouslyProcessChildrenUpdates,
+	
+	  replaceNodeWithMarkupByID: ReactDOMIDOperations.dangerouslyReplaceNodeWithMarkupByID,
+	
+	  /**
+	   * If a particular environment requires that some resources be cleaned up,
+	   * specify this in the injected Mixin. In the DOM, we would likely want to
+	   * purge any cached node ID lookups.
+	   *
+	   * @private
+	   */
+	  unmountIDFromEnvironment: function (rootNodeID) {
+	    ReactMount.purgeID(rootNodeID);
+	  }
+	
+	};
+	
+	module.exports = ReactComponentBrowserEnvironment;
+
+/***/ },
+/* 43 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMIDOperations
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var DOMChildrenOperations = __webpack_require__(23);
+	var DOMPropertyOperations = __webpack_require__(38);
+	var ReactMount = __webpack_require__(44);
+	var ReactPerf = __webpack_require__(34);
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Errors for properties that should not be updated with `updatePropertyByID()`.
+	 *
+	 * @type {object}
+	 * @private
+	 */
+	var INVALID_PROPERTY_ERRORS = {
+	  dangerouslySetInnerHTML: '`dangerouslySetInnerHTML` must be set using `updateInnerHTMLByID()`.',
+	  style: '`style` must be set using `updateStylesByID()`.'
+	};
+	
+	/**
+	 * Operations used to process updates to DOM nodes.
+	 */
+	var ReactDOMIDOperations = {
+	
+	  /**
+	   * Updates a DOM node with new property values. This should only be used to
+	   * update DOM properties in `DOMProperty`.
+	   *
+	   * @param {string} id ID of the node to update.
+	   * @param {string} name A valid property name, see `DOMProperty`.
+	   * @param {*} value New value of the property.
+	   * @internal
+	   */
+	  updatePropertyByID: function (id, name, value) {
+	    var node = ReactMount.getNode(id);
+	    !!INVALID_PROPERTY_ERRORS.hasOwnProperty(name) ?  true ? invariant(false, 'updatePropertyByID(...): %s', INVALID_PROPERTY_ERRORS[name]) : invariant(false) : undefined;
+	
+	    // If we're updating to null or undefined, we should remove the property
+	    // from the DOM node instead of inadvertantly setting to a string. This
+	    // brings us in line with the same behavior we have on initial render.
+	    if (value != null) {
+	      DOMPropertyOperations.setValueForProperty(node, name, value);
+	    } else {
+	      DOMPropertyOperations.deleteValueForProperty(node, name);
+	    }
+	  },
+	
+	  /**
+	   * Replaces a DOM node that exists in the document with markup.
+	   *
+	   * @param {string} id ID of child to be replaced.
+	   * @param {string} markup Dangerous markup to inject in place of child.
+	   * @internal
+	   * @see {Danger.dangerouslyReplaceNodeWithMarkup}
+	   */
+	  dangerouslyReplaceNodeWithMarkupByID: function (id, markup) {
+	    var node = ReactMount.getNode(id);
+	    DOMChildrenOperations.dangerouslyReplaceNodeWithMarkup(node, markup);
+	  },
+	
+	  /**
+	   * Updates a component's children by processing a series of updates.
+	   *
+	   * @param {array<object>} updates List of update configurations.
+	   * @param {array<string>} markup List of markup strings.
+	   * @internal
+	   */
+	  dangerouslyProcessChildrenUpdates: function (updates, markup) {
+	    for (var i = 0; i < updates.length; i++) {
+	      updates[i].parentNode = ReactMount.getNode(updates[i].parentID);
+	    }
+	    DOMChildrenOperations.processUpdates(updates, markup);
+	  }
+	};
+	
+	ReactPerf.measureMethods(ReactDOMIDOperations, 'ReactDOMIDOperations', {
+	  dangerouslyReplaceNodeWithMarkupByID: 'dangerouslyReplaceNodeWithMarkupByID',
+	  dangerouslyProcessChildrenUpdates: 'dangerouslyProcessChildrenUpdates'
+	});
+	
+	module.exports = ReactDOMIDOperations;
+
+/***/ },
+/* 44 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactMount
+	 */
+	
+	'use strict';
+	
+	var DOMProperty = __webpack_require__(39);
+	var ReactBrowserEventEmitter = __webpack_require__(45);
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactDOMFeatureFlags = __webpack_require__(57);
+	var ReactElement = __webpack_require__(58);
+	var ReactEmptyComponentRegistry = __webpack_require__(60);
+	var ReactInstanceHandles = __webpack_require__(61);
+	var ReactInstanceMap = __webpack_require__(63);
+	var ReactMarkupChecksum = __webpack_require__(64);
+	var ReactPerf = __webpack_require__(34);
+	var ReactReconciler = __webpack_require__(66);
+	var ReactUpdateQueue = __webpack_require__(69);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var assign = __webpack_require__(55);
+	var emptyObject = __webpack_require__(74);
+	var containsNode = __webpack_require__(75);
+	var instantiateReactComponent = __webpack_require__(78);
+	var invariant = __webpack_require__(29);
+	var setInnerHTML = __webpack_require__(35);
+	var shouldUpdateReactComponent = __webpack_require__(83);
+	var validateDOMNesting = __webpack_require__(86);
+	var warning = __webpack_require__(41);
+	
+	var ATTR_NAME = DOMProperty.ID_ATTRIBUTE_NAME;
+	var nodeCache = {};
+	
+	var ELEMENT_NODE_TYPE = 1;
+	var DOC_NODE_TYPE = 9;
+	var DOCUMENT_FRAGMENT_NODE_TYPE = 11;
+	
+	var ownerDocumentContextKey = '__ReactMount_ownerDocument$' + Math.random().toString(36).slice(2);
+	
+	/** Mapping from reactRootID to React component instance. */
+	var instancesByReactRootID = {};
+	
+	/** Mapping from reactRootID to `container` nodes. */
+	var containersByReactRootID = {};
+	
+	if (true) {
+	  /** __DEV__-only mapping from reactRootID to root elements. */
+	  var rootElementsByReactRootID = {};
+	}
+	
+	// Used to store breadth-first search state in findComponentRoot.
+	var findComponentRootReusableArray = [];
+	
+	/**
+	 * Finds the index of the first character
+	 * that's not common between the two given strings.
+	 *
+	 * @return {number} the index of the character where the strings diverge
+	 */
+	function firstDifferenceIndex(string1, string2) {
+	  var minLen = Math.min(string1.length, string2.length);
+	  for (var i = 0; i < minLen; i++) {
+	    if (string1.charAt(i) !== string2.charAt(i)) {
+	      return i;
+	    }
+	  }
+	  return string1.length === string2.length ? -1 : minLen;
+	}
+	
+	/**
+	 * @param {DOMElement|DOMDocument} container DOM element that may contain
+	 * a React component
+	 * @return {?*} DOM element that may have the reactRoot ID, or null.
+	 */
+	function getReactRootElementInContainer(container) {
+	  if (!container) {
+	    return null;
+	  }
+	
+	  if (container.nodeType === DOC_NODE_TYPE) {
+	    return container.documentElement;
+	  } else {
+	    return container.firstChild;
+	  }
+	}
+	
+	/**
+	 * @param {DOMElement} container DOM element that may contain a React component.
+	 * @return {?string} A "reactRoot" ID, if a React component is rendered.
+	 */
+	function getReactRootID(container) {
+	  var rootElement = getReactRootElementInContainer(container);
+	  return rootElement && ReactMount.getID(rootElement);
+	}
+	
+	/**
+	 * Accessing node[ATTR_NAME] or calling getAttribute(ATTR_NAME) on a form
+	 * element can return its control whose name or ID equals ATTR_NAME. All
+	 * DOM nodes support `getAttributeNode` but this can also get called on
+	 * other objects so just return '' if we're given something other than a
+	 * DOM node (such as window).
+	 *
+	 * @param {?DOMElement|DOMWindow|DOMDocument|DOMTextNode} node DOM node.
+	 * @return {string} ID of the supplied `domNode`.
+	 */
+	function getID(node) {
+	  var id = internalGetID(node);
+	  if (id) {
+	    if (nodeCache.hasOwnProperty(id)) {
+	      var cached = nodeCache[id];
+	      if (cached !== node) {
+	        !!isValid(cached, id) ?  true ? invariant(false, 'ReactMount: Two valid but unequal nodes with the same `%s`: %s', ATTR_NAME, id) : invariant(false) : undefined;
+	
+	        nodeCache[id] = node;
+	      }
+	    } else {
+	      nodeCache[id] = node;
+	    }
+	  }
+	
+	  return id;
+	}
+	
+	function internalGetID(node) {
+	  // If node is something like a window, document, or text node, none of
+	  // which support attributes or a .getAttribute method, gracefully return
+	  // the empty string, as if the attribute were missing.
+	  return node && node.getAttribute && node.getAttribute(ATTR_NAME) || '';
+	}
+	
+	/**
+	 * Sets the React-specific ID of the given node.
+	 *
+	 * @param {DOMElement} node The DOM node whose ID will be set.
+	 * @param {string} id The value of the ID attribute.
+	 */
+	function setID(node, id) {
+	  var oldID = internalGetID(node);
+	  if (oldID !== id) {
+	    delete nodeCache[oldID];
+	  }
+	  node.setAttribute(ATTR_NAME, id);
+	  nodeCache[id] = node;
+	}
+	
+	/**
+	 * Finds the node with the supplied React-generated DOM ID.
+	 *
+	 * @param {string} id A React-generated DOM ID.
+	 * @return {DOMElement} DOM node with the suppled `id`.
+	 * @internal
+	 */
+	function getNode(id) {
+	  if (!nodeCache.hasOwnProperty(id) || !isValid(nodeCache[id], id)) {
+	    nodeCache[id] = ReactMount.findReactNodeByID(id);
+	  }
+	  return nodeCache[id];
+	}
+	
+	/**
+	 * Finds the node with the supplied public React instance.
+	 *
+	 * @param {*} instance A public React instance.
+	 * @return {?DOMElement} DOM node with the suppled `id`.
+	 * @internal
+	 */
+	function getNodeFromInstance(instance) {
+	  var id = ReactInstanceMap.get(instance)._rootNodeID;
+	  if (ReactEmptyComponentRegistry.isNullComponentID(id)) {
+	    return null;
+	  }
+	  if (!nodeCache.hasOwnProperty(id) || !isValid(nodeCache[id], id)) {
+	    nodeCache[id] = ReactMount.findReactNodeByID(id);
+	  }
+	  return nodeCache[id];
+	}
+	
+	/**
+	 * A node is "valid" if it is contained by a currently mounted container.
+	 *
+	 * This means that the node does not have to be contained by a document in
+	 * order to be considered valid.
+	 *
+	 * @param {?DOMElement} node The candidate DOM node.
+	 * @param {string} id The expected ID of the node.
+	 * @return {boolean} Whether the node is contained by a mounted container.
+	 */
+	function isValid(node, id) {
+	  if (node) {
+	    !(internalGetID(node) === id) ?  true ? invariant(false, 'ReactMount: Unexpected modification of `%s`', ATTR_NAME) : invariant(false) : undefined;
+	
+	    var container = ReactMount.findReactContainerForID(id);
+	    if (container && containsNode(container, node)) {
+	      return true;
+	    }
+	  }
+	
+	  return false;
+	}
+	
+	/**
+	 * Causes the cache to forget about one React-specific ID.
+	 *
+	 * @param {string} id The ID to forget.
+	 */
+	function purgeID(id) {
+	  delete nodeCache[id];
+	}
+	
+	var deepestNodeSoFar = null;
+	function findDeepestCachedAncestorImpl(ancestorID) {
+	  var ancestor = nodeCache[ancestorID];
+	  if (ancestor && isValid(ancestor, ancestorID)) {
+	    deepestNodeSoFar = ancestor;
+	  } else {
+	    // This node isn't populated in the cache, so presumably none of its
+	    // descendants are. Break out of the loop.
+	    return false;
+	  }
+	}
+	
+	/**
+	 * Return the deepest cached node whose ID is a prefix of `targetID`.
+	 */
+	function findDeepestCachedAncestor(targetID) {
+	  deepestNodeSoFar = null;
+	  ReactInstanceHandles.traverseAncestors(targetID, findDeepestCachedAncestorImpl);
+	
+	  var foundNode = deepestNodeSoFar;
+	  deepestNodeSoFar = null;
+	  return foundNode;
+	}
+	
+	/**
+	 * Mounts this component and inserts it into the DOM.
+	 *
+	 * @param {ReactComponent} componentInstance The instance to mount.
+	 * @param {string} rootID DOM ID of the root node.
+	 * @param {DOMElement} container DOM element to mount into.
+	 * @param {ReactReconcileTransaction} transaction
+	 * @param {boolean} shouldReuseMarkup If true, do not insert markup
+	 */
+	function mountComponentIntoNode(componentInstance, rootID, container, transaction, shouldReuseMarkup, context) {
+	  if (ReactDOMFeatureFlags.useCreateElement) {
+	    context = assign({}, context);
+	    if (container.nodeType === DOC_NODE_TYPE) {
+	      context[ownerDocumentContextKey] = container;
+	    } else {
+	      context[ownerDocumentContextKey] = container.ownerDocument;
+	    }
+	  }
+	  if (true) {
+	    if (context === emptyObject) {
+	      context = {};
+	    }
+	    var tag = container.nodeName.toLowerCase();
+	    context[validateDOMNesting.ancestorInfoContextKey] = validateDOMNesting.updatedAncestorInfo(null, tag, null);
+	  }
+	  var markup = ReactReconciler.mountComponent(componentInstance, rootID, transaction, context);
+	  componentInstance._renderedComponent._topLevelWrapper = componentInstance;
+	  ReactMount._mountImageIntoNode(markup, container, shouldReuseMarkup, transaction);
+	}
+	
+	/**
+	 * Batched mount.
+	 *
+	 * @param {ReactComponent} componentInstance The instance to mount.
+	 * @param {string} rootID DOM ID of the root node.
+	 * @param {DOMElement} container DOM element to mount into.
+	 * @param {boolean} shouldReuseMarkup If true, do not insert markup
+	 */
+	function batchedMountComponentIntoNode(componentInstance, rootID, container, shouldReuseMarkup, context) {
+	  var transaction = ReactUpdates.ReactReconcileTransaction.getPooled(
+	  /* forceHTML */shouldReuseMarkup);
+	  transaction.perform(mountComponentIntoNode, null, componentInstance, rootID, container, transaction, shouldReuseMarkup, context);
+	  ReactUpdates.ReactReconcileTransaction.release(transaction);
+	}
+	
+	/**
+	 * Unmounts a component and removes it from the DOM.
+	 *
+	 * @param {ReactComponent} instance React component instance.
+	 * @param {DOMElement} container DOM element to unmount from.
+	 * @final
+	 * @internal
+	 * @see {ReactMount.unmountComponentAtNode}
+	 */
+	function unmountComponentFromNode(instance, container) {
+	  ReactReconciler.unmountComponent(instance);
+	
+	  if (container.nodeType === DOC_NODE_TYPE) {
+	    container = container.documentElement;
+	  }
+	
+	  // http://jsperf.com/emptying-a-node
+	  while (container.lastChild) {
+	    container.removeChild(container.lastChild);
+	  }
+	}
+	
+	/**
+	 * True if the supplied DOM node has a direct React-rendered child that is
+	 * not a React root element. Useful for warning in `render`,
+	 * `unmountComponentAtNode`, etc.
+	 *
+	 * @param {?DOMElement} node The candidate DOM node.
+	 * @return {boolean} True if the DOM element contains a direct child that was
+	 * rendered by React but is not a root element.
+	 * @internal
+	 */
+	function hasNonRootReactChild(node) {
+	  var reactRootID = getReactRootID(node);
+	  return reactRootID ? reactRootID !== ReactInstanceHandles.getReactRootIDFromNodeID(reactRootID) : false;
+	}
+	
+	/**
+	 * Returns the first (deepest) ancestor of a node which is rendered by this copy
+	 * of React.
+	 */
+	function findFirstReactDOMImpl(node) {
+	  // This node might be from another React instance, so we make sure not to
+	  // examine the node cache here
+	  for (; node && node.parentNode !== node; node = node.parentNode) {
+	    if (node.nodeType !== 1) {
+	      // Not a DOMElement, therefore not a React component
+	      continue;
+	    }
+	    var nodeID = internalGetID(node);
+	    if (!nodeID) {
+	      continue;
+	    }
+	    var reactRootID = ReactInstanceHandles.getReactRootIDFromNodeID(nodeID);
+	
+	    // If containersByReactRootID contains the container we find by crawling up
+	    // the tree, we know that this instance of React rendered the node.
+	    // nb. isValid's strategy (with containsNode) does not work because render
+	    // trees may be nested and we don't want a false positive in that case.
+	    var current = node;
+	    var lastID;
+	    do {
+	      lastID = internalGetID(current);
+	      current = current.parentNode;
+	      if (current == null) {
+	        // The passed-in node has been detached from the container it was
+	        // originally rendered into.
+	        return null;
+	      }
+	    } while (lastID !== reactRootID);
+	
+	    if (current === containersByReactRootID[reactRootID]) {
+	      return node;
+	    }
+	  }
+	  return null;
+	}
+	
+	/**
+	 * Temporary (?) hack so that we can store all top-level pending updates on
+	 * composites instead of having to worry about different types of components
+	 * here.
+	 */
+	var TopLevelWrapper = function () {};
+	TopLevelWrapper.prototype.isReactComponent = {};
+	if (true) {
+	  TopLevelWrapper.displayName = 'TopLevelWrapper';
+	}
+	TopLevelWrapper.prototype.render = function () {
+	  // this.props is actually a ReactElement
+	  return this.props;
+	};
+	
+	/**
+	 * Mounting is the process of initializing a React component by creating its
+	 * representative DOM elements and inserting them into a supplied `container`.
+	 * Any prior content inside `container` is destroyed in the process.
+	 *
+	 *   ReactMount.render(
+	 *     component,
+	 *     document.getElementById('container')
+	 *   );
+	 *
+	 *   <div id="container">                   <-- Supplied `container`.
+	 *     <div data-reactid=".3">              <-- Rendered reactRoot of React
+	 *       // ...                                 component.
+	 *     </div>
+	 *   </div>
+	 *
+	 * Inside of `container`, the first element rendered is the "reactRoot".
+	 */
+	var ReactMount = {
+	
+	  TopLevelWrapper: TopLevelWrapper,
+	
+	  /** Exposed for debugging purposes **/
+	  _instancesByReactRootID: instancesByReactRootID,
+	
+	  /**
+	   * This is a hook provided to support rendering React components while
+	   * ensuring that the apparent scroll position of its `container` does not
+	   * change.
+	   *
+	   * @param {DOMElement} container The `container` being rendered into.
+	   * @param {function} renderCallback This must be called once to do the render.
+	   */
+	  scrollMonitor: function (container, renderCallback) {
+	    renderCallback();
+	  },
+	
+	  /**
+	   * Take a component that's already mounted into the DOM and replace its props
+	   * @param {ReactComponent} prevComponent component instance already in the DOM
+	   * @param {ReactElement} nextElement component instance to render
+	   * @param {DOMElement} container container to render into
+	   * @param {?function} callback function triggered on completion
+	   */
+	  _updateRootComponent: function (prevComponent, nextElement, container, callback) {
+	    ReactMount.scrollMonitor(container, function () {
+	      ReactUpdateQueue.enqueueElementInternal(prevComponent, nextElement);
+	      if (callback) {
+	        ReactUpdateQueue.enqueueCallbackInternal(prevComponent, callback);
+	      }
+	    });
+	
+	    if (true) {
+	      // Record the root element in case it later gets transplanted.
+	      rootElementsByReactRootID[getReactRootID(container)] = getReactRootElementInContainer(container);
+	    }
+	
+	    return prevComponent;
+	  },
+	
+	  /**
+	   * Register a component into the instance map and starts scroll value
+	   * monitoring
+	   * @param {ReactComponent} nextComponent component instance to render
+	   * @param {DOMElement} container container to render into
+	   * @return {string} reactRoot ID prefix
+	   */
+	  _registerComponent: function (nextComponent, container) {
+	    !(container && (container.nodeType === ELEMENT_NODE_TYPE || container.nodeType === DOC_NODE_TYPE || container.nodeType === DOCUMENT_FRAGMENT_NODE_TYPE)) ?  true ? invariant(false, '_registerComponent(...): Target container is not a DOM element.') : invariant(false) : undefined;
+	
+	    ReactBrowserEventEmitter.ensureScrollValueMonitoring();
+	
+	    var reactRootID = ReactMount.registerContainer(container);
+	    instancesByReactRootID[reactRootID] = nextComponent;
+	    return reactRootID;
+	  },
+	
+	  /**
+	   * Render a new component into the DOM.
+	   * @param {ReactElement} nextElement element to render
+	   * @param {DOMElement} container container to render into
+	   * @param {boolean} shouldReuseMarkup if we should skip the markup insertion
+	   * @return {ReactComponent} nextComponent
+	   */
+	  _renderNewRootComponent: function (nextElement, container, shouldReuseMarkup, context) {
+	    // Various parts of our code (such as ReactCompositeComponent's
+	    // _renderValidatedComponent) assume that calls to render aren't nested;
+	    // verify that that's the case.
+	     true ? warning(ReactCurrentOwner.current == null, '_renderNewRootComponent(): Render methods should be a pure function ' + 'of props and state; triggering nested component updates from ' + 'render is not allowed. If necessary, trigger nested updates in ' + 'componentDidUpdate. Check the render method of %s.', ReactCurrentOwner.current && ReactCurrentOwner.current.getName() || 'ReactCompositeComponent') : undefined;
+	
+	    var componentInstance = instantiateReactComponent(nextElement, null);
+	    var reactRootID = ReactMount._registerComponent(componentInstance, container);
+	
+	    // The initial render is synchronous but any updates that happen during
+	    // rendering, in componentWillMount or componentDidMount, will be batched
+	    // according to the current batching strategy.
+	
+	    ReactUpdates.batchedUpdates(batchedMountComponentIntoNode, componentInstance, reactRootID, container, shouldReuseMarkup, context);
+	
+	    if (true) {
+	      // Record the root element in case it later gets transplanted.
+	      rootElementsByReactRootID[reactRootID] = getReactRootElementInContainer(container);
+	    }
+	
+	    return componentInstance;
+	  },
+	
+	  /**
+	   * Renders a React component into the DOM in the supplied `container`.
+	   *
+	   * If the React component was previously rendered into `container`, this will
+	   * perform an update on it and only mutate the DOM as necessary to reflect the
+	   * latest React component.
+	   *
+	   * @param {ReactComponent} parentComponent The conceptual parent of this render tree.
+	   * @param {ReactElement} nextElement Component element to render.
+	   * @param {DOMElement} container DOM element to render into.
+	   * @param {?function} callback function triggered on completion
+	   * @return {ReactComponent} Component instance rendered in `container`.
+	   */
+	  renderSubtreeIntoContainer: function (parentComponent, nextElement, container, callback) {
+	    !(parentComponent != null && parentComponent._reactInternalInstance != null) ?  true ? invariant(false, 'parentComponent must be a valid React Component') : invariant(false) : undefined;
+	    return ReactMount._renderSubtreeIntoContainer(parentComponent, nextElement, container, callback);
+	  },
+	
+	  _renderSubtreeIntoContainer: function (parentComponent, nextElement, container, callback) {
+	    !ReactElement.isValidElement(nextElement) ?  true ? invariant(false, 'ReactDOM.render(): Invalid component element.%s', typeof nextElement === 'string' ? ' Instead of passing an element string, make sure to instantiate ' + 'it by passing it to React.createElement.' : typeof nextElement === 'function' ? ' Instead of passing a component class, make sure to instantiate ' + 'it by passing it to React.createElement.' :
+	    // Check if it quacks like an element
+	    nextElement != null && nextElement.props !== undefined ? ' This may be caused by unintentionally loading two independent ' + 'copies of React.' : '') : invariant(false) : undefined;
+	
+	     true ? warning(!container || !container.tagName || container.tagName.toUpperCase() !== 'BODY', 'render(): Rendering components directly into document.body is ' + 'discouraged, since its children are often manipulated by third-party ' + 'scripts and browser extensions. This may lead to subtle ' + 'reconciliation issues. Try rendering into a container element created ' + 'for your app.') : undefined;
+	
+	    var nextWrappedElement = new ReactElement(TopLevelWrapper, null, null, null, null, null, nextElement);
+	
+	    var prevComponent = instancesByReactRootID[getReactRootID(container)];
+	
+	    if (prevComponent) {
+	      var prevWrappedElement = prevComponent._currentElement;
+	      var prevElement = prevWrappedElement.props;
+	      if (shouldUpdateReactComponent(prevElement, nextElement)) {
+	        var publicInst = prevComponent._renderedComponent.getPublicInstance();
+	        var updatedCallback = callback && function () {
+	          callback.call(publicInst);
+	        };
+	        ReactMount._updateRootComponent(prevComponent, nextWrappedElement, container, updatedCallback);
+	        return publicInst;
+	      } else {
+	        ReactMount.unmountComponentAtNode(container);
+	      }
+	    }
+	
+	    var reactRootElement = getReactRootElementInContainer(container);
+	    var containerHasReactMarkup = reactRootElement && !!internalGetID(reactRootElement);
+	    var containerHasNonRootReactChild = hasNonRootReactChild(container);
+	
+	    if (true) {
+	       true ? warning(!containerHasNonRootReactChild, 'render(...): Replacing React-rendered children with a new root ' + 'component. If you intended to update the children of this node, ' + 'you should instead have the existing children update their state ' + 'and render the new components instead of calling ReactDOM.render.') : undefined;
+	
+	      if (!containerHasReactMarkup || reactRootElement.nextSibling) {
+	        var rootElementSibling = reactRootElement;
+	        while (rootElementSibling) {
+	          if (internalGetID(rootElementSibling)) {
+	             true ? warning(false, 'render(): Target node has markup rendered by React, but there ' + 'are unrelated nodes as well. This is most commonly caused by ' + 'white-space inserted around server-rendered markup.') : undefined;
+	            break;
+	          }
+	          rootElementSibling = rootElementSibling.nextSibling;
+	        }
+	      }
+	    }
+	
+	    var shouldReuseMarkup = containerHasReactMarkup && !prevComponent && !containerHasNonRootReactChild;
+	    var component = ReactMount._renderNewRootComponent(nextWrappedElement, container, shouldReuseMarkup, parentComponent != null ? parentComponent._reactInternalInstance._processChildContext(parentComponent._reactInternalInstance._context) : emptyObject)._renderedComponent.getPublicInstance();
+	    if (callback) {
+	      callback.call(component);
+	    }
+	    return component;
+	  },
+	
+	  /**
+	   * Renders a React component into the DOM in the supplied `container`.
+	   *
+	   * If the React component was previously rendered into `container`, this will
+	   * perform an update on it and only mutate the DOM as necessary to reflect the
+	   * latest React component.
+	   *
+	   * @param {ReactElement} nextElement Component element to render.
+	   * @param {DOMElement} container DOM element to render into.
+	   * @param {?function} callback function triggered on completion
+	   * @return {ReactComponent} Component instance rendered in `container`.
+	   */
+	  render: function (nextElement, container, callback) {
+	    return ReactMount._renderSubtreeIntoContainer(null, nextElement, container, callback);
+	  },
+	
+	  /**
+	   * Registers a container node into which React components will be rendered.
+	   * This also creates the "reactRoot" ID that will be assigned to the element
+	   * rendered within.
+	   *
+	   * @param {DOMElement} container DOM element to register as a container.
+	   * @return {string} The "reactRoot" ID of elements rendered within.
+	   */
+	  registerContainer: function (container) {
+	    var reactRootID = getReactRootID(container);
+	    if (reactRootID) {
+	      // If one exists, make sure it is a valid "reactRoot" ID.
+	      reactRootID = ReactInstanceHandles.getReactRootIDFromNodeID(reactRootID);
+	    }
+	    if (!reactRootID) {
+	      // No valid "reactRoot" ID found, create one.
+	      reactRootID = ReactInstanceHandles.createReactRootID();
+	    }
+	    containersByReactRootID[reactRootID] = container;
+	    return reactRootID;
+	  },
+	
+	  /**
+	   * Unmounts and destroys the React component rendered in the `container`.
+	   *
+	   * @param {DOMElement} container DOM element containing a React component.
+	   * @return {boolean} True if a component was found in and unmounted from
+	   *                   `container`
+	   */
+	  unmountComponentAtNode: function (container) {
+	    // Various parts of our code (such as ReactCompositeComponent's
+	    // _renderValidatedComponent) assume that calls to render aren't nested;
+	    // verify that that's the case. (Strictly speaking, unmounting won't cause a
+	    // render but we still don't expect to be in a render call here.)
+	     true ? warning(ReactCurrentOwner.current == null, 'unmountComponentAtNode(): Render methods should be a pure function ' + 'of props and state; triggering nested component updates from render ' + 'is not allowed. If necessary, trigger nested updates in ' + 'componentDidUpdate. Check the render method of %s.', ReactCurrentOwner.current && ReactCurrentOwner.current.getName() || 'ReactCompositeComponent') : undefined;
+	
+	    !(container && (container.nodeType === ELEMENT_NODE_TYPE || container.nodeType === DOC_NODE_TYPE || container.nodeType === DOCUMENT_FRAGMENT_NODE_TYPE)) ?  true ? invariant(false, 'unmountComponentAtNode(...): Target container is not a DOM element.') : invariant(false) : undefined;
+	
+	    var reactRootID = getReactRootID(container);
+	    var component = instancesByReactRootID[reactRootID];
+	    if (!component) {
+	      // Check if the node being unmounted was rendered by React, but isn't a
+	      // root node.
+	      var containerHasNonRootReactChild = hasNonRootReactChild(container);
+	
+	      // Check if the container itself is a React root node.
+	      var containerID = internalGetID(container);
+	      var isContainerReactRoot = containerID && containerID === ReactInstanceHandles.getReactRootIDFromNodeID(containerID);
+	
+	      if (true) {
+	         true ? warning(!containerHasNonRootReactChild, 'unmountComponentAtNode(): The node you\'re attempting to unmount ' + 'was rendered by React and is not a top-level container. %s', isContainerReactRoot ? 'You may have accidentally passed in a React root node instead ' + 'of its container.' : 'Instead, have the parent component update its state and ' + 'rerender in order to remove this component.') : undefined;
+	      }
+	
+	      return false;
+	    }
+	    ReactUpdates.batchedUpdates(unmountComponentFromNode, component, container);
+	    delete instancesByReactRootID[reactRootID];
+	    delete containersByReactRootID[reactRootID];
+	    if (true) {
+	      delete rootElementsByReactRootID[reactRootID];
+	    }
+	    return true;
+	  },
+	
+	  /**
+	   * Finds the container DOM element that contains React component to which the
+	   * supplied DOM `id` belongs.
+	   *
+	   * @param {string} id The ID of an element rendered by a React component.
+	   * @return {?DOMElement} DOM element that contains the `id`.
+	   */
+	  findReactContainerForID: function (id) {
+	    var reactRootID = ReactInstanceHandles.getReactRootIDFromNodeID(id);
+	    var container = containersByReactRootID[reactRootID];
+	
+	    if (true) {
+	      var rootElement = rootElementsByReactRootID[reactRootID];
+	      if (rootElement && rootElement.parentNode !== container) {
+	         true ? warning(
+	        // Call internalGetID here because getID calls isValid which calls
+	        // findReactContainerForID (this function).
+	        internalGetID(rootElement) === reactRootID, 'ReactMount: Root element ID differed from reactRootID.') : undefined;
+	        var containerChild = container.firstChild;
+	        if (containerChild && reactRootID === internalGetID(containerChild)) {
+	          // If the container has a new child with the same ID as the old
+	          // root element, then rootElementsByReactRootID[reactRootID] is
+	          // just stale and needs to be updated. The case that deserves a
+	          // warning is when the container is empty.
+	          rootElementsByReactRootID[reactRootID] = containerChild;
+	        } else {
+	           true ? warning(false, 'ReactMount: Root element has been removed from its original ' + 'container. New container: %s', rootElement.parentNode) : undefined;
+	        }
+	      }
+	    }
+	
+	    return container;
+	  },
+	
+	  /**
+	   * Finds an element rendered by React with the supplied ID.
+	   *
+	   * @param {string} id ID of a DOM node in the React component.
+	   * @return {DOMElement} Root DOM node of the React component.
+	   */
+	  findReactNodeByID: function (id) {
+	    var reactRoot = ReactMount.findReactContainerForID(id);
+	    return ReactMount.findComponentRoot(reactRoot, id);
+	  },
+	
+	  /**
+	   * Traverses up the ancestors of the supplied node to find a node that is a
+	   * DOM representation of a React component rendered by this copy of React.
+	   *
+	   * @param {*} node
+	   * @return {?DOMEventTarget}
+	   * @internal
+	   */
+	  getFirstReactDOM: function (node) {
+	    return findFirstReactDOMImpl(node);
+	  },
+	
+	  /**
+	   * Finds a node with the supplied `targetID` inside of the supplied
+	   * `ancestorNode`.  Exploits the ID naming scheme to perform the search
+	   * quickly.
+	   *
+	   * @param {DOMEventTarget} ancestorNode Search from this root.
+	   * @pararm {string} targetID ID of the DOM representation of the component.
+	   * @return {DOMEventTarget} DOM node with the supplied `targetID`.
+	   * @internal
+	   */
+	  findComponentRoot: function (ancestorNode, targetID) {
+	    var firstChildren = findComponentRootReusableArray;
+	    var childIndex = 0;
+	
+	    var deepestAncestor = findDeepestCachedAncestor(targetID) || ancestorNode;
+	
+	    if (true) {
+	      // This will throw on the next line; give an early warning
+	       true ? warning(deepestAncestor != null, 'React can\'t find the root component node for data-reactid value ' + '`%s`. If you\'re seeing this message, it probably means that ' + 'you\'ve loaded two copies of React on the page. At this time, only ' + 'a single copy of React can be loaded at a time.', targetID) : undefined;
+	    }
+	
+	    firstChildren[0] = deepestAncestor.firstChild;
+	    firstChildren.length = 1;
+	
+	    while (childIndex < firstChildren.length) {
+	      var child = firstChildren[childIndex++];
+	      var targetChild;
+	
+	      while (child) {
+	        var childID = ReactMount.getID(child);
+	        if (childID) {
+	          // Even if we find the node we're looking for, we finish looping
+	          // through its siblings to ensure they're cached so that we don't have
+	          // to revisit this node again. Otherwise, we make n^2 calls to getID
+	          // when visiting the many children of a single node in order.
+	
+	          if (targetID === childID) {
+	            targetChild = child;
+	          } else if (ReactInstanceHandles.isAncestorIDOf(childID, targetID)) {
+	            // If we find a child whose ID is an ancestor of the given ID,
+	            // then we can be sure that we only want to search the subtree
+	            // rooted at this child, so we can throw out the rest of the
+	            // search state.
+	            firstChildren.length = childIndex = 0;
+	            firstChildren.push(child.firstChild);
+	          }
+	        } else {
+	          // If this child had no ID, then there's a chance that it was
+	          // injected automatically by the browser, as when a `<table>`
+	          // element sprouts an extra `<tbody>` child as a side effect of
+	          // `.innerHTML` parsing. Optimistically continue down this
+	          // branch, but not before examining the other siblings.
+	          firstChildren.push(child.firstChild);
+	        }
+	
+	        child = child.nextSibling;
+	      }
+	
+	      if (targetChild) {
+	        // Emptying firstChildren/findComponentRootReusableArray is
+	        // not necessary for correctness, but it helps the GC reclaim
+	        // any nodes that were left at the end of the search.
+	        firstChildren.length = 0;
+	
+	        return targetChild;
+	      }
+	    }
+	
+	    firstChildren.length = 0;
+	
+	     true ?  true ? invariant(false, 'findComponentRoot(..., %s): Unable to find element. This probably ' + 'means the DOM was unexpectedly mutated (e.g., by the browser), ' + 'usually due to forgetting a <tbody> when using tables, nesting tags ' + 'like <form>, <p>, or <a>, or using non-SVG elements in an <svg> ' + 'parent. ' + 'Try inspecting the child nodes of the element with React ID `%s`.', targetID, ReactMount.getID(ancestorNode)) : invariant(false) : undefined;
+	  },
+	
+	  _mountImageIntoNode: function (markup, container, shouldReuseMarkup, transaction) {
+	    !(container && (container.nodeType === ELEMENT_NODE_TYPE || container.nodeType === DOC_NODE_TYPE || container.nodeType === DOCUMENT_FRAGMENT_NODE_TYPE)) ?  true ? invariant(false, 'mountComponentIntoNode(...): Target container is not valid.') : invariant(false) : undefined;
+	
+	    if (shouldReuseMarkup) {
+	      var rootElement = getReactRootElementInContainer(container);
+	      if (ReactMarkupChecksum.canReuseMarkup(markup, rootElement)) {
+	        return;
+	      } else {
+	        var checksum = rootElement.getAttribute(ReactMarkupChecksum.CHECKSUM_ATTR_NAME);
+	        rootElement.removeAttribute(ReactMarkupChecksum.CHECKSUM_ATTR_NAME);
+	
+	        var rootMarkup = rootElement.outerHTML;
+	        rootElement.setAttribute(ReactMarkupChecksum.CHECKSUM_ATTR_NAME, checksum);
+	
+	        var normalizedMarkup = markup;
+	        if (true) {
+	          // because rootMarkup is retrieved from the DOM, various normalizations
+	          // will have occurred which will not be present in `markup`. Here,
+	          // insert markup into a <div> or <iframe> depending on the container
+	          // type to perform the same normalizations before comparing.
+	          var normalizer;
+	          if (container.nodeType === ELEMENT_NODE_TYPE) {
+	            normalizer = document.createElement('div');
+	            normalizer.innerHTML = markup;
+	            normalizedMarkup = normalizer.innerHTML;
+	          } else {
+	            normalizer = document.createElement('iframe');
+	            document.body.appendChild(normalizer);
+	            normalizer.contentDocument.write(markup);
+	            normalizedMarkup = normalizer.contentDocument.documentElement.outerHTML;
+	            document.body.removeChild(normalizer);
+	          }
+	        }
+	
+	        var diffIndex = firstDifferenceIndex(normalizedMarkup, rootMarkup);
+	        var difference = ' (client) ' + normalizedMarkup.substring(diffIndex - 20, diffIndex + 20) + '\n (server) ' + rootMarkup.substring(diffIndex - 20, diffIndex + 20);
+	
+	        !(container.nodeType !== DOC_NODE_TYPE) ?  true ? invariant(false, 'You\'re trying to render a component to the document using ' + 'server rendering but the checksum was invalid. This usually ' + 'means you rendered a different component type or props on ' + 'the client from the one on the server, or your render() ' + 'methods are impure. React cannot handle this case due to ' + 'cross-browser quirks by rendering at the document root. You ' + 'should look for environment dependent code in your components ' + 'and ensure the props are the same client and server side:\n%s', difference) : invariant(false) : undefined;
+	
+	        if (true) {
+	           true ? warning(false, 'React attempted to reuse markup in a container but the ' + 'checksum was invalid. This generally means that you are ' + 'using server rendering and the markup generated on the ' + 'server was not what the client was expecting. React injected ' + 'new markup to compensate which works but you have lost many ' + 'of the benefits of server rendering. Instead, figure out ' + 'why the markup being generated is different on the client ' + 'or server:\n%s', difference) : undefined;
+	        }
+	      }
+	    }
+	
+	    !(container.nodeType !== DOC_NODE_TYPE) ?  true ? invariant(false, 'You\'re trying to render a component to the document but ' + 'you didn\'t use server rendering. We can\'t do this ' + 'without using server rendering due to cross-browser quirks. ' + 'See ReactDOMServer.renderToString() for server rendering.') : invariant(false) : undefined;
+	
+	    if (transaction.useCreateElement) {
+	      while (container.lastChild) {
+	        container.removeChild(container.lastChild);
+	      }
+	      container.appendChild(markup);
+	    } else {
+	      setInnerHTML(container, markup);
+	    }
+	  },
+	
+	  ownerDocumentContextKey: ownerDocumentContextKey,
+	
+	  /**
+	   * React ID utilities.
+	   */
+	
+	  getReactRootID: getReactRootID,
+	
+	  getID: getID,
+	
+	  setID: setID,
+	
+	  getNode: getNode,
+	
+	  getNodeFromInstance: getNodeFromInstance,
+	
+	  isValid: isValid,
+	
+	  purgeID: purgeID
+	};
+	
+	ReactPerf.measureMethods(ReactMount, 'ReactMount', {
+	  _renderNewRootComponent: '_renderNewRootComponent',
+	  _mountImageIntoNode: '_mountImageIntoNode'
+	});
+	
+	module.exports = ReactMount;
+
+/***/ },
+/* 45 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactBrowserEventEmitter
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventPluginHub = __webpack_require__(47);
+	var EventPluginRegistry = __webpack_require__(48);
+	var ReactEventEmitterMixin = __webpack_require__(53);
+	var ReactPerf = __webpack_require__(34);
+	var ViewportMetrics = __webpack_require__(54);
+	
+	var assign = __webpack_require__(55);
+	var isEventSupported = __webpack_require__(56);
+	
+	/**
+	 * Summary of `ReactBrowserEventEmitter` event handling:
+	 *
+	 *  - Top-level delegation is used to trap most native browser events. This
+	 *    may only occur in the main thread and is the responsibility of
+	 *    ReactEventListener, which is injected and can therefore support pluggable
+	 *    event sources. This is the only work that occurs in the main thread.
+	 *
+	 *  - We normalize and de-duplicate events to account for browser quirks. This
+	 *    may be done in the worker thread.
+	 *
+	 *  - Forward these native events (with the associated top-level type used to
+	 *    trap it) to `EventPluginHub`, which in turn will ask plugins if they want
+	 *    to extract any synthetic events.
+	 *
+	 *  - The `EventPluginHub` will then process each event by annotating them with
+	 *    "dispatches", a sequence of listeners and IDs that care about that event.
+	 *
+	 *  - The `EventPluginHub` then dispatches the events.
+	 *
+	 * Overview of React and the event system:
+	 *
+	 * +------------+    .
+	 * |    DOM     |    .
+	 * +------------+    .
+	 *       |           .
+	 *       v           .
+	 * +------------+    .
+	 * | ReactEvent |    .
+	 * |  Listener  |    .
+	 * +------------+    .                         +-----------+
+	 *       |           .               +--------+|SimpleEvent|
+	 *       |           .               |         |Plugin     |
+	 * +-----|------+    .               v         +-----------+
+	 * |     |      |    .    +--------------+                    +------------+
+	 * |     +-----------.--->|EventPluginHub|                    |    Event   |
+	 * |            |    .    |              |     +-----------+  | Propagators|
+	 * | ReactEvent |    .    |              |     |TapEvent   |  |------------|
+	 * |  Emitter   |    .    |              |<---+|Plugin     |  |other plugin|
+	 * |            |    .    |              |     +-----------+  |  utilities |
+	 * |     +-----------.--->|              |                    +------------+
+	 * |     |      |    .    +--------------+
+	 * +-----|------+    .                ^        +-----------+
+	 *       |           .                |        |Enter/Leave|
+	 *       +           .                +-------+|Plugin     |
+	 * +-------------+   .                         +-----------+
+	 * | application |   .
+	 * |-------------|   .
+	 * |             |   .
+	 * |             |   .
+	 * +-------------+   .
+	 *                   .
+	 *    React Core     .  General Purpose Event Plugin System
+	 */
+	
+	var alreadyListeningTo = {};
+	var isMonitoringScrollValue = false;
+	var reactTopListenersCounter = 0;
+	
+	// For events like 'submit' which don't consistently bubble (which we trap at a
+	// lower node than `document`), binding at `document` would cause duplicate
+	// events so we don't include them here
+	var topEventMapping = {
+	  topAbort: 'abort',
+	  topBlur: 'blur',
+	  topCanPlay: 'canplay',
+	  topCanPlayThrough: 'canplaythrough',
+	  topChange: 'change',
+	  topClick: 'click',
+	  topCompositionEnd: 'compositionend',
+	  topCompositionStart: 'compositionstart',
+	  topCompositionUpdate: 'compositionupdate',
+	  topContextMenu: 'contextmenu',
+	  topCopy: 'copy',
+	  topCut: 'cut',
+	  topDoubleClick: 'dblclick',
+	  topDrag: 'drag',
+	  topDragEnd: 'dragend',
+	  topDragEnter: 'dragenter',
+	  topDragExit: 'dragexit',
+	  topDragLeave: 'dragleave',
+	  topDragOver: 'dragover',
+	  topDragStart: 'dragstart',
+	  topDrop: 'drop',
+	  topDurationChange: 'durationchange',
+	  topEmptied: 'emptied',
+	  topEncrypted: 'encrypted',
+	  topEnded: 'ended',
+	  topError: 'error',
+	  topFocus: 'focus',
+	  topInput: 'input',
+	  topKeyDown: 'keydown',
+	  topKeyPress: 'keypress',
+	  topKeyUp: 'keyup',
+	  topLoadedData: 'loadeddata',
+	  topLoadedMetadata: 'loadedmetadata',
+	  topLoadStart: 'loadstart',
+	  topMouseDown: 'mousedown',
+	  topMouseMove: 'mousemove',
+	  topMouseOut: 'mouseout',
+	  topMouseOver: 'mouseover',
+	  topMouseUp: 'mouseup',
+	  topPaste: 'paste',
+	  topPause: 'pause',
+	  topPlay: 'play',
+	  topPlaying: 'playing',
+	  topProgress: 'progress',
+	  topRateChange: 'ratechange',
+	  topScroll: 'scroll',
+	  topSeeked: 'seeked',
+	  topSeeking: 'seeking',
+	  topSelectionChange: 'selectionchange',
+	  topStalled: 'stalled',
+	  topSuspend: 'suspend',
+	  topTextInput: 'textInput',
+	  topTimeUpdate: 'timeupdate',
+	  topTouchCancel: 'touchcancel',
+	  topTouchEnd: 'touchend',
+	  topTouchMove: 'touchmove',
+	  topTouchStart: 'touchstart',
+	  topVolumeChange: 'volumechange',
+	  topWaiting: 'waiting',
+	  topWheel: 'wheel'
+	};
+	
+	/**
+	 * To ensure no conflicts with other potential React instances on the page
+	 */
+	var topListenersIDKey = '_reactListenersID' + String(Math.random()).slice(2);
+	
+	function getListeningForDocument(mountAt) {
+	  // In IE8, `mountAt` is a host object and doesn't have `hasOwnProperty`
+	  // directly.
+	  if (!Object.prototype.hasOwnProperty.call(mountAt, topListenersIDKey)) {
+	    mountAt[topListenersIDKey] = reactTopListenersCounter++;
+	    alreadyListeningTo[mountAt[topListenersIDKey]] = {};
+	  }
+	  return alreadyListeningTo[mountAt[topListenersIDKey]];
+	}
+	
+	/**
+	 * `ReactBrowserEventEmitter` is used to attach top-level event listeners. For
+	 * example:
+	 *
+	 *   ReactBrowserEventEmitter.putListener('myID', 'onClick', myFunction);
+	 *
+	 * This would allocate a "registration" of `('onClick', myFunction)` on 'myID'.
+	 *
+	 * @internal
+	 */
+	var ReactBrowserEventEmitter = assign({}, ReactEventEmitterMixin, {
+	
+	  /**
+	   * Injectable event backend
+	   */
+	  ReactEventListener: null,
+	
+	  injection: {
+	    /**
+	     * @param {object} ReactEventListener
+	     */
+	    injectReactEventListener: function (ReactEventListener) {
+	      ReactEventListener.setHandleTopLevel(ReactBrowserEventEmitter.handleTopLevel);
+	      ReactBrowserEventEmitter.ReactEventListener = ReactEventListener;
+	    }
+	  },
+	
+	  /**
+	   * Sets whether or not any created callbacks should be enabled.
+	   *
+	   * @param {boolean} enabled True if callbacks should be enabled.
+	   */
+	  setEnabled: function (enabled) {
+	    if (ReactBrowserEventEmitter.ReactEventListener) {
+	      ReactBrowserEventEmitter.ReactEventListener.setEnabled(enabled);
+	    }
+	  },
+	
+	  /**
+	   * @return {boolean} True if callbacks are enabled.
+	   */
+	  isEnabled: function () {
+	    return !!(ReactBrowserEventEmitter.ReactEventListener && ReactBrowserEventEmitter.ReactEventListener.isEnabled());
+	  },
+	
+	  /**
+	   * We listen for bubbled touch events on the document object.
+	   *
+	   * Firefox v8.01 (and possibly others) exhibited strange behavior when
+	   * mounting `onmousemove` events at some node that was not the document
+	   * element. The symptoms were that if your mouse is not moving over something
+	   * contained within that mount point (for example on the background) the
+	   * top-level listeners for `onmousemove` won't be called. However, if you
+	   * register the `mousemove` on the document object, then it will of course
+	   * catch all `mousemove`s. This along with iOS quirks, justifies restricting
+	   * top-level listeners to the document object only, at least for these
+	   * movement types of events and possibly all events.
+	   *
+	   * @see http://www.quirksmode.org/blog/archives/2010/09/click_event_del.html
+	   *
+	   * Also, `keyup`/`keypress`/`keydown` do not bubble to the window on IE, but
+	   * they bubble to document.
+	   *
+	   * @param {string} registrationName Name of listener (e.g. `onClick`).
+	   * @param {object} contentDocumentHandle Document which owns the container
+	   */
+	  listenTo: function (registrationName, contentDocumentHandle) {
+	    var mountAt = contentDocumentHandle;
+	    var isListening = getListeningForDocument(mountAt);
+	    var dependencies = EventPluginRegistry.registrationNameDependencies[registrationName];
+	
+	    var topLevelTypes = EventConstants.topLevelTypes;
+	    for (var i = 0; i < dependencies.length; i++) {
+	      var dependency = dependencies[i];
+	      if (!(isListening.hasOwnProperty(dependency) && isListening[dependency])) {
+	        if (dependency === topLevelTypes.topWheel) {
+	          if (isEventSupported('wheel')) {
+	            ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelTypes.topWheel, 'wheel', mountAt);
+	          } else if (isEventSupported('mousewheel')) {
+	            ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelTypes.topWheel, 'mousewheel', mountAt);
+	          } else {
+	            // Firefox needs to capture a different mouse scroll event.
+	            // @see http://www.quirksmode.org/dom/events/tests/scroll.html
+	            ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelTypes.topWheel, 'DOMMouseScroll', mountAt);
+	          }
+	        } else if (dependency === topLevelTypes.topScroll) {
+	
+	          if (isEventSupported('scroll', true)) {
+	            ReactBrowserEventEmitter.ReactEventListener.trapCapturedEvent(topLevelTypes.topScroll, 'scroll', mountAt);
+	          } else {
+	            ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelTypes.topScroll, 'scroll', ReactBrowserEventEmitter.ReactEventListener.WINDOW_HANDLE);
+	          }
+	        } else if (dependency === topLevelTypes.topFocus || dependency === topLevelTypes.topBlur) {
+	
+	          if (isEventSupported('focus', true)) {
+	            ReactBrowserEventEmitter.ReactEventListener.trapCapturedEvent(topLevelTypes.topFocus, 'focus', mountAt);
+	            ReactBrowserEventEmitter.ReactEventListener.trapCapturedEvent(topLevelTypes.topBlur, 'blur', mountAt);
+	          } else if (isEventSupported('focusin')) {
+	            // IE has `focusin` and `focusout` events which bubble.
+	            // @see http://www.quirksmode.org/blog/archives/2008/04/delegating_the.html
+	            ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelTypes.topFocus, 'focusin', mountAt);
+	            ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelTypes.topBlur, 'focusout', mountAt);
+	          }
+	
+	          // to make sure blur and focus event listeners are only attached once
+	          isListening[topLevelTypes.topBlur] = true;
+	          isListening[topLevelTypes.topFocus] = true;
+	        } else if (topEventMapping.hasOwnProperty(dependency)) {
+	          ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(dependency, topEventMapping[dependency], mountAt);
+	        }
+	
+	        isListening[dependency] = true;
+	      }
+	    }
+	  },
+	
+	  trapBubbledEvent: function (topLevelType, handlerBaseName, handle) {
+	    return ReactBrowserEventEmitter.ReactEventListener.trapBubbledEvent(topLevelType, handlerBaseName, handle);
+	  },
+	
+	  trapCapturedEvent: function (topLevelType, handlerBaseName, handle) {
+	    return ReactBrowserEventEmitter.ReactEventListener.trapCapturedEvent(topLevelType, handlerBaseName, handle);
+	  },
+	
+	  /**
+	   * Listens to window scroll and resize events. We cache scroll values so that
+	   * application code can access them without triggering reflows.
+	   *
+	   * NOTE: Scroll events do not bubble.
+	   *
+	   * @see http://www.quirksmode.org/dom/events/scroll.html
+	   */
+	  ensureScrollValueMonitoring: function () {
+	    if (!isMonitoringScrollValue) {
+	      var refresh = ViewportMetrics.refreshScrollValues;
+	      ReactBrowserEventEmitter.ReactEventListener.monitorScrollValue(refresh);
+	      isMonitoringScrollValue = true;
+	    }
+	  },
+	
+	  eventNameDispatchConfigs: EventPluginHub.eventNameDispatchConfigs,
+	
+	  registrationNameModules: EventPluginHub.registrationNameModules,
+	
+	  putListener: EventPluginHub.putListener,
+	
+	  getListener: EventPluginHub.getListener,
+	
+	  deleteListener: EventPluginHub.deleteListener,
+	
+	  deleteAllListeners: EventPluginHub.deleteAllListeners
+	
+	});
+	
+	ReactPerf.measureMethods(ReactBrowserEventEmitter, 'ReactBrowserEventEmitter', {
+	  putListener: 'putListener',
+	  deleteListener: 'deleteListener'
+	});
+	
+	module.exports = ReactBrowserEventEmitter;
+
+/***/ },
+/* 46 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule EventConstants
+	 */
+	
+	'use strict';
+	
+	var keyMirror = __webpack_require__(33);
+	
+	var PropagationPhases = keyMirror({ bubbled: null, captured: null });
+	
+	/**
+	 * Types of raw signals from the browser caught at the top level.
+	 */
+	var topLevelTypes = keyMirror({
+	  topAbort: null,
+	  topBlur: null,
+	  topCanPlay: null,
+	  topCanPlayThrough: null,
+	  topChange: null,
+	  topClick: null,
+	  topCompositionEnd: null,
+	  topCompositionStart: null,
+	  topCompositionUpdate: null,
+	  topContextMenu: null,
+	  topCopy: null,
+	  topCut: null,
+	  topDoubleClick: null,
+	  topDrag: null,
+	  topDragEnd: null,
+	  topDragEnter: null,
+	  topDragExit: null,
+	  topDragLeave: null,
+	  topDragOver: null,
+	  topDragStart: null,
+	  topDrop: null,
+	  topDurationChange: null,
+	  topEmptied: null,
+	  topEncrypted: null,
+	  topEnded: null,
+	  topError: null,
+	  topFocus: null,
+	  topInput: null,
+	  topKeyDown: null,
+	  topKeyPress: null,
+	  topKeyUp: null,
+	  topLoad: null,
+	  topLoadedData: null,
+	  topLoadedMetadata: null,
+	  topLoadStart: null,
+	  topMouseDown: null,
+	  topMouseMove: null,
+	  topMouseOut: null,
+	  topMouseOver: null,
+	  topMouseUp: null,
+	  topPaste: null,
+	  topPause: null,
+	  topPlay: null,
+	  topPlaying: null,
+	  topProgress: null,
+	  topRateChange: null,
+	  topReset: null,
+	  topScroll: null,
+	  topSeeked: null,
+	  topSeeking: null,
+	  topSelectionChange: null,
+	  topStalled: null,
+	  topSubmit: null,
+	  topSuspend: null,
+	  topTextInput: null,
+	  topTimeUpdate: null,
+	  topTouchCancel: null,
+	  topTouchEnd: null,
+	  topTouchMove: null,
+	  topTouchStart: null,
+	  topVolumeChange: null,
+	  topWaiting: null,
+	  topWheel: null
+	});
+	
+	var EventConstants = {
+	  topLevelTypes: topLevelTypes,
+	  PropagationPhases: PropagationPhases
+	};
+	
+	module.exports = EventConstants;
+
+/***/ },
+/* 47 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule EventPluginHub
+	 */
+	
+	'use strict';
+	
+	var EventPluginRegistry = __webpack_require__(48);
+	var EventPluginUtils = __webpack_require__(49);
+	var ReactErrorUtils = __webpack_require__(50);
+	
+	var accumulateInto = __webpack_require__(51);
+	var forEachAccumulated = __webpack_require__(52);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * Internal store for event listeners
+	 */
+	var listenerBank = {};
+	
+	/**
+	 * Internal queue of events that have accumulated their dispatches and are
+	 * waiting to have their dispatches executed.
+	 */
+	var eventQueue = null;
+	
+	/**
+	 * Dispatches an event and releases it back into the pool, unless persistent.
+	 *
+	 * @param {?object} event Synthetic event to be dispatched.
+	 * @param {boolean} simulated If the event is simulated (changes exn behavior)
+	 * @private
+	 */
+	var executeDispatchesAndRelease = function (event, simulated) {
+	  if (event) {
+	    EventPluginUtils.executeDispatchesInOrder(event, simulated);
+	
+	    if (!event.isPersistent()) {
+	      event.constructor.release(event);
+	    }
+	  }
+	};
+	var executeDispatchesAndReleaseSimulated = function (e) {
+	  return executeDispatchesAndRelease(e, true);
+	};
+	var executeDispatchesAndReleaseTopLevel = function (e) {
+	  return executeDispatchesAndRelease(e, false);
+	};
+	
+	/**
+	 * - `InstanceHandle`: [required] Module that performs logical traversals of DOM
+	 *   hierarchy given ids of the logical DOM elements involved.
+	 */
+	var InstanceHandle = null;
+	
+	function validateInstanceHandle() {
+	  var valid = InstanceHandle && InstanceHandle.traverseTwoPhase && InstanceHandle.traverseEnterLeave;
+	   true ? warning(valid, 'InstanceHandle not injected before use!') : undefined;
+	}
+	
+	/**
+	 * This is a unified interface for event plugins to be installed and configured.
+	 *
+	 * Event plugins can implement the following properties:
+	 *
+	 *   `extractEvents` {function(string, DOMEventTarget, string, object): *}
+	 *     Required. When a top-level event is fired, this method is expected to
+	 *     extract synthetic events that will in turn be queued and dispatched.
+	 *
+	 *   `eventTypes` {object}
+	 *     Optional, plugins that fire events must publish a mapping of registration
+	 *     names that are used to register listeners. Values of this mapping must
+	 *     be objects that contain `registrationName` or `phasedRegistrationNames`.
+	 *
+	 *   `executeDispatch` {function(object, function, string)}
+	 *     Optional, allows plugins to override how an event gets dispatched. By
+	 *     default, the listener is simply invoked.
+	 *
+	 * Each plugin that is injected into `EventsPluginHub` is immediately operable.
+	 *
+	 * @public
+	 */
+	var EventPluginHub = {
+	
+	  /**
+	   * Methods for injecting dependencies.
+	   */
+	  injection: {
+	
+	    /**
+	     * @param {object} InjectedMount
+	     * @public
+	     */
+	    injectMount: EventPluginUtils.injection.injectMount,
+	
+	    /**
+	     * @param {object} InjectedInstanceHandle
+	     * @public
+	     */
+	    injectInstanceHandle: function (InjectedInstanceHandle) {
+	      InstanceHandle = InjectedInstanceHandle;
+	      if (true) {
+	        validateInstanceHandle();
+	      }
+	    },
+	
+	    getInstanceHandle: function () {
+	      if (true) {
+	        validateInstanceHandle();
+	      }
+	      return InstanceHandle;
+	    },
+	
+	    /**
+	     * @param {array} InjectedEventPluginOrder
+	     * @public
+	     */
+	    injectEventPluginOrder: EventPluginRegistry.injectEventPluginOrder,
+	
+	    /**
+	     * @param {object} injectedNamesToPlugins Map from names to plugin modules.
+	     */
+	    injectEventPluginsByName: EventPluginRegistry.injectEventPluginsByName
+	
+	  },
+	
+	  eventNameDispatchConfigs: EventPluginRegistry.eventNameDispatchConfigs,
+	
+	  registrationNameModules: EventPluginRegistry.registrationNameModules,
+	
+	  /**
+	   * Stores `listener` at `listenerBank[registrationName][id]`. Is idempotent.
+	   *
+	   * @param {string} id ID of the DOM element.
+	   * @param {string} registrationName Name of listener (e.g. `onClick`).
+	   * @param {?function} listener The callback to store.
+	   */
+	  putListener: function (id, registrationName, listener) {
+	    !(typeof listener === 'function') ?  true ? invariant(false, 'Expected %s listener to be a function, instead got type %s', registrationName, typeof listener) : invariant(false) : undefined;
+	
+	    var bankForRegistrationName = listenerBank[registrationName] || (listenerBank[registrationName] = {});
+	    bankForRegistrationName[id] = listener;
+	
+	    var PluginModule = EventPluginRegistry.registrationNameModules[registrationName];
+	    if (PluginModule && PluginModule.didPutListener) {
+	      PluginModule.didPutListener(id, registrationName, listener);
+	    }
+	  },
+	
+	  /**
+	   * @param {string} id ID of the DOM element.
+	   * @param {string} registrationName Name of listener (e.g. `onClick`).
+	   * @return {?function} The stored callback.
+	   */
+	  getListener: function (id, registrationName) {
+	    var bankForRegistrationName = listenerBank[registrationName];
+	    return bankForRegistrationName && bankForRegistrationName[id];
+	  },
+	
+	  /**
+	   * Deletes a listener from the registration bank.
+	   *
+	   * @param {string} id ID of the DOM element.
+	   * @param {string} registrationName Name of listener (e.g. `onClick`).
+	   */
+	  deleteListener: function (id, registrationName) {
+	    var PluginModule = EventPluginRegistry.registrationNameModules[registrationName];
+	    if (PluginModule && PluginModule.willDeleteListener) {
+	      PluginModule.willDeleteListener(id, registrationName);
+	    }
+	
+	    var bankForRegistrationName = listenerBank[registrationName];
+	    // TODO: This should never be null -- when is it?
+	    if (bankForRegistrationName) {
+	      delete bankForRegistrationName[id];
+	    }
+	  },
+	
+	  /**
+	   * Deletes all listeners for the DOM element with the supplied ID.
+	   *
+	   * @param {string} id ID of the DOM element.
+	   */
+	  deleteAllListeners: function (id) {
+	    for (var registrationName in listenerBank) {
+	      if (!listenerBank[registrationName][id]) {
+	        continue;
+	      }
+	
+	      var PluginModule = EventPluginRegistry.registrationNameModules[registrationName];
+	      if (PluginModule && PluginModule.willDeleteListener) {
+	        PluginModule.willDeleteListener(id, registrationName);
+	      }
+	
+	      delete listenerBank[registrationName][id];
+	    }
+	  },
+	
+	  /**
+	   * Allows registered plugins an opportunity to extract events from top-level
+	   * native browser events.
+	   *
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native browser event.
+	   * @return {*} An accumulation of synthetic events.
+	   * @internal
+	   */
+	  extractEvents: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	    var events;
+	    var plugins = EventPluginRegistry.plugins;
+	    for (var i = 0; i < plugins.length; i++) {
+	      // Not every plugin in the ordering may be loaded at runtime.
+	      var possiblePlugin = plugins[i];
+	      if (possiblePlugin) {
+	        var extractedEvents = possiblePlugin.extractEvents(topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget);
+	        if (extractedEvents) {
+	          events = accumulateInto(events, extractedEvents);
+	        }
+	      }
+	    }
+	    return events;
+	  },
+	
+	  /**
+	   * Enqueues a synthetic event that should be dispatched when
+	   * `processEventQueue` is invoked.
+	   *
+	   * @param {*} events An accumulation of synthetic events.
+	   * @internal
+	   */
+	  enqueueEvents: function (events) {
+	    if (events) {
+	      eventQueue = accumulateInto(eventQueue, events);
+	    }
+	  },
+	
+	  /**
+	   * Dispatches all synthetic events on the event queue.
+	   *
+	   * @internal
+	   */
+	  processEventQueue: function (simulated) {
+	    // Set `eventQueue` to null before processing it so that we can tell if more
+	    // events get enqueued while processing.
+	    var processingEventQueue = eventQueue;
+	    eventQueue = null;
+	    if (simulated) {
+	      forEachAccumulated(processingEventQueue, executeDispatchesAndReleaseSimulated);
+	    } else {
+	      forEachAccumulated(processingEventQueue, executeDispatchesAndReleaseTopLevel);
+	    }
+	    !!eventQueue ?  true ? invariant(false, 'processEventQueue(): Additional events were enqueued while processing ' + 'an event queue. Support for this has not yet been implemented.') : invariant(false) : undefined;
+	    // This would be a good time to rethrow if any of the event handlers threw.
+	    ReactErrorUtils.rethrowCaughtError();
+	  },
+	
+	  /**
+	   * These are needed for tests only. Do not use!
+	   */
+	  __purge: function () {
+	    listenerBank = {};
+	  },
+	
+	  __getListenerBank: function () {
+	    return listenerBank;
+	  }
+	
+	};
+	
+	module.exports = EventPluginHub;
+
+/***/ },
+/* 48 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule EventPluginRegistry
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Injectable ordering of event plugins.
+	 */
+	var EventPluginOrder = null;
+	
+	/**
+	 * Injectable mapping from names to event plugin modules.
+	 */
+	var namesToPlugins = {};
+	
+	/**
+	 * Recomputes the plugin list using the injected plugins and plugin ordering.
+	 *
+	 * @private
+	 */
+	function recomputePluginOrdering() {
+	  if (!EventPluginOrder) {
+	    // Wait until an `EventPluginOrder` is injected.
+	    return;
+	  }
+	  for (var pluginName in namesToPlugins) {
+	    var PluginModule = namesToPlugins[pluginName];
+	    var pluginIndex = EventPluginOrder.indexOf(pluginName);
+	    !(pluginIndex > -1) ?  true ? invariant(false, 'EventPluginRegistry: Cannot inject event plugins that do not exist in ' + 'the plugin ordering, `%s`.', pluginName) : invariant(false) : undefined;
+	    if (EventPluginRegistry.plugins[pluginIndex]) {
+	      continue;
+	    }
+	    !PluginModule.extractEvents ?  true ? invariant(false, 'EventPluginRegistry: Event plugins must implement an `extractEvents` ' + 'method, but `%s` does not.', pluginName) : invariant(false) : undefined;
+	    EventPluginRegistry.plugins[pluginIndex] = PluginModule;
+	    var publishedEvents = PluginModule.eventTypes;
+	    for (var eventName in publishedEvents) {
+	      !publishEventForPlugin(publishedEvents[eventName], PluginModule, eventName) ?  true ? invariant(false, 'EventPluginRegistry: Failed to publish event `%s` for plugin `%s`.', eventName, pluginName) : invariant(false) : undefined;
+	    }
+	  }
+	}
+	
+	/**
+	 * Publishes an event so that it can be dispatched by the supplied plugin.
+	 *
+	 * @param {object} dispatchConfig Dispatch configuration for the event.
+	 * @param {object} PluginModule Plugin publishing the event.
+	 * @return {boolean} True if the event was successfully published.
+	 * @private
+	 */
+	function publishEventForPlugin(dispatchConfig, PluginModule, eventName) {
+	  !!EventPluginRegistry.eventNameDispatchConfigs.hasOwnProperty(eventName) ?  true ? invariant(false, 'EventPluginHub: More than one plugin attempted to publish the same ' + 'event name, `%s`.', eventName) : invariant(false) : undefined;
+	  EventPluginRegistry.eventNameDispatchConfigs[eventName] = dispatchConfig;
+	
+	  var phasedRegistrationNames = dispatchConfig.phasedRegistrationNames;
+	  if (phasedRegistrationNames) {
+	    for (var phaseName in phasedRegistrationNames) {
+	      if (phasedRegistrationNames.hasOwnProperty(phaseName)) {
+	        var phasedRegistrationName = phasedRegistrationNames[phaseName];
+	        publishRegistrationName(phasedRegistrationName, PluginModule, eventName);
+	      }
+	    }
+	    return true;
+	  } else if (dispatchConfig.registrationName) {
+	    publishRegistrationName(dispatchConfig.registrationName, PluginModule, eventName);
+	    return true;
+	  }
+	  return false;
+	}
+	
+	/**
+	 * Publishes a registration name that is used to identify dispatched events and
+	 * can be used with `EventPluginHub.putListener` to register listeners.
+	 *
+	 * @param {string} registrationName Registration name to add.
+	 * @param {object} PluginModule Plugin publishing the event.
+	 * @private
+	 */
+	function publishRegistrationName(registrationName, PluginModule, eventName) {
+	  !!EventPluginRegistry.registrationNameModules[registrationName] ?  true ? invariant(false, 'EventPluginHub: More than one plugin attempted to publish the same ' + 'registration name, `%s`.', registrationName) : invariant(false) : undefined;
+	  EventPluginRegistry.registrationNameModules[registrationName] = PluginModule;
+	  EventPluginRegistry.registrationNameDependencies[registrationName] = PluginModule.eventTypes[eventName].dependencies;
+	}
+	
+	/**
+	 * Registers plugins so that they can extract and dispatch events.
+	 *
+	 * @see {EventPluginHub}
+	 */
+	var EventPluginRegistry = {
+	
+	  /**
+	   * Ordered list of injected plugins.
+	   */
+	  plugins: [],
+	
+	  /**
+	   * Mapping from event name to dispatch config
+	   */
+	  eventNameDispatchConfigs: {},
+	
+	  /**
+	   * Mapping from registration name to plugin module
+	   */
+	  registrationNameModules: {},
+	
+	  /**
+	   * Mapping from registration name to event name
+	   */
+	  registrationNameDependencies: {},
+	
+	  /**
+	   * Injects an ordering of plugins (by plugin name). This allows the ordering
+	   * to be decoupled from injection of the actual plugins so that ordering is
+	   * always deterministic regardless of packaging, on-the-fly injection, etc.
+	   *
+	   * @param {array} InjectedEventPluginOrder
+	   * @internal
+	   * @see {EventPluginHub.injection.injectEventPluginOrder}
+	   */
+	  injectEventPluginOrder: function (InjectedEventPluginOrder) {
+	    !!EventPluginOrder ?  true ? invariant(false, 'EventPluginRegistry: Cannot inject event plugin ordering more than ' + 'once. You are likely trying to load more than one copy of React.') : invariant(false) : undefined;
+	    // Clone the ordering so it cannot be dynamically mutated.
+	    EventPluginOrder = Array.prototype.slice.call(InjectedEventPluginOrder);
+	    recomputePluginOrdering();
+	  },
+	
+	  /**
+	   * Injects plugins to be used by `EventPluginHub`. The plugin names must be
+	   * in the ordering injected by `injectEventPluginOrder`.
+	   *
+	   * Plugins can be injected as part of page initialization or on-the-fly.
+	   *
+	   * @param {object} injectedNamesToPlugins Map from names to plugin modules.
+	   * @internal
+	   * @see {EventPluginHub.injection.injectEventPluginsByName}
+	   */
+	  injectEventPluginsByName: function (injectedNamesToPlugins) {
+	    var isOrderingDirty = false;
+	    for (var pluginName in injectedNamesToPlugins) {
+	      if (!injectedNamesToPlugins.hasOwnProperty(pluginName)) {
+	        continue;
+	      }
+	      var PluginModule = injectedNamesToPlugins[pluginName];
+	      if (!namesToPlugins.hasOwnProperty(pluginName) || namesToPlugins[pluginName] !== PluginModule) {
+	        !!namesToPlugins[pluginName] ?  true ? invariant(false, 'EventPluginRegistry: Cannot inject two different event plugins ' + 'using the same name, `%s`.', pluginName) : invariant(false) : undefined;
+	        namesToPlugins[pluginName] = PluginModule;
+	        isOrderingDirty = true;
+	      }
+	    }
+	    if (isOrderingDirty) {
+	      recomputePluginOrdering();
+	    }
+	  },
+	
+	  /**
+	   * Looks up the plugin for the supplied event.
+	   *
+	   * @param {object} event A synthetic event.
+	   * @return {?object} The plugin that created the supplied event.
+	   * @internal
+	   */
+	  getPluginModuleForEvent: function (event) {
+	    var dispatchConfig = event.dispatchConfig;
+	    if (dispatchConfig.registrationName) {
+	      return EventPluginRegistry.registrationNameModules[dispatchConfig.registrationName] || null;
+	    }
+	    for (var phase in dispatchConfig.phasedRegistrationNames) {
+	      if (!dispatchConfig.phasedRegistrationNames.hasOwnProperty(phase)) {
+	        continue;
+	      }
+	      var PluginModule = EventPluginRegistry.registrationNameModules[dispatchConfig.phasedRegistrationNames[phase]];
+	      if (PluginModule) {
+	        return PluginModule;
+	      }
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Exposed for unit testing.
+	   * @private
+	   */
+	  _resetEventPlugins: function () {
+	    EventPluginOrder = null;
+	    for (var pluginName in namesToPlugins) {
+	      if (namesToPlugins.hasOwnProperty(pluginName)) {
+	        delete namesToPlugins[pluginName];
+	      }
+	    }
+	    EventPluginRegistry.plugins.length = 0;
+	
+	    var eventNameDispatchConfigs = EventPluginRegistry.eventNameDispatchConfigs;
+	    for (var eventName in eventNameDispatchConfigs) {
+	      if (eventNameDispatchConfigs.hasOwnProperty(eventName)) {
+	        delete eventNameDispatchConfigs[eventName];
+	      }
+	    }
+	
+	    var registrationNameModules = EventPluginRegistry.registrationNameModules;
+	    for (var registrationName in registrationNameModules) {
+	      if (registrationNameModules.hasOwnProperty(registrationName)) {
+	        delete registrationNameModules[registrationName];
+	      }
+	    }
+	  }
+	
+	};
+	
+	module.exports = EventPluginRegistry;
+
+/***/ },
+/* 49 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule EventPluginUtils
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var ReactErrorUtils = __webpack_require__(50);
+	
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * Injected dependencies:
+	 */
+	
+	/**
+	 * - `Mount`: [required] Module that can convert between React dom IDs and
+	 *   actual node references.
+	 */
+	var injection = {
+	  Mount: null,
+	  injectMount: function (InjectedMount) {
+	    injection.Mount = InjectedMount;
+	    if (true) {
+	       true ? warning(InjectedMount && InjectedMount.getNode && InjectedMount.getID, 'EventPluginUtils.injection.injectMount(...): Injected Mount ' + 'module is missing getNode or getID.') : undefined;
+	    }
+	  }
+	};
+	
+	var topLevelTypes = EventConstants.topLevelTypes;
+	
+	function isEndish(topLevelType) {
+	  return topLevelType === topLevelTypes.topMouseUp || topLevelType === topLevelTypes.topTouchEnd || topLevelType === topLevelTypes.topTouchCancel;
+	}
+	
+	function isMoveish(topLevelType) {
+	  return topLevelType === topLevelTypes.topMouseMove || topLevelType === topLevelTypes.topTouchMove;
+	}
+	function isStartish(topLevelType) {
+	  return topLevelType === topLevelTypes.topMouseDown || topLevelType === topLevelTypes.topTouchStart;
+	}
+	
+	var validateEventDispatches;
+	if (true) {
+	  validateEventDispatches = function (event) {
+	    var dispatchListeners = event._dispatchListeners;
+	    var dispatchIDs = event._dispatchIDs;
+	
+	    var listenersIsArr = Array.isArray(dispatchListeners);
+	    var idsIsArr = Array.isArray(dispatchIDs);
+	    var IDsLen = idsIsArr ? dispatchIDs.length : dispatchIDs ? 1 : 0;
+	    var listenersLen = listenersIsArr ? dispatchListeners.length : dispatchListeners ? 1 : 0;
+	
+	     true ? warning(idsIsArr === listenersIsArr && IDsLen === listenersLen, 'EventPluginUtils: Invalid `event`.') : undefined;
+	  };
+	}
+	
+	/**
+	 * Dispatch the event to the listener.
+	 * @param {SyntheticEvent} event SyntheticEvent to handle
+	 * @param {boolean} simulated If the event is simulated (changes exn behavior)
+	 * @param {function} listener Application-level callback
+	 * @param {string} domID DOM id to pass to the callback.
+	 */
+	function executeDispatch(event, simulated, listener, domID) {
+	  var type = event.type || 'unknown-event';
+	  event.currentTarget = injection.Mount.getNode(domID);
+	  if (simulated) {
+	    ReactErrorUtils.invokeGuardedCallbackWithCatch(type, listener, event, domID);
+	  } else {
+	    ReactErrorUtils.invokeGuardedCallback(type, listener, event, domID);
+	  }
+	  event.currentTarget = null;
+	}
+	
+	/**
+	 * Standard/simple iteration through an event's collected dispatches.
+	 */
+	function executeDispatchesInOrder(event, simulated) {
+	  var dispatchListeners = event._dispatchListeners;
+	  var dispatchIDs = event._dispatchIDs;
+	  if (true) {
+	    validateEventDispatches(event);
+	  }
+	  if (Array.isArray(dispatchListeners)) {
+	    for (var i = 0; i < dispatchListeners.length; i++) {
+	      if (event.isPropagationStopped()) {
+	        break;
+	      }
+	      // Listeners and IDs are two parallel arrays that are always in sync.
+	      executeDispatch(event, simulated, dispatchListeners[i], dispatchIDs[i]);
+	    }
+	  } else if (dispatchListeners) {
+	    executeDispatch(event, simulated, dispatchListeners, dispatchIDs);
+	  }
+	  event._dispatchListeners = null;
+	  event._dispatchIDs = null;
+	}
+	
+	/**
+	 * Standard/simple iteration through an event's collected dispatches, but stops
+	 * at the first dispatch execution returning true, and returns that id.
+	 *
+	 * @return {?string} id of the first dispatch execution who's listener returns
+	 * true, or null if no listener returned true.
+	 */
+	function executeDispatchesInOrderStopAtTrueImpl(event) {
+	  var dispatchListeners = event._dispatchListeners;
+	  var dispatchIDs = event._dispatchIDs;
+	  if (true) {
+	    validateEventDispatches(event);
+	  }
+	  if (Array.isArray(dispatchListeners)) {
+	    for (var i = 0; i < dispatchListeners.length; i++) {
+	      if (event.isPropagationStopped()) {
+	        break;
+	      }
+	      // Listeners and IDs are two parallel arrays that are always in sync.
+	      if (dispatchListeners[i](event, dispatchIDs[i])) {
+	        return dispatchIDs[i];
+	      }
+	    }
+	  } else if (dispatchListeners) {
+	    if (dispatchListeners(event, dispatchIDs)) {
+	      return dispatchIDs;
+	    }
+	  }
+	  return null;
+	}
+	
+	/**
+	 * @see executeDispatchesInOrderStopAtTrueImpl
+	 */
+	function executeDispatchesInOrderStopAtTrue(event) {
+	  var ret = executeDispatchesInOrderStopAtTrueImpl(event);
+	  event._dispatchIDs = null;
+	  event._dispatchListeners = null;
+	  return ret;
+	}
+	
+	/**
+	 * Execution of a "direct" dispatch - there must be at most one dispatch
+	 * accumulated on the event or it is considered an error. It doesn't really make
+	 * sense for an event with multiple dispatches (bubbled) to keep track of the
+	 * return values at each dispatch execution, but it does tend to make sense when
+	 * dealing with "direct" dispatches.
+	 *
+	 * @return {*} The return value of executing the single dispatch.
+	 */
+	function executeDirectDispatch(event) {
+	  if (true) {
+	    validateEventDispatches(event);
+	  }
+	  var dispatchListener = event._dispatchListeners;
+	  var dispatchID = event._dispatchIDs;
+	  !!Array.isArray(dispatchListener) ?  true ? invariant(false, 'executeDirectDispatch(...): Invalid `event`.') : invariant(false) : undefined;
+	  var res = dispatchListener ? dispatchListener(event, dispatchID) : null;
+	  event._dispatchListeners = null;
+	  event._dispatchIDs = null;
+	  return res;
+	}
+	
+	/**
+	 * @param {SyntheticEvent} event
+	 * @return {boolean} True iff number of dispatches accumulated is greater than 0.
+	 */
+	function hasDispatches(event) {
+	  return !!event._dispatchListeners;
+	}
+	
+	/**
+	 * General utilities that are useful in creating custom Event Plugins.
+	 */
+	var EventPluginUtils = {
+	  isEndish: isEndish,
+	  isMoveish: isMoveish,
+	  isStartish: isStartish,
+	
+	  executeDirectDispatch: executeDirectDispatch,
+	  executeDispatchesInOrder: executeDispatchesInOrder,
+	  executeDispatchesInOrderStopAtTrue: executeDispatchesInOrderStopAtTrue,
+	  hasDispatches: hasDispatches,
+	
+	  getNode: function (id) {
+	    return injection.Mount.getNode(id);
+	  },
+	  getID: function (node) {
+	    return injection.Mount.getID(node);
+	  },
+	
+	  injection: injection
+	};
+	
+	module.exports = EventPluginUtils;
+
+/***/ },
+/* 50 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactErrorUtils
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var caughtError = null;
+	
+	/**
+	 * Call a function while guarding against errors that happens within it.
+	 *
+	 * @param {?String} name of the guard to use for logging or debugging
+	 * @param {Function} func The function to invoke
+	 * @param {*} a First argument
+	 * @param {*} b Second argument
+	 */
+	function invokeGuardedCallback(name, func, a, b) {
+	  try {
+	    return func(a, b);
+	  } catch (x) {
+	    if (caughtError === null) {
+	      caughtError = x;
+	    }
+	    return undefined;
+	  }
+	}
+	
+	var ReactErrorUtils = {
+	  invokeGuardedCallback: invokeGuardedCallback,
+	
+	  /**
+	   * Invoked by ReactTestUtils.Simulate so that any errors thrown by the event
+	   * handler are sure to be rethrown by rethrowCaughtError.
+	   */
+	  invokeGuardedCallbackWithCatch: invokeGuardedCallback,
+	
+	  /**
+	   * During execution of guarded functions we will capture the first error which
+	   * we will rethrow to be handled by the top level error handler.
+	   */
+	  rethrowCaughtError: function () {
+	    if (caughtError) {
+	      var error = caughtError;
+	      caughtError = null;
+	      throw error;
+	    }
+	  }
+	};
+	
+	if (true) {
+	  /**
+	   * To help development we can get better devtools integration by simulating a
+	   * real browser event.
+	   */
+	  if (typeof window !== 'undefined' && typeof window.dispatchEvent === 'function' && typeof document !== 'undefined' && typeof document.createEvent === 'function') {
+	    var fakeNode = document.createElement('react');
+	    ReactErrorUtils.invokeGuardedCallback = function (name, func, a, b) {
+	      var boundFunc = func.bind(null, a, b);
+	      var evtType = 'react-' + name;
+	      fakeNode.addEventListener(evtType, boundFunc, false);
+	      var evt = document.createEvent('Event');
+	      evt.initEvent(evtType, false, false);
+	      fakeNode.dispatchEvent(evt);
+	      fakeNode.removeEventListener(evtType, boundFunc, false);
+	    };
+	  }
+	}
+	
+	module.exports = ReactErrorUtils;
+
+/***/ },
+/* 51 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule accumulateInto
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 *
+	 * Accumulates items that must not be null or undefined into the first one. This
+	 * is used to conserve memory by avoiding array allocations, and thus sacrifices
+	 * API cleanness. Since `current` can be null before being passed in and not
+	 * null after this function, make sure to assign it back to `current`:
+	 *
+	 * `a = accumulateInto(a, b);`
+	 *
+	 * This API should be sparingly used. Try `accumulate` for something cleaner.
+	 *
+	 * @return {*|array<*>} An accumulation of items.
+	 */
+	
+	function accumulateInto(current, next) {
+	  !(next != null) ?  true ? invariant(false, 'accumulateInto(...): Accumulated items must not be null or undefined.') : invariant(false) : undefined;
+	  if (current == null) {
+	    return next;
+	  }
+	
+	  // Both are not empty. Warning: Never call x.concat(y) when you are not
+	  // certain that x is an Array (x could be a string with concat method).
+	  var currentIsArray = Array.isArray(current);
+	  var nextIsArray = Array.isArray(next);
+	
+	  if (currentIsArray && nextIsArray) {
+	    current.push.apply(current, next);
+	    return current;
+	  }
+	
+	  if (currentIsArray) {
+	    current.push(next);
+	    return current;
+	  }
+	
+	  if (nextIsArray) {
+	    // A bit too dangerous to mutate `next`.
+	    return [current].concat(next);
+	  }
+	
+	  return [current, next];
+	}
+	
+	module.exports = accumulateInto;
+
+/***/ },
+/* 52 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule forEachAccumulated
+	 */
+	
+	'use strict';
+	
+	/**
+	 * @param {array} arr an "accumulation" of items which is either an Array or
+	 * a single item. Useful when paired with the `accumulate` module. This is a
+	 * simple utility that allows us to reason about a collection of items, but
+	 * handling the case when there is exactly one item (and we do not need to
+	 * allocate an array).
+	 */
+	var forEachAccumulated = function (arr, cb, scope) {
+	  if (Array.isArray(arr)) {
+	    arr.forEach(cb, scope);
+	  } else if (arr) {
+	    cb.call(scope, arr);
+	  }
+	};
+	
+	module.exports = forEachAccumulated;
+
+/***/ },
+/* 53 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactEventEmitterMixin
+	 */
+	
+	'use strict';
+	
+	var EventPluginHub = __webpack_require__(47);
+	
+	function runEventQueueInBatch(events) {
+	  EventPluginHub.enqueueEvents(events);
+	  EventPluginHub.processEventQueue(false);
+	}
+	
+	var ReactEventEmitterMixin = {
+	
+	  /**
+	   * Streams a fired top-level event to `EventPluginHub` where plugins have the
+	   * opportunity to create `ReactEvent`s to be dispatched.
+	   *
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {object} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native environment event.
+	   */
+	  handleTopLevel: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	    var events = EventPluginHub.extractEvents(topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget);
+	    runEventQueueInBatch(events);
+	  }
+	};
+	
+	module.exports = ReactEventEmitterMixin;
+
+/***/ },
+/* 54 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ViewportMetrics
+	 */
+	
+	'use strict';
+	
+	var ViewportMetrics = {
+	
+	  currentScrollLeft: 0,
+	
+	  currentScrollTop: 0,
+	
+	  refreshScrollValues: function (scrollPosition) {
+	    ViewportMetrics.currentScrollLeft = scrollPosition.x;
+	    ViewportMetrics.currentScrollTop = scrollPosition.y;
+	  }
+	
+	};
+	
+	module.exports = ViewportMetrics;
+
+/***/ },
+/* 55 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule Object.assign
+	 */
+	
+	// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-object.assign
+	
+	'use strict';
+	
+	function assign(target, sources) {
+	  if (target == null) {
+	    throw new TypeError('Object.assign target cannot be null or undefined');
+	  }
+	
+	  var to = Object(target);
+	  var hasOwnProperty = Object.prototype.hasOwnProperty;
+	
+	  for (var nextIndex = 1; nextIndex < arguments.length; nextIndex++) {
+	    var nextSource = arguments[nextIndex];
+	    if (nextSource == null) {
+	      continue;
+	    }
+	
+	    var from = Object(nextSource);
+	
+	    // We don't currently support accessors nor proxies. Therefore this
+	    // copy cannot throw. If we ever supported this then we must handle
+	    // exceptions and side-effects. We don't support symbols so they won't
+	    // be transferred.
+	
+	    for (var key in from) {
+	      if (hasOwnProperty.call(from, key)) {
+	        to[key] = from[key];
+	      }
+	    }
+	  }
+	
+	  return to;
+	}
+	
+	module.exports = assign;
+
+/***/ },
+/* 56 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule isEventSupported
+	 */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var useHasFeature;
+	if (ExecutionEnvironment.canUseDOM) {
+	  useHasFeature = document.implementation && document.implementation.hasFeature &&
+	  // always returns true in newer browsers as per the standard.
+	  // @see http://dom.spec.whatwg.org/#dom-domimplementation-hasfeature
+	  document.implementation.hasFeature('', '') !== true;
+	}
+	
+	/**
+	 * Checks if an event is supported in the current execution environment.
+	 *
+	 * NOTE: This will not work correctly for non-generic events such as `change`,
+	 * `reset`, `load`, `error`, and `select`.
+	 *
+	 * Borrows from Modernizr.
+	 *
+	 * @param {string} eventNameSuffix Event name, e.g. "click".
+	 * @param {?boolean} capture Check if the capture phase is supported.
+	 * @return {boolean} True if the event is supported.
+	 * @internal
+	 * @license Modernizr 3.0.0pre (Custom Build) | MIT
+	 */
+	function isEventSupported(eventNameSuffix, capture) {
+	  if (!ExecutionEnvironment.canUseDOM || capture && !('addEventListener' in document)) {
+	    return false;
+	  }
+	
+	  var eventName = 'on' + eventNameSuffix;
+	  var isSupported = (eventName in document);
+	
+	  if (!isSupported) {
+	    var element = document.createElement('div');
+	    element.setAttribute(eventName, 'return;');
+	    isSupported = typeof element[eventName] === 'function';
+	  }
+	
+	  if (!isSupported && useHasFeature && eventNameSuffix === 'wheel') {
+	    // This is the only way to test support for the `wheel` event in IE9+.
+	    isSupported = document.implementation.hasFeature('Events.wheel', '3.0');
+	  }
+	
+	  return isSupported;
+	}
+	
+	module.exports = isEventSupported;
+
+/***/ },
+/* 57 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMFeatureFlags
+	 */
+	
+	'use strict';
+	
+	var ReactDOMFeatureFlags = {
+	  useCreateElement: false
+	};
+	
+	module.exports = ReactDOMFeatureFlags;
+
+/***/ },
+/* 58 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactElement
+	 */
+	
+	'use strict';
+	
+	var ReactCurrentOwner = __webpack_require__(21);
+	
+	var assign = __webpack_require__(55);
+	var canDefineProperty = __webpack_require__(59);
+	
+	// The Symbol used to tag the ReactElement type. If there is no native Symbol
+	// nor polyfill, then a plain number is used for performance.
+	var REACT_ELEMENT_TYPE = typeof Symbol === 'function' && Symbol['for'] && Symbol['for']('react.element') || 0xeac7;
+	
+	var RESERVED_PROPS = {
+	  key: true,
+	  ref: true,
+	  __self: true,
+	  __source: true
+	};
+	
+	/**
+	 * Base constructor for all React elements. This is only used to make this
+	 * work with a dynamic instanceof check. Nothing should live on this prototype.
+	 *
+	 * @param {*} type
+	 * @param {*} key
+	 * @param {string|object} ref
+	 * @param {*} self A *temporary* helper to detect places where `this` is
+	 * different from the `owner` when React.createElement is called, so that we
+	 * can warn. We want to get rid of owner and replace string `ref`s with arrow
+	 * functions, and as long as `this` and owner are the same, there will be no
+	 * change in behavior.
+	 * @param {*} source An annotation object (added by a transpiler or otherwise)
+	 * indicating filename, line number, and/or other information.
+	 * @param {*} owner
+	 * @param {*} props
+	 * @internal
+	 */
+	var ReactElement = function (type, key, ref, self, source, owner, props) {
+	  var element = {
+	    // This tag allow us to uniquely identify this as a React Element
+	    $$typeof: REACT_ELEMENT_TYPE,
+	
+	    // Built-in properties that belong on the element
+	    type: type,
+	    key: key,
+	    ref: ref,
+	    props: props,
+	
+	    // Record the component responsible for creating this element.
+	    _owner: owner
+	  };
+	
+	  if (true) {
+	    // The validation flag is currently mutative. We put it on
+	    // an external backing store so that we can freeze the whole object.
+	    // This can be replaced with a WeakMap once they are implemented in
+	    // commonly used development environments.
+	    element._store = {};
+	
+	    // To make comparing ReactElements easier for testing purposes, we make
+	    // the validation flag non-enumerable (where possible, which should
+	    // include every environment we run tests in), so the test framework
+	    // ignores it.
+	    if (canDefineProperty) {
+	      Object.defineProperty(element._store, 'validated', {
+	        configurable: false,
+	        enumerable: false,
+	        writable: true,
+	        value: false
+	      });
+	      // self and source are DEV only properties.
+	      Object.defineProperty(element, '_self', {
+	        configurable: false,
+	        enumerable: false,
+	        writable: false,
+	        value: self
+	      });
+	      // Two elements created in two different places should be considered
+	      // equal for testing purposes and therefore we hide it from enumeration.
+	      Object.defineProperty(element, '_source', {
+	        configurable: false,
+	        enumerable: false,
+	        writable: false,
+	        value: source
+	      });
+	    } else {
+	      element._store.validated = false;
+	      element._self = self;
+	      element._source = source;
+	    }
+	    Object.freeze(element.props);
+	    Object.freeze(element);
+	  }
+	
+	  return element;
+	};
+	
+	ReactElement.createElement = function (type, config, children) {
+	  var propName;
+	
+	  // Reserved names are extracted
+	  var props = {};
+	
+	  var key = null;
+	  var ref = null;
+	  var self = null;
+	  var source = null;
+	
+	  if (config != null) {
+	    ref = config.ref === undefined ? null : config.ref;
+	    key = config.key === undefined ? null : '' + config.key;
+	    self = config.__self === undefined ? null : config.__self;
+	    source = config.__source === undefined ? null : config.__source;
+	    // Remaining properties are added to a new props object
+	    for (propName in config) {
+	      if (config.hasOwnProperty(propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {
+	        props[propName] = config[propName];
+	      }
+	    }
+	  }
+	
+	  // Children can be more than one argument, and those are transferred onto
+	  // the newly allocated props object.
+	  var childrenLength = arguments.length - 2;
+	  if (childrenLength === 1) {
+	    props.children = children;
+	  } else if (childrenLength > 1) {
+	    var childArray = Array(childrenLength);
+	    for (var i = 0; i < childrenLength; i++) {
+	      childArray[i] = arguments[i + 2];
+	    }
+	    props.children = childArray;
+	  }
+	
+	  // Resolve default props
+	  if (type && type.defaultProps) {
+	    var defaultProps = type.defaultProps;
+	    for (propName in defaultProps) {
+	      if (typeof props[propName] === 'undefined') {
+	        props[propName] = defaultProps[propName];
+	      }
+	    }
+	  }
+	
+	  return ReactElement(type, key, ref, self, source, ReactCurrentOwner.current, props);
+	};
+	
+	ReactElement.createFactory = function (type) {
+	  var factory = ReactElement.createElement.bind(null, type);
+	  // Expose the type on the factory and the prototype so that it can be
+	  // easily accessed on elements. E.g. `<Foo />.type === Foo`.
+	  // This should not be named `constructor` since this may not be the function
+	  // that created the element, and it may not even be a constructor.
+	  // Legacy hook TODO: Warn if this is accessed
+	  factory.type = type;
+	  return factory;
+	};
+	
+	ReactElement.cloneAndReplaceKey = function (oldElement, newKey) {
+	  var newElement = ReactElement(oldElement.type, newKey, oldElement.ref, oldElement._self, oldElement._source, oldElement._owner, oldElement.props);
+	
+	  return newElement;
+	};
+	
+	ReactElement.cloneAndReplaceProps = function (oldElement, newProps) {
+	  var newElement = ReactElement(oldElement.type, oldElement.key, oldElement.ref, oldElement._self, oldElement._source, oldElement._owner, newProps);
+	
+	  if (true) {
+	    // If the key on the original is valid, then the clone is valid
+	    newElement._store.validated = oldElement._store.validated;
+	  }
+	
+	  return newElement;
+	};
+	
+	ReactElement.cloneElement = function (element, config, children) {
+	  var propName;
+	
+	  // Original props are copied
+	  var props = assign({}, element.props);
+	
+	  // Reserved names are extracted
+	  var key = element.key;
+	  var ref = element.ref;
+	  // Self is preserved since the owner is preserved.
+	  var self = element._self;
+	  // Source is preserved since cloneElement is unlikely to be targeted by a
+	  // transpiler, and the original source is probably a better indicator of the
+	  // true owner.
+	  var source = element._source;
+	
+	  // Owner will be preserved, unless ref is overridden
+	  var owner = element._owner;
+	
+	  if (config != null) {
+	    if (config.ref !== undefined) {
+	      // Silently steal the ref from the parent.
+	      ref = config.ref;
+	      owner = ReactCurrentOwner.current;
+	    }
+	    if (config.key !== undefined) {
+	      key = '' + config.key;
+	    }
+	    // Remaining properties override existing props
+	    for (propName in config) {
+	      if (config.hasOwnProperty(propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {
+	        props[propName] = config[propName];
+	      }
+	    }
+	  }
+	
+	  // Children can be more than one argument, and those are transferred onto
+	  // the newly allocated props object.
+	  var childrenLength = arguments.length - 2;
+	  if (childrenLength === 1) {
+	    props.children = children;
+	  } else if (childrenLength > 1) {
+	    var childArray = Array(childrenLength);
+	    for (var i = 0; i < childrenLength; i++) {
+	      childArray[i] = arguments[i + 2];
+	    }
+	    props.children = childArray;
+	  }
+	
+	  return ReactElement(element.type, key, ref, self, source, owner, props);
+	};
+	
+	/**
+	 * @param {?object} object
+	 * @return {boolean} True if `object` is a valid component.
+	 * @final
+	 */
+	ReactElement.isValidElement = function (object) {
+	  return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE;
+	};
+	
+	module.exports = ReactElement;
+
+/***/ },
+/* 59 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule canDefineProperty
+	 */
+	
+	'use strict';
+	
+	var canDefineProperty = false;
+	if (true) {
+	  try {
+	    Object.defineProperty({}, 'x', { get: function () {} });
+	    canDefineProperty = true;
+	  } catch (x) {
+	    // IE will fail on defineProperty
+	  }
+	}
+	
+	module.exports = canDefineProperty;
+
+/***/ },
+/* 60 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactEmptyComponentRegistry
+	 */
+	
+	'use strict';
+	
+	// This registry keeps track of the React IDs of the components that rendered to
+	// `null` (in reality a placeholder such as `noscript`)
+	var nullComponentIDsRegistry = {};
+	
+	/**
+	 * @param {string} id Component's `_rootNodeID`.
+	 * @return {boolean} True if the component is rendered to null.
+	 */
+	function isNullComponentID(id) {
+	  return !!nullComponentIDsRegistry[id];
+	}
+	
+	/**
+	 * Mark the component as having rendered to null.
+	 * @param {string} id Component's `_rootNodeID`.
+	 */
+	function registerNullComponentID(id) {
+	  nullComponentIDsRegistry[id] = true;
+	}
+	
+	/**
+	 * Unmark the component as having rendered to null: it renders to something now.
+	 * @param {string} id Component's `_rootNodeID`.
+	 */
+	function deregisterNullComponentID(id) {
+	  delete nullComponentIDsRegistry[id];
+	}
+	
+	var ReactEmptyComponentRegistry = {
+	  isNullComponentID: isNullComponentID,
+	  registerNullComponentID: registerNullComponentID,
+	  deregisterNullComponentID: deregisterNullComponentID
+	};
+	
+	module.exports = ReactEmptyComponentRegistry;
+
+/***/ },
+/* 61 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactInstanceHandles
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactRootIndex = __webpack_require__(62);
+	
+	var invariant = __webpack_require__(29);
+	
+	var SEPARATOR = '.';
+	var SEPARATOR_LENGTH = SEPARATOR.length;
+	
+	/**
+	 * Maximum depth of traversals before we consider the possibility of a bad ID.
+	 */
+	var MAX_TREE_DEPTH = 10000;
+	
+	/**
+	 * Creates a DOM ID prefix to use when mounting React components.
+	 *
+	 * @param {number} index A unique integer
+	 * @return {string} React root ID.
+	 * @internal
+	 */
+	function getReactRootIDString(index) {
+	  return SEPARATOR + index.toString(36);
+	}
+	
+	/**
+	 * Checks if a character in the supplied ID is a separator or the end.
+	 *
+	 * @param {string} id A React DOM ID.
+	 * @param {number} index Index of the character to check.
+	 * @return {boolean} True if the character is a separator or end of the ID.
+	 * @private
+	 */
+	function isBoundary(id, index) {
+	  return id.charAt(index) === SEPARATOR || index === id.length;
+	}
+	
+	/**
+	 * Checks if the supplied string is a valid React DOM ID.
+	 *
+	 * @param {string} id A React DOM ID, maybe.
+	 * @return {boolean} True if the string is a valid React DOM ID.
+	 * @private
+	 */
+	function isValidID(id) {
+	  return id === '' || id.charAt(0) === SEPARATOR && id.charAt(id.length - 1) !== SEPARATOR;
+	}
+	
+	/**
+	 * Checks if the first ID is an ancestor of or equal to the second ID.
+	 *
+	 * @param {string} ancestorID
+	 * @param {string} descendantID
+	 * @return {boolean} True if `ancestorID` is an ancestor of `descendantID`.
+	 * @internal
+	 */
+	function isAncestorIDOf(ancestorID, descendantID) {
+	  return descendantID.indexOf(ancestorID) === 0 && isBoundary(descendantID, ancestorID.length);
+	}
+	
+	/**
+	 * Gets the parent ID of the supplied React DOM ID, `id`.
+	 *
+	 * @param {string} id ID of a component.
+	 * @return {string} ID of the parent, or an empty string.
+	 * @private
+	 */
+	function getParentID(id) {
+	  return id ? id.substr(0, id.lastIndexOf(SEPARATOR)) : '';
+	}
+	
+	/**
+	 * Gets the next DOM ID on the tree path from the supplied `ancestorID` to the
+	 * supplied `destinationID`. If they are equal, the ID is returned.
+	 *
+	 * @param {string} ancestorID ID of an ancestor node of `destinationID`.
+	 * @param {string} destinationID ID of the destination node.
+	 * @return {string} Next ID on the path from `ancestorID` to `destinationID`.
+	 * @private
+	 */
+	function getNextDescendantID(ancestorID, destinationID) {
+	  !(isValidID(ancestorID) && isValidID(destinationID)) ?  true ? invariant(false, 'getNextDescendantID(%s, %s): Received an invalid React DOM ID.', ancestorID, destinationID) : invariant(false) : undefined;
+	  !isAncestorIDOf(ancestorID, destinationID) ?  true ? invariant(false, 'getNextDescendantID(...): React has made an invalid assumption about ' + 'the DOM hierarchy. Expected `%s` to be an ancestor of `%s`.', ancestorID, destinationID) : invariant(false) : undefined;
+	  if (ancestorID === destinationID) {
+	    return ancestorID;
+	  }
+	  // Skip over the ancestor and the immediate separator. Traverse until we hit
+	  // another separator or we reach the end of `destinationID`.
+	  var start = ancestorID.length + SEPARATOR_LENGTH;
+	  var i;
+	  for (i = start; i < destinationID.length; i++) {
+	    if (isBoundary(destinationID, i)) {
+	      break;
+	    }
+	  }
+	  return destinationID.substr(0, i);
+	}
+	
+	/**
+	 * Gets the nearest common ancestor ID of two IDs.
+	 *
+	 * Using this ID scheme, the nearest common ancestor ID is the longest common
+	 * prefix of the two IDs that immediately preceded a "marker" in both strings.
+	 *
+	 * @param {string} oneID
+	 * @param {string} twoID
+	 * @return {string} Nearest common ancestor ID, or the empty string if none.
+	 * @private
+	 */
+	function getFirstCommonAncestorID(oneID, twoID) {
+	  var minLength = Math.min(oneID.length, twoID.length);
+	  if (minLength === 0) {
+	    return '';
+	  }
+	  var lastCommonMarkerIndex = 0;
+	  // Use `<=` to traverse until the "EOL" of the shorter string.
+	  for (var i = 0; i <= minLength; i++) {
+	    if (isBoundary(oneID, i) && isBoundary(twoID, i)) {
+	      lastCommonMarkerIndex = i;
+	    } else if (oneID.charAt(i) !== twoID.charAt(i)) {
+	      break;
+	    }
+	  }
+	  var longestCommonID = oneID.substr(0, lastCommonMarkerIndex);
+	  !isValidID(longestCommonID) ?  true ? invariant(false, 'getFirstCommonAncestorID(%s, %s): Expected a valid React DOM ID: %s', oneID, twoID, longestCommonID) : invariant(false) : undefined;
+	  return longestCommonID;
+	}
+	
+	/**
+	 * Traverses the parent path between two IDs (either up or down). The IDs must
+	 * not be the same, and there must exist a parent path between them. If the
+	 * callback returns `false`, traversal is stopped.
+	 *
+	 * @param {?string} start ID at which to start traversal.
+	 * @param {?string} stop ID at which to end traversal.
+	 * @param {function} cb Callback to invoke each ID with.
+	 * @param {*} arg Argument to invoke the callback with.
+	 * @param {?boolean} skipFirst Whether or not to skip the first node.
+	 * @param {?boolean} skipLast Whether or not to skip the last node.
+	 * @private
+	 */
+	function traverseParentPath(start, stop, cb, arg, skipFirst, skipLast) {
+	  start = start || '';
+	  stop = stop || '';
+	  !(start !== stop) ?  true ? invariant(false, 'traverseParentPath(...): Cannot traverse from and to the same ID, `%s`.', start) : invariant(false) : undefined;
+	  var traverseUp = isAncestorIDOf(stop, start);
+	  !(traverseUp || isAncestorIDOf(start, stop)) ?  true ? invariant(false, 'traverseParentPath(%s, %s, ...): Cannot traverse from two IDs that do ' + 'not have a parent path.', start, stop) : invariant(false) : undefined;
+	  // Traverse from `start` to `stop` one depth at a time.
+	  var depth = 0;
+	  var traverse = traverseUp ? getParentID : getNextDescendantID;
+	  for (var id = start;; /* until break */id = traverse(id, stop)) {
+	    var ret;
+	    if ((!skipFirst || id !== start) && (!skipLast || id !== stop)) {
+	      ret = cb(id, traverseUp, arg);
+	    }
+	    if (ret === false || id === stop) {
+	      // Only break //after// visiting `stop`.
+	      break;
+	    }
+	    !(depth++ < MAX_TREE_DEPTH) ?  true ? invariant(false, 'traverseParentPath(%s, %s, ...): Detected an infinite loop while ' + 'traversing the React DOM ID tree. This may be due to malformed IDs: %s', start, stop, id) : invariant(false) : undefined;
+	  }
+	}
+	
+	/**
+	 * Manages the IDs assigned to DOM representations of React components. This
+	 * uses a specific scheme in order to traverse the DOM efficiently (e.g. in
+	 * order to simulate events).
+	 *
+	 * @internal
+	 */
+	var ReactInstanceHandles = {
+	
+	  /**
+	   * Constructs a React root ID
+	   * @return {string} A React root ID.
+	   */
+	  createReactRootID: function () {
+	    return getReactRootIDString(ReactRootIndex.createReactRootIndex());
+	  },
+	
+	  /**
+	   * Constructs a React ID by joining a root ID with a name.
+	   *
+	   * @param {string} rootID Root ID of a parent component.
+	   * @param {string} name A component's name (as flattened children).
+	   * @return {string} A React ID.
+	   * @internal
+	   */
+	  createReactID: function (rootID, name) {
+	    return rootID + name;
+	  },
+	
+	  /**
+	   * Gets the DOM ID of the React component that is the root of the tree that
+	   * contains the React component with the supplied DOM ID.
+	   *
+	   * @param {string} id DOM ID of a React component.
+	   * @return {?string} DOM ID of the React component that is the root.
+	   * @internal
+	   */
+	  getReactRootIDFromNodeID: function (id) {
+	    if (id && id.charAt(0) === SEPARATOR && id.length > 1) {
+	      var index = id.indexOf(SEPARATOR, 1);
+	      return index > -1 ? id.substr(0, index) : id;
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Traverses the ID hierarchy and invokes the supplied `cb` on any IDs that
+	   * should would receive a `mouseEnter` or `mouseLeave` event.
+	   *
+	   * NOTE: Does not invoke the callback on the nearest common ancestor because
+	   * nothing "entered" or "left" that element.
+	   *
+	   * @param {string} leaveID ID being left.
+	   * @param {string} enterID ID being entered.
+	   * @param {function} cb Callback to invoke on each entered/left ID.
+	   * @param {*} upArg Argument to invoke the callback with on left IDs.
+	   * @param {*} downArg Argument to invoke the callback with on entered IDs.
+	   * @internal
+	   */
+	  traverseEnterLeave: function (leaveID, enterID, cb, upArg, downArg) {
+	    var ancestorID = getFirstCommonAncestorID(leaveID, enterID);
+	    if (ancestorID !== leaveID) {
+	      traverseParentPath(leaveID, ancestorID, cb, upArg, false, true);
+	    }
+	    if (ancestorID !== enterID) {
+	      traverseParentPath(ancestorID, enterID, cb, downArg, true, false);
+	    }
+	  },
+	
+	  /**
+	   * Simulates the traversal of a two-phase, capture/bubble event dispatch.
+	   *
+	   * NOTE: This traversal happens on IDs without touching the DOM.
+	   *
+	   * @param {string} targetID ID of the target node.
+	   * @param {function} cb Callback to invoke.
+	   * @param {*} arg Argument to invoke the callback with.
+	   * @internal
+	   */
+	  traverseTwoPhase: function (targetID, cb, arg) {
+	    if (targetID) {
+	      traverseParentPath('', targetID, cb, arg, true, false);
+	      traverseParentPath(targetID, '', cb, arg, false, true);
+	    }
+	  },
+	
+	  /**
+	   * Same as `traverseTwoPhase` but skips the `targetID`.
+	   */
+	  traverseTwoPhaseSkipTarget: function (targetID, cb, arg) {
+	    if (targetID) {
+	      traverseParentPath('', targetID, cb, arg, true, true);
+	      traverseParentPath(targetID, '', cb, arg, true, true);
+	    }
+	  },
+	
+	  /**
+	   * Traverse a node ID, calling the supplied `cb` for each ancestor ID. For
+	   * example, passing `.0.$row-0.1` would result in `cb` getting called
+	   * with `.0`, `.0.$row-0`, and `.0.$row-0.1`.
+	   *
+	   * NOTE: This traversal happens on IDs without touching the DOM.
+	   *
+	   * @param {string} targetID ID of the target node.
+	   * @param {function} cb Callback to invoke.
+	   * @param {*} arg Argument to invoke the callback with.
+	   * @internal
+	   */
+	  traverseAncestors: function (targetID, cb, arg) {
+	    traverseParentPath('', targetID, cb, arg, true, false);
+	  },
+	
+	  getFirstCommonAncestorID: getFirstCommonAncestorID,
+	
+	  /**
+	   * Exposed for unit testing.
+	   * @private
+	   */
+	  _getNextDescendantID: getNextDescendantID,
+	
+	  isAncestorIDOf: isAncestorIDOf,
+	
+	  SEPARATOR: SEPARATOR
+	
+	};
+	
+	module.exports = ReactInstanceHandles;
+
+/***/ },
+/* 62 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactRootIndex
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var ReactRootIndexInjection = {
+	  /**
+	   * @param {function} _createReactRootIndex
+	   */
+	  injectCreateReactRootIndex: function (_createReactRootIndex) {
+	    ReactRootIndex.createReactRootIndex = _createReactRootIndex;
+	  }
+	};
+	
+	var ReactRootIndex = {
+	  createReactRootIndex: null,
+	  injection: ReactRootIndexInjection
+	};
+	
+	module.exports = ReactRootIndex;
+
+/***/ },
+/* 63 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactInstanceMap
+	 */
+	
+	'use strict';
+	
+	/**
+	 * `ReactInstanceMap` maintains a mapping from a public facing stateful
+	 * instance (key) and the internal representation (value). This allows public
+	 * methods to accept the user facing instance as an argument and map them back
+	 * to internal methods.
+	 */
+	
+	// TODO: Replace this with ES6: var ReactInstanceMap = new Map();
+	var ReactInstanceMap = {
+	
+	  /**
+	   * This API should be called `delete` but we'd have to make sure to always
+	   * transform these to strings for IE support. When this transform is fully
+	   * supported we can rename it.
+	   */
+	  remove: function (key) {
+	    key._reactInternalInstance = undefined;
+	  },
+	
+	  get: function (key) {
+	    return key._reactInternalInstance;
+	  },
+	
+	  has: function (key) {
+	    return key._reactInternalInstance !== undefined;
+	  },
+	
+	  set: function (key, value) {
+	    key._reactInternalInstance = value;
+	  }
+	
+	};
+	
+	module.exports = ReactInstanceMap;
+
+/***/ },
+/* 64 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactMarkupChecksum
+	 */
+	
+	'use strict';
+	
+	var adler32 = __webpack_require__(65);
+	
+	var TAG_END = /\/?>/;
+	
+	var ReactMarkupChecksum = {
+	  CHECKSUM_ATTR_NAME: 'data-react-checksum',
+	
+	  /**
+	   * @param {string} markup Markup string
+	   * @return {string} Markup string with checksum attribute attached
+	   */
+	  addChecksumToMarkup: function (markup) {
+	    var checksum = adler32(markup);
+	
+	    // Add checksum (handle both parent tags and self-closing tags)
+	    return markup.replace(TAG_END, ' ' + ReactMarkupChecksum.CHECKSUM_ATTR_NAME + '="' + checksum + '"$&');
+	  },
+	
+	  /**
+	   * @param {string} markup to use
+	   * @param {DOMElement} element root React element
+	   * @returns {boolean} whether or not the markup is the same
+	   */
+	  canReuseMarkup: function (markup, element) {
+	    var existingChecksum = element.getAttribute(ReactMarkupChecksum.CHECKSUM_ATTR_NAME);
+	    existingChecksum = existingChecksum && parseInt(existingChecksum, 10);
+	    var markupChecksum = adler32(markup);
+	    return markupChecksum === existingChecksum;
+	  }
+	};
+	
+	module.exports = ReactMarkupChecksum;
+
+/***/ },
+/* 65 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule adler32
+	 */
+	
+	'use strict';
+	
+	var MOD = 65521;
+	
+	// adler32 is not cryptographically strong, and is only used to sanity check that
+	// markup generated on the server matches the markup generated on the client.
+	// This implementation (a modified version of the SheetJS version) has been optimized
+	// for our use case, at the expense of conforming to the adler32 specification
+	// for non-ascii inputs.
+	function adler32(data) {
+	  var a = 1;
+	  var b = 0;
+	  var i = 0;
+	  var l = data.length;
+	  var m = l & ~0x3;
+	  while (i < m) {
+	    for (; i < Math.min(i + 4096, m); i += 4) {
+	      b += (a += data.charCodeAt(i)) + (a += data.charCodeAt(i + 1)) + (a += data.charCodeAt(i + 2)) + (a += data.charCodeAt(i + 3));
+	    }
+	    a %= MOD;
+	    b %= MOD;
+	  }
+	  for (; i < l; i++) {
+	    b += a += data.charCodeAt(i);
+	  }
+	  a %= MOD;
+	  b %= MOD;
+	  return a | b << 16;
+	}
+	
+	module.exports = adler32;
+
+/***/ },
+/* 66 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactReconciler
+	 */
+	
+	'use strict';
+	
+	var ReactRef = __webpack_require__(67);
+	
+	/**
+	 * Helper to call ReactRef.attachRefs with this composite component, split out
+	 * to avoid allocations in the transaction mount-ready queue.
+	 */
+	function attachRefs() {
+	  ReactRef.attachRefs(this, this._currentElement);
+	}
+	
+	var ReactReconciler = {
+	
+	  /**
+	   * Initializes the component, renders markup, and registers event listeners.
+	   *
+	   * @param {ReactComponent} internalInstance
+	   * @param {string} rootID DOM ID of the root node.
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @return {?string} Rendered markup to be inserted into the DOM.
+	   * @final
+	   * @internal
+	   */
+	  mountComponent: function (internalInstance, rootID, transaction, context) {
+	    var markup = internalInstance.mountComponent(rootID, transaction, context);
+	    if (internalInstance._currentElement && internalInstance._currentElement.ref != null) {
+	      transaction.getReactMountReady().enqueue(attachRefs, internalInstance);
+	    }
+	    return markup;
+	  },
+	
+	  /**
+	   * Releases any resources allocated by `mountComponent`.
+	   *
+	   * @final
+	   * @internal
+	   */
+	  unmountComponent: function (internalInstance) {
+	    ReactRef.detachRefs(internalInstance, internalInstance._currentElement);
+	    internalInstance.unmountComponent();
+	  },
+	
+	  /**
+	   * Update a component using a new element.
+	   *
+	   * @param {ReactComponent} internalInstance
+	   * @param {ReactElement} nextElement
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {object} context
+	   * @internal
+	   */
+	  receiveComponent: function (internalInstance, nextElement, transaction, context) {
+	    var prevElement = internalInstance._currentElement;
+	
+	    if (nextElement === prevElement && context === internalInstance._context) {
+	      // Since elements are immutable after the owner is rendered,
+	      // we can do a cheap identity compare here to determine if this is a
+	      // superfluous reconcile. It's possible for state to be mutable but such
+	      // change should trigger an update of the owner which would recreate
+	      // the element. We explicitly check for the existence of an owner since
+	      // it's possible for an element created outside a composite to be
+	      // deeply mutated and reused.
+	
+	      // TODO: Bailing out early is just a perf optimization right?
+	      // TODO: Removing the return statement should affect correctness?
+	      return;
+	    }
+	
+	    var refsChanged = ReactRef.shouldUpdateRefs(prevElement, nextElement);
+	
+	    if (refsChanged) {
+	      ReactRef.detachRefs(internalInstance, prevElement);
+	    }
+	
+	    internalInstance.receiveComponent(nextElement, transaction, context);
+	
+	    if (refsChanged && internalInstance._currentElement && internalInstance._currentElement.ref != null) {
+	      transaction.getReactMountReady().enqueue(attachRefs, internalInstance);
+	    }
+	  },
+	
+	  /**
+	   * Flush any dirty changes in a component.
+	   *
+	   * @param {ReactComponent} internalInstance
+	   * @param {ReactReconcileTransaction} transaction
+	   * @internal
+	   */
+	  performUpdateIfNecessary: function (internalInstance, transaction) {
+	    internalInstance.performUpdateIfNecessary(transaction);
+	  }
+	
+	};
+	
+	module.exports = ReactReconciler;
+
+/***/ },
+/* 67 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactRef
+	 */
+	
+	'use strict';
+	
+	var ReactOwner = __webpack_require__(68);
+	
+	var ReactRef = {};
+	
+	function attachRef(ref, component, owner) {
+	  if (typeof ref === 'function') {
+	    ref(component.getPublicInstance());
+	  } else {
+	    // Legacy ref
+	    ReactOwner.addComponentAsRefTo(component, ref, owner);
+	  }
+	}
+	
+	function detachRef(ref, component, owner) {
+	  if (typeof ref === 'function') {
+	    ref(null);
+	  } else {
+	    // Legacy ref
+	    ReactOwner.removeComponentAsRefFrom(component, ref, owner);
+	  }
+	}
+	
+	ReactRef.attachRefs = function (instance, element) {
+	  if (element === null || element === false) {
+	    return;
+	  }
+	  var ref = element.ref;
+	  if (ref != null) {
+	    attachRef(ref, instance, element._owner);
+	  }
+	};
+	
+	ReactRef.shouldUpdateRefs = function (prevElement, nextElement) {
+	  // If either the owner or a `ref` has changed, make sure the newest owner
+	  // has stored a reference to `this`, and the previous owner (if different)
+	  // has forgotten the reference to `this`. We use the element instead
+	  // of the public this.props because the post processing cannot determine
+	  // a ref. The ref conceptually lives on the element.
+	
+	  // TODO: Should this even be possible? The owner cannot change because
+	  // it's forbidden by shouldUpdateReactComponent. The ref can change
+	  // if you swap the keys of but not the refs. Reconsider where this check
+	  // is made. It probably belongs where the key checking and
+	  // instantiateReactComponent is done.
+	
+	  var prevEmpty = prevElement === null || prevElement === false;
+	  var nextEmpty = nextElement === null || nextElement === false;
+	
+	  return(
+	    // This has a few false positives w/r/t empty components.
+	    prevEmpty || nextEmpty || nextElement._owner !== prevElement._owner || nextElement.ref !== prevElement.ref
+	  );
+	};
+	
+	ReactRef.detachRefs = function (instance, element) {
+	  if (element === null || element === false) {
+	    return;
+	  }
+	  var ref = element.ref;
+	  if (ref != null) {
+	    detachRef(ref, instance, element._owner);
+	  }
+	};
+	
+	module.exports = ReactRef;
+
+/***/ },
+/* 68 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactOwner
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * ReactOwners are capable of storing references to owned components.
+	 *
+	 * All components are capable of //being// referenced by owner components, but
+	 * only ReactOwner components are capable of //referencing// owned components.
+	 * The named reference is known as a "ref".
+	 *
+	 * Refs are available when mounted and updated during reconciliation.
+	 *
+	 *   var MyComponent = React.createClass({
+	 *     render: function() {
+	 *       return (
+	 *         <div onClick={this.handleClick}>
+	 *           <CustomComponent ref="custom" />
+	 *         </div>
+	 *       );
+	 *     },
+	 *     handleClick: function() {
+	 *       this.refs.custom.handleClick();
+	 *     },
+	 *     componentDidMount: function() {
+	 *       this.refs.custom.initialize();
+	 *     }
+	 *   });
+	 *
+	 * Refs should rarely be used. When refs are used, they should only be done to
+	 * control data that is not handled by React's data flow.
+	 *
+	 * @class ReactOwner
+	 */
+	var ReactOwner = {
+	
+	  /**
+	   * @param {?object} object
+	   * @return {boolean} True if `object` is a valid owner.
+	   * @final
+	   */
+	  isValidOwner: function (object) {
+	    return !!(object && typeof object.attachRef === 'function' && typeof object.detachRef === 'function');
+	  },
+	
+	  /**
+	   * Adds a component by ref to an owner component.
+	   *
+	   * @param {ReactComponent} component Component to reference.
+	   * @param {string} ref Name by which to refer to the component.
+	   * @param {ReactOwner} owner Component on which to record the ref.
+	   * @final
+	   * @internal
+	   */
+	  addComponentAsRefTo: function (component, ref, owner) {
+	    !ReactOwner.isValidOwner(owner) ?  true ? invariant(false, 'addComponentAsRefTo(...): Only a ReactOwner can have refs. You might ' + 'be adding a ref to a component that was not created inside a component\'s ' + '`render` method, or you have multiple copies of React loaded ' + '(details: https://fb.me/react-refs-must-have-owner).') : invariant(false) : undefined;
+	    owner.attachRef(ref, component);
+	  },
+	
+	  /**
+	   * Removes a component by ref from an owner component.
+	   *
+	   * @param {ReactComponent} component Component to dereference.
+	   * @param {string} ref Name of the ref to remove.
+	   * @param {ReactOwner} owner Component on which the ref is recorded.
+	   * @final
+	   * @internal
+	   */
+	  removeComponentAsRefFrom: function (component, ref, owner) {
+	    !ReactOwner.isValidOwner(owner) ?  true ? invariant(false, 'removeComponentAsRefFrom(...): Only a ReactOwner can have refs. You might ' + 'be removing a ref to a component that was not created inside a component\'s ' + '`render` method, or you have multiple copies of React loaded ' + '(details: https://fb.me/react-refs-must-have-owner).') : invariant(false) : undefined;
+	    // Check that `component` is still the current ref because we do not want to
+	    // detach the ref if another component stole it.
+	    if (owner.getPublicInstance().refs[ref] === component.getPublicInstance()) {
+	      owner.detachRef(ref);
+	    }
+	  }
+	
+	};
+	
+	module.exports = ReactOwner;
+
+/***/ },
+/* 69 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactUpdateQueue
+	 */
+	
+	'use strict';
+	
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactElement = __webpack_require__(58);
+	var ReactInstanceMap = __webpack_require__(63);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	function enqueueUpdate(internalInstance) {
+	  ReactUpdates.enqueueUpdate(internalInstance);
+	}
+	
+	function getInternalInstanceReadyForUpdate(publicInstance, callerName) {
+	  var internalInstance = ReactInstanceMap.get(publicInstance);
+	  if (!internalInstance) {
+	    if (true) {
+	      // Only warn when we have a callerName. Otherwise we should be silent.
+	      // We're probably calling from enqueueCallback. We don't want to warn
+	      // there because we already warned for the corresponding lifecycle method.
+	       true ? warning(!callerName, '%s(...): Can only update a mounted or mounting component. ' + 'This usually means you called %s() on an unmounted component. ' + 'This is a no-op. Please check the code for the %s component.', callerName, callerName, publicInstance.constructor.displayName) : undefined;
+	    }
+	    return null;
+	  }
+	
+	  if (true) {
+	     true ? warning(ReactCurrentOwner.current == null, '%s(...): Cannot update during an existing state transition ' + '(such as within `render`). Render methods should be a pure function ' + 'of props and state.', callerName) : undefined;
+	  }
+	
+	  return internalInstance;
+	}
+	
+	/**
+	 * ReactUpdateQueue allows for state updates to be scheduled into a later
+	 * reconciliation step.
+	 */
+	var ReactUpdateQueue = {
+	
+	  /**
+	   * Checks whether or not this composite component is mounted.
+	   * @param {ReactClass} publicInstance The instance we want to test.
+	   * @return {boolean} True if mounted, false otherwise.
+	   * @protected
+	   * @final
+	   */
+	  isMounted: function (publicInstance) {
+	    if (true) {
+	      var owner = ReactCurrentOwner.current;
+	      if (owner !== null) {
+	         true ? warning(owner._warnedAboutRefsInRender, '%s is accessing isMounted inside its render() function. ' + 'render() should be a pure function of props and state. It should ' + 'never access something that requires stale data from the previous ' + 'render, such as refs. Move this logic to componentDidMount and ' + 'componentDidUpdate instead.', owner.getName() || 'A component') : undefined;
+	        owner._warnedAboutRefsInRender = true;
+	      }
+	    }
+	    var internalInstance = ReactInstanceMap.get(publicInstance);
+	    if (internalInstance) {
+	      // During componentWillMount and render this will still be null but after
+	      // that will always render to something. At least for now. So we can use
+	      // this hack.
+	      return !!internalInstance._renderedComponent;
+	    } else {
+	      return false;
+	    }
+	  },
+	
+	  /**
+	   * Enqueue a callback that will be executed after all the pending updates
+	   * have processed.
+	   *
+	   * @param {ReactClass} publicInstance The instance to use as `this` context.
+	   * @param {?function} callback Called after state is updated.
+	   * @internal
+	   */
+	  enqueueCallback: function (publicInstance, callback) {
+	    !(typeof callback === 'function') ?  true ? invariant(false, 'enqueueCallback(...): You called `setProps`, `replaceProps`, ' + '`setState`, `replaceState`, or `forceUpdate` with a callback that ' + 'isn\'t callable.') : invariant(false) : undefined;
+	    var internalInstance = getInternalInstanceReadyForUpdate(publicInstance);
+	
+	    // Previously we would throw an error if we didn't have an internal
+	    // instance. Since we want to make it a no-op instead, we mirror the same
+	    // behavior we have in other enqueue* methods.
+	    // We also need to ignore callbacks in componentWillMount. See
+	    // enqueueUpdates.
+	    if (!internalInstance) {
+	      return null;
+	    }
+	
+	    if (internalInstance._pendingCallbacks) {
+	      internalInstance._pendingCallbacks.push(callback);
+	    } else {
+	      internalInstance._pendingCallbacks = [callback];
+	    }
+	    // TODO: The callback here is ignored when setState is called from
+	    // componentWillMount. Either fix it or disallow doing so completely in
+	    // favor of getInitialState. Alternatively, we can disallow
+	    // componentWillMount during server-side rendering.
+	    enqueueUpdate(internalInstance);
+	  },
+	
+	  enqueueCallbackInternal: function (internalInstance, callback) {
+	    !(typeof callback === 'function') ?  true ? invariant(false, 'enqueueCallback(...): You called `setProps`, `replaceProps`, ' + '`setState`, `replaceState`, or `forceUpdate` with a callback that ' + 'isn\'t callable.') : invariant(false) : undefined;
+	    if (internalInstance._pendingCallbacks) {
+	      internalInstance._pendingCallbacks.push(callback);
+	    } else {
+	      internalInstance._pendingCallbacks = [callback];
+	    }
+	    enqueueUpdate(internalInstance);
+	  },
+	
+	  /**
+	   * Forces an update. This should only be invoked when it is known with
+	   * certainty that we are **not** in a DOM transaction.
+	   *
+	   * You may want to call this when you know that some deeper aspect of the
+	   * component's state has changed but `setState` was not called.
+	   *
+	   * This will not invoke `shouldComponentUpdate`, but it will invoke
+	   * `componentWillUpdate` and `componentDidUpdate`.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @internal
+	   */
+	  enqueueForceUpdate: function (publicInstance) {
+	    var internalInstance = getInternalInstanceReadyForUpdate(publicInstance, 'forceUpdate');
+	
+	    if (!internalInstance) {
+	      return;
+	    }
+	
+	    internalInstance._pendingForceUpdate = true;
+	
+	    enqueueUpdate(internalInstance);
+	  },
+	
+	  /**
+	   * Replaces all of the state. Always use this or `setState` to mutate state.
+	   * You should treat `this.state` as immutable.
+	   *
+	   * There is no guarantee that `this.state` will be immediately updated, so
+	   * accessing `this.state` after calling this method may return the old value.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} completeState Next state.
+	   * @internal
+	   */
+	  enqueueReplaceState: function (publicInstance, completeState) {
+	    var internalInstance = getInternalInstanceReadyForUpdate(publicInstance, 'replaceState');
+	
+	    if (!internalInstance) {
+	      return;
+	    }
+	
+	    internalInstance._pendingStateQueue = [completeState];
+	    internalInstance._pendingReplaceState = true;
+	
+	    enqueueUpdate(internalInstance);
+	  },
+	
+	  /**
+	   * Sets a subset of the state. This only exists because _pendingState is
+	   * internal. This provides a merging strategy that is not available to deep
+	   * properties which is confusing. TODO: Expose pendingState or don't use it
+	   * during the merge.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} partialState Next partial state to be merged with state.
+	   * @internal
+	   */
+	  enqueueSetState: function (publicInstance, partialState) {
+	    var internalInstance = getInternalInstanceReadyForUpdate(publicInstance, 'setState');
+	
+	    if (!internalInstance) {
+	      return;
+	    }
+	
+	    var queue = internalInstance._pendingStateQueue || (internalInstance._pendingStateQueue = []);
+	    queue.push(partialState);
+	
+	    enqueueUpdate(internalInstance);
+	  },
+	
+	  /**
+	   * Sets a subset of the props.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} partialProps Subset of the next props.
+	   * @internal
+	   */
+	  enqueueSetProps: function (publicInstance, partialProps) {
+	    var internalInstance = getInternalInstanceReadyForUpdate(publicInstance, 'setProps');
+	    if (!internalInstance) {
+	      return;
+	    }
+	    ReactUpdateQueue.enqueueSetPropsInternal(internalInstance, partialProps);
+	  },
+	
+	  enqueueSetPropsInternal: function (internalInstance, partialProps) {
+	    var topLevelWrapper = internalInstance._topLevelWrapper;
+	    !topLevelWrapper ?  true ? invariant(false, 'setProps(...): You called `setProps` on a ' + 'component with a parent. This is an anti-pattern since props will ' + 'get reactively updated when rendered. Instead, change the owner\'s ' + '`render` method to pass the correct value as props to the component ' + 'where it is created.') : invariant(false) : undefined;
+	
+	    // Merge with the pending element if it exists, otherwise with existing
+	    // element props.
+	    var wrapElement = topLevelWrapper._pendingElement || topLevelWrapper._currentElement;
+	    var element = wrapElement.props;
+	    var props = assign({}, element.props, partialProps);
+	    topLevelWrapper._pendingElement = ReactElement.cloneAndReplaceProps(wrapElement, ReactElement.cloneAndReplaceProps(element, props));
+	
+	    enqueueUpdate(topLevelWrapper);
+	  },
+	
+	  /**
+	   * Replaces all of the props.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} props New props.
+	   * @internal
+	   */
+	  enqueueReplaceProps: function (publicInstance, props) {
+	    var internalInstance = getInternalInstanceReadyForUpdate(publicInstance, 'replaceProps');
+	    if (!internalInstance) {
+	      return;
+	    }
+	    ReactUpdateQueue.enqueueReplacePropsInternal(internalInstance, props);
+	  },
+	
+	  enqueueReplacePropsInternal: function (internalInstance, props) {
+	    var topLevelWrapper = internalInstance._topLevelWrapper;
+	    !topLevelWrapper ?  true ? invariant(false, 'replaceProps(...): You called `replaceProps` on a ' + 'component with a parent. This is an anti-pattern since props will ' + 'get reactively updated when rendered. Instead, change the owner\'s ' + '`render` method to pass the correct value as props to the component ' + 'where it is created.') : invariant(false) : undefined;
+	
+	    // Merge with the pending element if it exists, otherwise with existing
+	    // element props.
+	    var wrapElement = topLevelWrapper._pendingElement || topLevelWrapper._currentElement;
+	    var element = wrapElement.props;
+	    topLevelWrapper._pendingElement = ReactElement.cloneAndReplaceProps(wrapElement, ReactElement.cloneAndReplaceProps(element, props));
+	
+	    enqueueUpdate(topLevelWrapper);
+	  },
+	
+	  enqueueElementInternal: function (internalInstance, newElement) {
+	    internalInstance._pendingElement = newElement;
+	    enqueueUpdate(internalInstance);
+	  }
+	
+	};
+	
+	module.exports = ReactUpdateQueue;
+
+/***/ },
+/* 70 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactUpdates
+	 */
+	
+	'use strict';
+	
+	var CallbackQueue = __webpack_require__(71);
+	var PooledClass = __webpack_require__(72);
+	var ReactPerf = __webpack_require__(34);
+	var ReactReconciler = __webpack_require__(66);
+	var Transaction = __webpack_require__(73);
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	
+	var dirtyComponents = [];
+	var asapCallbackQueue = CallbackQueue.getPooled();
+	var asapEnqueued = false;
+	
+	var batchingStrategy = null;
+	
+	function ensureInjected() {
+	  !(ReactUpdates.ReactReconcileTransaction && batchingStrategy) ?  true ? invariant(false, 'ReactUpdates: must inject a reconcile transaction class and batching ' + 'strategy') : invariant(false) : undefined;
+	}
+	
+	var NESTED_UPDATES = {
+	  initialize: function () {
+	    this.dirtyComponentsLength = dirtyComponents.length;
+	  },
+	  close: function () {
+	    if (this.dirtyComponentsLength !== dirtyComponents.length) {
+	      // Additional updates were enqueued by componentDidUpdate handlers or
+	      // similar; before our own UPDATE_QUEUEING wrapper closes, we want to run
+	      // these new updates so that if A's componentDidUpdate calls setState on
+	      // B, B will update before the callback A's updater provided when calling
+	      // setState.
+	      dirtyComponents.splice(0, this.dirtyComponentsLength);
+	      flushBatchedUpdates();
+	    } else {
+	      dirtyComponents.length = 0;
+	    }
+	  }
+	};
+	
+	var UPDATE_QUEUEING = {
+	  initialize: function () {
+	    this.callbackQueue.reset();
+	  },
+	  close: function () {
+	    this.callbackQueue.notifyAll();
+	  }
+	};
+	
+	var TRANSACTION_WRAPPERS = [NESTED_UPDATES, UPDATE_QUEUEING];
+	
+	function ReactUpdatesFlushTransaction() {
+	  this.reinitializeTransaction();
+	  this.dirtyComponentsLength = null;
+	  this.callbackQueue = CallbackQueue.getPooled();
+	  this.reconcileTransaction = ReactUpdates.ReactReconcileTransaction.getPooled( /* forceHTML */false);
+	}
+	
+	assign(ReactUpdatesFlushTransaction.prototype, Transaction.Mixin, {
+	  getTransactionWrappers: function () {
+	    return TRANSACTION_WRAPPERS;
+	  },
+	
+	  destructor: function () {
+	    this.dirtyComponentsLength = null;
+	    CallbackQueue.release(this.callbackQueue);
+	    this.callbackQueue = null;
+	    ReactUpdates.ReactReconcileTransaction.release(this.reconcileTransaction);
+	    this.reconcileTransaction = null;
+	  },
+	
+	  perform: function (method, scope, a) {
+	    // Essentially calls `this.reconcileTransaction.perform(method, scope, a)`
+	    // with this transaction's wrappers around it.
+	    return Transaction.Mixin.perform.call(this, this.reconcileTransaction.perform, this.reconcileTransaction, method, scope, a);
+	  }
+	});
+	
+	PooledClass.addPoolingTo(ReactUpdatesFlushTransaction);
+	
+	function batchedUpdates(callback, a, b, c, d, e) {
+	  ensureInjected();
+	  batchingStrategy.batchedUpdates(callback, a, b, c, d, e);
+	}
+	
+	/**
+	 * Array comparator for ReactComponents by mount ordering.
+	 *
+	 * @param {ReactComponent} c1 first component you're comparing
+	 * @param {ReactComponent} c2 second component you're comparing
+	 * @return {number} Return value usable by Array.prototype.sort().
+	 */
+	function mountOrderComparator(c1, c2) {
+	  return c1._mountOrder - c2._mountOrder;
+	}
+	
+	function runBatchedUpdates(transaction) {
+	  var len = transaction.dirtyComponentsLength;
+	  !(len === dirtyComponents.length) ?  true ? invariant(false, 'Expected flush transaction\'s stored dirty-components length (%s) to ' + 'match dirty-components array length (%s).', len, dirtyComponents.length) : invariant(false) : undefined;
+	
+	  // Since reconciling a component higher in the owner hierarchy usually (not
+	  // always -- see shouldComponentUpdate()) will reconcile children, reconcile
+	  // them before their children by sorting the array.
+	  dirtyComponents.sort(mountOrderComparator);
+	
+	  for (var i = 0; i < len; i++) {
+	    // If a component is unmounted before pending changes apply, it will still
+	    // be here, but we assume that it has cleared its _pendingCallbacks and
+	    // that performUpdateIfNecessary is a noop.
+	    var component = dirtyComponents[i];
+	
+	    // If performUpdateIfNecessary happens to enqueue any new updates, we
+	    // shouldn't execute the callbacks until the next render happens, so
+	    // stash the callbacks first
+	    var callbacks = component._pendingCallbacks;
+	    component._pendingCallbacks = null;
+	
+	    ReactReconciler.performUpdateIfNecessary(component, transaction.reconcileTransaction);
+	
+	    if (callbacks) {
+	      for (var j = 0; j < callbacks.length; j++) {
+	        transaction.callbackQueue.enqueue(callbacks[j], component.getPublicInstance());
+	      }
+	    }
+	  }
+	}
+	
+	var flushBatchedUpdates = function () {
+	  // ReactUpdatesFlushTransaction's wrappers will clear the dirtyComponents
+	  // array and perform any updates enqueued by mount-ready handlers (i.e.,
+	  // componentDidUpdate) but we need to check here too in order to catch
+	  // updates enqueued by setState callbacks and asap calls.
+	  while (dirtyComponents.length || asapEnqueued) {
+	    if (dirtyComponents.length) {
+	      var transaction = ReactUpdatesFlushTransaction.getPooled();
+	      transaction.perform(runBatchedUpdates, null, transaction);
+	      ReactUpdatesFlushTransaction.release(transaction);
+	    }
+	
+	    if (asapEnqueued) {
+	      asapEnqueued = false;
+	      var queue = asapCallbackQueue;
+	      asapCallbackQueue = CallbackQueue.getPooled();
+	      queue.notifyAll();
+	      CallbackQueue.release(queue);
+	    }
+	  }
+	};
+	flushBatchedUpdates = ReactPerf.measure('ReactUpdates', 'flushBatchedUpdates', flushBatchedUpdates);
+	
+	/**
+	 * Mark a component as needing a rerender, adding an optional callback to a
+	 * list of functions which will be executed once the rerender occurs.
+	 */
+	function enqueueUpdate(component) {
+	  ensureInjected();
+	
+	  // Various parts of our code (such as ReactCompositeComponent's
+	  // _renderValidatedComponent) assume that calls to render aren't nested;
+	  // verify that that's the case. (This is called by each top-level update
+	  // function, like setProps, setState, forceUpdate, etc.; creation and
+	  // destruction of top-level components is guarded in ReactMount.)
+	
+	  if (!batchingStrategy.isBatchingUpdates) {
+	    batchingStrategy.batchedUpdates(enqueueUpdate, component);
+	    return;
+	  }
+	
+	  dirtyComponents.push(component);
+	}
+	
+	/**
+	 * Enqueue a callback to be run at the end of the current batching cycle. Throws
+	 * if no updates are currently being performed.
+	 */
+	function asap(callback, context) {
+	  !batchingStrategy.isBatchingUpdates ?  true ? invariant(false, 'ReactUpdates.asap: Can\'t enqueue an asap callback in a context where' + 'updates are not being batched.') : invariant(false) : undefined;
+	  asapCallbackQueue.enqueue(callback, context);
+	  asapEnqueued = true;
+	}
+	
+	var ReactUpdatesInjection = {
+	  injectReconcileTransaction: function (ReconcileTransaction) {
+	    !ReconcileTransaction ?  true ? invariant(false, 'ReactUpdates: must provide a reconcile transaction class') : invariant(false) : undefined;
+	    ReactUpdates.ReactReconcileTransaction = ReconcileTransaction;
+	  },
+	
+	  injectBatchingStrategy: function (_batchingStrategy) {
+	    !_batchingStrategy ?  true ? invariant(false, 'ReactUpdates: must provide a batching strategy') : invariant(false) : undefined;
+	    !(typeof _batchingStrategy.batchedUpdates === 'function') ?  true ? invariant(false, 'ReactUpdates: must provide a batchedUpdates() function') : invariant(false) : undefined;
+	    !(typeof _batchingStrategy.isBatchingUpdates === 'boolean') ?  true ? invariant(false, 'ReactUpdates: must provide an isBatchingUpdates boolean attribute') : invariant(false) : undefined;
+	    batchingStrategy = _batchingStrategy;
+	  }
+	};
+	
+	var ReactUpdates = {
+	  /**
+	   * React references `ReactReconcileTransaction` using this property in order
+	   * to allow dependency injection.
+	   *
+	   * @internal
+	   */
+	  ReactReconcileTransaction: null,
+	
+	  batchedUpdates: batchedUpdates,
+	  enqueueUpdate: enqueueUpdate,
+	  flushBatchedUpdates: flushBatchedUpdates,
+	  injection: ReactUpdatesInjection,
+	  asap: asap
+	};
+	
+	module.exports = ReactUpdates;
+
+/***/ },
+/* 71 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule CallbackQueue
+	 */
+	
+	'use strict';
+	
+	var PooledClass = __webpack_require__(72);
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * A specialized pseudo-event module to help keep track of components waiting to
+	 * be notified when their DOM representations are available for use.
+	 *
+	 * This implements `PooledClass`, so you should never need to instantiate this.
+	 * Instead, use `CallbackQueue.getPooled()`.
+	 *
+	 * @class ReactMountReady
+	 * @implements PooledClass
+	 * @internal
+	 */
+	function CallbackQueue() {
+	  this._callbacks = null;
+	  this._contexts = null;
+	}
+	
+	assign(CallbackQueue.prototype, {
+	
+	  /**
+	   * Enqueues a callback to be invoked when `notifyAll` is invoked.
+	   *
+	   * @param {function} callback Invoked when `notifyAll` is invoked.
+	   * @param {?object} context Context to call `callback` with.
+	   * @internal
+	   */
+	  enqueue: function (callback, context) {
+	    this._callbacks = this._callbacks || [];
+	    this._contexts = this._contexts || [];
+	    this._callbacks.push(callback);
+	    this._contexts.push(context);
+	  },
+	
+	  /**
+	   * Invokes all enqueued callbacks and clears the queue. This is invoked after
+	   * the DOM representation of a component has been created or updated.
+	   *
+	   * @internal
+	   */
+	  notifyAll: function () {
+	    var callbacks = this._callbacks;
+	    var contexts = this._contexts;
+	    if (callbacks) {
+	      !(callbacks.length === contexts.length) ?  true ? invariant(false, 'Mismatched list of contexts in callback queue') : invariant(false) : undefined;
+	      this._callbacks = null;
+	      this._contexts = null;
+	      for (var i = 0; i < callbacks.length; i++) {
+	        callbacks[i].call(contexts[i]);
+	      }
+	      callbacks.length = 0;
+	      contexts.length = 0;
+	    }
+	  },
+	
+	  /**
+	   * Resets the internal queue.
+	   *
+	   * @internal
+	   */
+	  reset: function () {
+	    this._callbacks = null;
+	    this._contexts = null;
+	  },
+	
+	  /**
+	   * `PooledClass` looks for this.
+	   */
+	  destructor: function () {
+	    this.reset();
+	  }
+	
+	});
+	
+	PooledClass.addPoolingTo(CallbackQueue);
+	
+	module.exports = CallbackQueue;
+
+/***/ },
+/* 72 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule PooledClass
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Static poolers. Several custom versions for each potential number of
+	 * arguments. A completely generic pooler is easy to implement, but would
+	 * require accessing the `arguments` object. In each of these, `this` refers to
+	 * the Class itself, not an instance. If any others are needed, simply add them
+	 * here, or in their own files.
+	 */
+	var oneArgumentPooler = function (copyFieldsFrom) {
+	  var Klass = this;
+	  if (Klass.instancePool.length) {
+	    var instance = Klass.instancePool.pop();
+	    Klass.call(instance, copyFieldsFrom);
+	    return instance;
+	  } else {
+	    return new Klass(copyFieldsFrom);
+	  }
+	};
+	
+	var twoArgumentPooler = function (a1, a2) {
+	  var Klass = this;
+	  if (Klass.instancePool.length) {
+	    var instance = Klass.instancePool.pop();
+	    Klass.call(instance, a1, a2);
+	    return instance;
+	  } else {
+	    return new Klass(a1, a2);
+	  }
+	};
+	
+	var threeArgumentPooler = function (a1, a2, a3) {
+	  var Klass = this;
+	  if (Klass.instancePool.length) {
+	    var instance = Klass.instancePool.pop();
+	    Klass.call(instance, a1, a2, a3);
+	    return instance;
+	  } else {
+	    return new Klass(a1, a2, a3);
+	  }
+	};
+	
+	var fourArgumentPooler = function (a1, a2, a3, a4) {
+	  var Klass = this;
+	  if (Klass.instancePool.length) {
+	    var instance = Klass.instancePool.pop();
+	    Klass.call(instance, a1, a2, a3, a4);
+	    return instance;
+	  } else {
+	    return new Klass(a1, a2, a3, a4);
+	  }
+	};
+	
+	var fiveArgumentPooler = function (a1, a2, a3, a4, a5) {
+	  var Klass = this;
+	  if (Klass.instancePool.length) {
+	    var instance = Klass.instancePool.pop();
+	    Klass.call(instance, a1, a2, a3, a4, a5);
+	    return instance;
+	  } else {
+	    return new Klass(a1, a2, a3, a4, a5);
+	  }
+	};
+	
+	var standardReleaser = function (instance) {
+	  var Klass = this;
+	  !(instance instanceof Klass) ?  true ? invariant(false, 'Trying to release an instance into a pool of a different type.') : invariant(false) : undefined;
+	  instance.destructor();
+	  if (Klass.instancePool.length < Klass.poolSize) {
+	    Klass.instancePool.push(instance);
+	  }
+	};
+	
+	var DEFAULT_POOL_SIZE = 10;
+	var DEFAULT_POOLER = oneArgumentPooler;
+	
+	/**
+	 * Augments `CopyConstructor` to be a poolable class, augmenting only the class
+	 * itself (statically) not adding any prototypical fields. Any CopyConstructor
+	 * you give this may have a `poolSize` property, and will look for a
+	 * prototypical `destructor` on instances (optional).
+	 *
+	 * @param {Function} CopyConstructor Constructor that can be used to reset.
+	 * @param {Function} pooler Customizable pooler.
+	 */
+	var addPoolingTo = function (CopyConstructor, pooler) {
+	  var NewKlass = CopyConstructor;
+	  NewKlass.instancePool = [];
+	  NewKlass.getPooled = pooler || DEFAULT_POOLER;
+	  if (!NewKlass.poolSize) {
+	    NewKlass.poolSize = DEFAULT_POOL_SIZE;
+	  }
+	  NewKlass.release = standardReleaser;
+	  return NewKlass;
+	};
+	
+	var PooledClass = {
+	  addPoolingTo: addPoolingTo,
+	  oneArgumentPooler: oneArgumentPooler,
+	  twoArgumentPooler: twoArgumentPooler,
+	  threeArgumentPooler: threeArgumentPooler,
+	  fourArgumentPooler: fourArgumentPooler,
+	  fiveArgumentPooler: fiveArgumentPooler
+	};
+	
+	module.exports = PooledClass;
+
+/***/ },
+/* 73 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule Transaction
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * `Transaction` creates a black box that is able to wrap any method such that
+	 * certain invariants are maintained before and after the method is invoked
+	 * (Even if an exception is thrown while invoking the wrapped method). Whoever
+	 * instantiates a transaction can provide enforcers of the invariants at
+	 * creation time. The `Transaction` class itself will supply one additional
+	 * automatic invariant for you - the invariant that any transaction instance
+	 * should not be run while it is already being run. You would typically create a
+	 * single instance of a `Transaction` for reuse multiple times, that potentially
+	 * is used to wrap several different methods. Wrappers are extremely simple -
+	 * they only require implementing two methods.
+	 *
+	 * <pre>
+	 *                       wrappers (injected at creation time)
+	 *                                      +        +
+	 *                                      |        |
+	 *                    +-----------------|--------|--------------+
+	 *                    |                 v        |              |
+	 *                    |      +---------------+   |              |
+	 *                    |   +--|    wrapper1   |---|----+         |
+	 *                    |   |  +---------------+   v    |         |
+	 *                    |   |          +-------------+  |         |
+	 *                    |   |     +----|   wrapper2  |--------+   |
+	 *                    |   |     |    +-------------+  |     |   |
+	 *                    |   |     |                     |     |   |
+	 *                    |   v     v                     v     v   | wrapper
+	 *                    | +---+ +---+   +---------+   +---+ +---+ | invariants
+	 * perform(anyMethod) | |   | |   |   |         |   |   | |   | | maintained
+	 * +----------------->|-|---|-|---|-->|anyMethod|---|---|-|---|-|-------->
+	 *                    | |   | |   |   |         |   |   | |   | |
+	 *                    | |   | |   |   |         |   |   | |   | |
+	 *                    | |   | |   |   |         |   |   | |   | |
+	 *                    | +---+ +---+   +---------+   +---+ +---+ |
+	 *                    |  initialize                    close    |
+	 *                    +-----------------------------------------+
+	 * </pre>
+	 *
+	 * Use cases:
+	 * - Preserving the input selection ranges before/after reconciliation.
+	 *   Restoring selection even in the event of an unexpected error.
+	 * - Deactivating events while rearranging the DOM, preventing blurs/focuses,
+	 *   while guaranteeing that afterwards, the event system is reactivated.
+	 * - Flushing a queue of collected DOM mutations to the main UI thread after a
+	 *   reconciliation takes place in a worker thread.
+	 * - Invoking any collected `componentDidUpdate` callbacks after rendering new
+	 *   content.
+	 * - (Future use case): Wrapping particular flushes of the `ReactWorker` queue
+	 *   to preserve the `scrollTop` (an automatic scroll aware DOM).
+	 * - (Future use case): Layout calculations before and after DOM updates.
+	 *
+	 * Transactional plugin API:
+	 * - A module that has an `initialize` method that returns any precomputation.
+	 * - and a `close` method that accepts the precomputation. `close` is invoked
+	 *   when the wrapped process is completed, or has failed.
+	 *
+	 * @param {Array<TransactionalWrapper>} transactionWrapper Wrapper modules
+	 * that implement `initialize` and `close`.
+	 * @return {Transaction} Single transaction for reuse in thread.
+	 *
+	 * @class Transaction
+	 */
+	var Mixin = {
+	  /**
+	   * Sets up this instance so that it is prepared for collecting metrics. Does
+	   * so such that this setup method may be used on an instance that is already
+	   * initialized, in a way that does not consume additional memory upon reuse.
+	   * That can be useful if you decide to make your subclass of this mixin a
+	   * "PooledClass".
+	   */
+	  reinitializeTransaction: function () {
+	    this.transactionWrappers = this.getTransactionWrappers();
+	    if (this.wrapperInitData) {
+	      this.wrapperInitData.length = 0;
+	    } else {
+	      this.wrapperInitData = [];
+	    }
+	    this._isInTransaction = false;
+	  },
+	
+	  _isInTransaction: false,
+	
+	  /**
+	   * @abstract
+	   * @return {Array<TransactionWrapper>} Array of transaction wrappers.
+	   */
+	  getTransactionWrappers: null,
+	
+	  isInTransaction: function () {
+	    return !!this._isInTransaction;
+	  },
+	
+	  /**
+	   * Executes the function within a safety window. Use this for the top level
+	   * methods that result in large amounts of computation/mutations that would
+	   * need to be safety checked. The optional arguments helps prevent the need
+	   * to bind in many cases.
+	   *
+	   * @param {function} method Member of scope to call.
+	   * @param {Object} scope Scope to invoke from.
+	   * @param {Object?=} a Argument to pass to the method.
+	   * @param {Object?=} b Argument to pass to the method.
+	   * @param {Object?=} c Argument to pass to the method.
+	   * @param {Object?=} d Argument to pass to the method.
+	   * @param {Object?=} e Argument to pass to the method.
+	   * @param {Object?=} f Argument to pass to the method.
+	   *
+	   * @return {*} Return value from `method`.
+	   */
+	  perform: function (method, scope, a, b, c, d, e, f) {
+	    !!this.isInTransaction() ?  true ? invariant(false, 'Transaction.perform(...): Cannot initialize a transaction when there ' + 'is already an outstanding transaction.') : invariant(false) : undefined;
+	    var errorThrown;
+	    var ret;
+	    try {
+	      this._isInTransaction = true;
+	      // Catching errors makes debugging more difficult, so we start with
+	      // errorThrown set to true before setting it to false after calling
+	      // close -- if it's still set to true in the finally block, it means
+	      // one of these calls threw.
+	      errorThrown = true;
+	      this.initializeAll(0);
+	      ret = method.call(scope, a, b, c, d, e, f);
+	      errorThrown = false;
+	    } finally {
+	      try {
+	        if (errorThrown) {
+	          // If `method` throws, prefer to show that stack trace over any thrown
+	          // by invoking `closeAll`.
+	          try {
+	            this.closeAll(0);
+	          } catch (err) {}
+	        } else {
+	          // Since `method` didn't throw, we don't want to silence the exception
+	          // here.
+	          this.closeAll(0);
+	        }
+	      } finally {
+	        this._isInTransaction = false;
+	      }
+	    }
+	    return ret;
+	  },
+	
+	  initializeAll: function (startIndex) {
+	    var transactionWrappers = this.transactionWrappers;
+	    for (var i = startIndex; i < transactionWrappers.length; i++) {
+	      var wrapper = transactionWrappers[i];
+	      try {
+	        // Catching errors makes debugging more difficult, so we start with the
+	        // OBSERVED_ERROR state before overwriting it with the real return value
+	        // of initialize -- if it's still set to OBSERVED_ERROR in the finally
+	        // block, it means wrapper.initialize threw.
+	        this.wrapperInitData[i] = Transaction.OBSERVED_ERROR;
+	        this.wrapperInitData[i] = wrapper.initialize ? wrapper.initialize.call(this) : null;
+	      } finally {
+	        if (this.wrapperInitData[i] === Transaction.OBSERVED_ERROR) {
+	          // The initializer for wrapper i threw an error; initialize the
+	          // remaining wrappers but silence any exceptions from them to ensure
+	          // that the first error is the one to bubble up.
+	          try {
+	            this.initializeAll(i + 1);
+	          } catch (err) {}
+	        }
+	      }
+	    }
+	  },
+	
+	  /**
+	   * Invokes each of `this.transactionWrappers.close[i]` functions, passing into
+	   * them the respective return values of `this.transactionWrappers.init[i]`
+	   * (`close`rs that correspond to initializers that failed will not be
+	   * invoked).
+	   */
+	  closeAll: function (startIndex) {
+	    !this.isInTransaction() ?  true ? invariant(false, 'Transaction.closeAll(): Cannot close transaction when none are open.') : invariant(false) : undefined;
+	    var transactionWrappers = this.transactionWrappers;
+	    for (var i = startIndex; i < transactionWrappers.length; i++) {
+	      var wrapper = transactionWrappers[i];
+	      var initData = this.wrapperInitData[i];
+	      var errorThrown;
+	      try {
+	        // Catching errors makes debugging more difficult, so we start with
+	        // errorThrown set to true before setting it to false after calling
+	        // close -- if it's still set to true in the finally block, it means
+	        // wrapper.close threw.
+	        errorThrown = true;
+	        if (initData !== Transaction.OBSERVED_ERROR && wrapper.close) {
+	          wrapper.close.call(this, initData);
+	        }
+	        errorThrown = false;
+	      } finally {
+	        if (errorThrown) {
+	          // The closer for wrapper i threw an error; close the remaining
+	          // wrappers but silence any exceptions from them to ensure that the
+	          // first error is the one to bubble up.
+	          try {
+	            this.closeAll(i + 1);
+	          } catch (e) {}
+	        }
+	      }
+	    }
+	    this.wrapperInitData.length = 0;
+	  }
+	};
+	
+	var Transaction = {
+	
+	  Mixin: Mixin,
+	
+	  /**
+	   * Token to look for to determine if an error occurred.
+	   */
+	  OBSERVED_ERROR: {}
+	
+	};
+	
+	module.exports = Transaction;
+
+/***/ },
+/* 74 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule emptyObject
+	 */
+	
+	'use strict';
+	
+	var emptyObject = {};
+	
+	if (true) {
+	  Object.freeze(emptyObject);
+	}
+	
+	module.exports = emptyObject;
+
+/***/ },
+/* 75 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule containsNode
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var isTextNode = __webpack_require__(76);
+	
+	/*eslint-disable no-bitwise */
+	
+	/**
+	 * Checks if a given DOM node contains or is another DOM node.
+	 *
+	 * @param {?DOMNode} outerNode Outer DOM node.
+	 * @param {?DOMNode} innerNode Inner DOM node.
+	 * @return {boolean} True if `outerNode` contains or is `innerNode`.
+	 */
+	function containsNode(_x, _x2) {
+	  var _again = true;
+	
+	  _function: while (_again) {
+	    var outerNode = _x,
+	        innerNode = _x2;
+	    _again = false;
+	
+	    if (!outerNode || !innerNode) {
+	      return false;
+	    } else if (outerNode === innerNode) {
+	      return true;
+	    } else if (isTextNode(outerNode)) {
+	      return false;
+	    } else if (isTextNode(innerNode)) {
+	      _x = outerNode;
+	      _x2 = innerNode.parentNode;
+	      _again = true;
+	      continue _function;
+	    } else if (outerNode.contains) {
+	      return outerNode.contains(innerNode);
+	    } else if (outerNode.compareDocumentPosition) {
+	      return !!(outerNode.compareDocumentPosition(innerNode) & 16);
+	    } else {
+	      return false;
+	    }
+	  }
+	}
+	
+	module.exports = containsNode;
+
+/***/ },
+/* 76 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule isTextNode
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var isNode = __webpack_require__(77);
+	
+	/**
+	 * @param {*} object The object to check.
+	 * @return {boolean} Whether or not the object is a DOM text node.
+	 */
+	function isTextNode(object) {
+	  return isNode(object) && object.nodeType == 3;
+	}
+	
+	module.exports = isTextNode;
+
+/***/ },
+/* 77 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule isNode
+	 * @typechecks
+	 */
+	
+	/**
+	 * @param {*} object The object to check.
+	 * @return {boolean} Whether or not the object is a DOM node.
+	 */
+	'use strict';
+	
+	function isNode(object) {
+	  return !!(object && (typeof Node === 'function' ? object instanceof Node : typeof object === 'object' && typeof object.nodeType === 'number' && typeof object.nodeName === 'string'));
+	}
+	
+	module.exports = isNode;
+
+/***/ },
+/* 78 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule instantiateReactComponent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactCompositeComponent = __webpack_require__(79);
+	var ReactEmptyComponent = __webpack_require__(84);
+	var ReactNativeComponent = __webpack_require__(85);
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	// To avoid a cyclic dependency, we create the final class in this module
+	var ReactCompositeComponentWrapper = function () {};
+	assign(ReactCompositeComponentWrapper.prototype, ReactCompositeComponent.Mixin, {
+	  _instantiateReactComponent: instantiateReactComponent
+	});
+	
+	function getDeclarationErrorAddendum(owner) {
+	  if (owner) {
+	    var name = owner.getName();
+	    if (name) {
+	      return ' Check the render method of `' + name + '`.';
+	    }
+	  }
+	  return '';
+	}
+	
+	/**
+	 * Check if the type reference is a known internal type. I.e. not a user
+	 * provided composite type.
+	 *
+	 * @param {function} type
+	 * @return {boolean} Returns true if this is a valid internal type.
+	 */
+	function isInternalComponentType(type) {
+	  return typeof type === 'function' && typeof type.prototype !== 'undefined' && typeof type.prototype.mountComponent === 'function' && typeof type.prototype.receiveComponent === 'function';
+	}
+	
+	/**
+	 * Given a ReactNode, create an instance that will actually be mounted.
+	 *
+	 * @param {ReactNode} node
+	 * @return {object} A new instance of the element's constructor.
+	 * @protected
+	 */
+	function instantiateReactComponent(node) {
+	  var instance;
+	
+	  if (node === null || node === false) {
+	    instance = new ReactEmptyComponent(instantiateReactComponent);
+	  } else if (typeof node === 'object') {
+	    var element = node;
+	    !(element && (typeof element.type === 'function' || typeof element.type === 'string')) ?  true ? invariant(false, 'Element type is invalid: expected a string (for built-in components) ' + 'or a class/function (for composite components) but got: %s.%s', element.type == null ? element.type : typeof element.type, getDeclarationErrorAddendum(element._owner)) : invariant(false) : undefined;
+	
+	    // Special case string values
+	    if (typeof element.type === 'string') {
+	      instance = ReactNativeComponent.createInternalComponent(element);
+	    } else if (isInternalComponentType(element.type)) {
+	      // This is temporarily available for custom components that are not string
+	      // representations. I.e. ART. Once those are updated to use the string
+	      // representation, we can drop this code path.
+	      instance = new element.type(element);
+	    } else {
+	      instance = new ReactCompositeComponentWrapper();
+	    }
+	  } else if (typeof node === 'string' || typeof node === 'number') {
+	    instance = ReactNativeComponent.createInstanceForText(node);
+	  } else {
+	     true ?  true ? invariant(false, 'Encountered invalid React node of type %s', typeof node) : invariant(false) : undefined;
+	  }
+	
+	  if (true) {
+	     true ? warning(typeof instance.construct === 'function' && typeof instance.mountComponent === 'function' && typeof instance.receiveComponent === 'function' && typeof instance.unmountComponent === 'function', 'Only React Components can be mounted.') : undefined;
+	  }
+	
+	  // Sets up the instance. This can probably just move into the constructor now.
+	  instance.construct(node);
+	
+	  // These two fields are used by the DOM and ART diffing algorithms
+	  // respectively. Instead of using expandos on components, we should be
+	  // storing the state needed by the diffing algorithms elsewhere.
+	  instance._mountIndex = 0;
+	  instance._mountImage = null;
+	
+	  if (true) {
+	    instance._isOwnerNecessary = false;
+	    instance._warnedAboutRefsInRender = false;
+	  }
+	
+	  // Internal instances should fully constructed at this point, so they should
+	  // not get any new fields added to them at this point.
+	  if (true) {
+	    if (Object.preventExtensions) {
+	      Object.preventExtensions(instance);
+	    }
+	  }
+	
+	  return instance;
+	}
+	
+	module.exports = instantiateReactComponent;
+
+/***/ },
+/* 79 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactCompositeComponent
+	 */
+	
+	'use strict';
+	
+	var ReactComponentEnvironment = __webpack_require__(80);
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactElement = __webpack_require__(58);
+	var ReactInstanceMap = __webpack_require__(63);
+	var ReactPerf = __webpack_require__(34);
+	var ReactPropTypeLocations = __webpack_require__(81);
+	var ReactPropTypeLocationNames = __webpack_require__(82);
+	var ReactReconciler = __webpack_require__(66);
+	var ReactUpdateQueue = __webpack_require__(69);
+	
+	var assign = __webpack_require__(55);
+	var emptyObject = __webpack_require__(74);
+	var invariant = __webpack_require__(29);
+	var shouldUpdateReactComponent = __webpack_require__(83);
+	var warning = __webpack_require__(41);
+	
+	function getDeclarationErrorAddendum(component) {
+	  var owner = component._currentElement._owner || null;
+	  if (owner) {
+	    var name = owner.getName();
+	    if (name) {
+	      return ' Check the render method of `' + name + '`.';
+	    }
+	  }
+	  return '';
+	}
+	
+	function StatelessComponent(Component) {}
+	StatelessComponent.prototype.render = function () {
+	  var Component = ReactInstanceMap.get(this)._currentElement.type;
+	  return Component(this.props, this.context, this.updater);
+	};
+	
+	/**
+	 * ------------------ The Life-Cycle of a Composite Component ------------------
+	 *
+	 * - constructor: Initialization of state. The instance is now retained.
+	 *   - componentWillMount
+	 *   - render
+	 *   - [children's constructors]
+	 *     - [children's componentWillMount and render]
+	 *     - [children's componentDidMount]
+	 *     - componentDidMount
+	 *
+	 *       Update Phases:
+	 *       - componentWillReceiveProps (only called if parent updated)
+	 *       - shouldComponentUpdate
+	 *         - componentWillUpdate
+	 *           - render
+	 *           - [children's constructors or receive props phases]
+	 *         - componentDidUpdate
+	 *
+	 *     - componentWillUnmount
+	 *     - [children's componentWillUnmount]
+	 *   - [children destroyed]
+	 * - (destroyed): The instance is now blank, released by React and ready for GC.
+	 *
+	 * -----------------------------------------------------------------------------
+	 */
+	
+	/**
+	 * An incrementing ID assigned to each component when it is mounted. This is
+	 * used to enforce the order in which `ReactUpdates` updates dirty components.
+	 *
+	 * @private
+	 */
+	var nextMountID = 1;
+	
+	/**
+	 * @lends {ReactCompositeComponent.prototype}
+	 */
+	var ReactCompositeComponentMixin = {
+	
+	  /**
+	   * Base constructor for all composite component.
+	   *
+	   * @param {ReactElement} element
+	   * @final
+	   * @internal
+	   */
+	  construct: function (element) {
+	    this._currentElement = element;
+	    this._rootNodeID = null;
+	    this._instance = null;
+	
+	    // See ReactUpdateQueue
+	    this._pendingElement = null;
+	    this._pendingStateQueue = null;
+	    this._pendingReplaceState = false;
+	    this._pendingForceUpdate = false;
+	
+	    this._renderedComponent = null;
+	
+	    this._context = null;
+	    this._mountOrder = 0;
+	    this._topLevelWrapper = null;
+	
+	    // See ReactUpdates and ReactUpdateQueue.
+	    this._pendingCallbacks = null;
+	  },
+	
+	  /**
+	   * Initializes the component, renders markup, and registers event listeners.
+	   *
+	   * @param {string} rootID DOM ID of the root node.
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @return {?string} Rendered markup to be inserted into the DOM.
+	   * @final
+	   * @internal
+	   */
+	  mountComponent: function (rootID, transaction, context) {
+	    this._context = context;
+	    this._mountOrder = nextMountID++;
+	    this._rootNodeID = rootID;
+	
+	    var publicProps = this._processProps(this._currentElement.props);
+	    var publicContext = this._processContext(context);
+	
+	    var Component = this._currentElement.type;
+	
+	    // Initialize the public class
+	    var inst;
+	    var renderedElement;
+	
+	    // This is a way to detect if Component is a stateless arrow function
+	    // component, which is not newable. It might not be 100% reliable but is
+	    // something we can do until we start detecting that Component extends
+	    // React.Component. We already assume that typeof Component === 'function'.
+	    var canInstantiate = ('prototype' in Component);
+	
+	    if (canInstantiate) {
+	      if (true) {
+	        ReactCurrentOwner.current = this;
+	        try {
+	          inst = new Component(publicProps, publicContext, ReactUpdateQueue);
+	        } finally {
+	          ReactCurrentOwner.current = null;
+	        }
+	      } else {
+	        inst = new Component(publicProps, publicContext, ReactUpdateQueue);
+	      }
+	    }
+	
+	    if (!canInstantiate || inst === null || inst === false || ReactElement.isValidElement(inst)) {
+	      renderedElement = inst;
+	      inst = new StatelessComponent(Component);
+	    }
+	
+	    if (true) {
+	      // This will throw later in _renderValidatedComponent, but add an early
+	      // warning now to help debugging
+	      if (inst.render == null) {
+	         true ? warning(false, '%s(...): No `render` method found on the returned component ' + 'instance: you may have forgotten to define `render`, returned ' + 'null/false from a stateless component, or tried to render an ' + 'element whose type is a function that isn\'t a React component.', Component.displayName || Component.name || 'Component') : undefined;
+	      } else {
+	        // We support ES6 inheriting from React.Component, the module pattern,
+	        // and stateless components, but not ES6 classes that don't extend
+	         true ? warning(Component.prototype && Component.prototype.isReactComponent || !canInstantiate || !(inst instanceof Component), '%s(...): React component classes must extend React.Component.', Component.displayName || Component.name || 'Component') : undefined;
+	      }
+	    }
+	
+	    // These should be set up in the constructor, but as a convenience for
+	    // simpler class abstractions, we set them up after the fact.
+	    inst.props = publicProps;
+	    inst.context = publicContext;
+	    inst.refs = emptyObject;
+	    inst.updater = ReactUpdateQueue;
+	
+	    this._instance = inst;
+	
+	    // Store a reference from the instance back to the internal representation
+	    ReactInstanceMap.set(inst, this);
+	
+	    if (true) {
+	      // Since plain JS classes are defined without any special initialization
+	      // logic, we can not catch common errors early. Therefore, we have to
+	      // catch them here, at initialization time, instead.
+	       true ? warning(!inst.getInitialState || inst.getInitialState.isReactClassApproved, 'getInitialState was defined on %s, a plain JavaScript class. ' + 'This is only supported for classes created using React.createClass. ' + 'Did you mean to define a state property instead?', this.getName() || 'a component') : undefined;
+	       true ? warning(!inst.getDefaultProps || inst.getDefaultProps.isReactClassApproved, 'getDefaultProps was defined on %s, a plain JavaScript class. ' + 'This is only supported for classes created using React.createClass. ' + 'Use a static property to define defaultProps instead.', this.getName() || 'a component') : undefined;
+	       true ? warning(!inst.propTypes, 'propTypes was defined as an instance property on %s. Use a static ' + 'property to define propTypes instead.', this.getName() || 'a component') : undefined;
+	       true ? warning(!inst.contextTypes, 'contextTypes was defined as an instance property on %s. Use a ' + 'static property to define contextTypes instead.', this.getName() || 'a component') : undefined;
+	       true ? warning(typeof inst.componentShouldUpdate !== 'function', '%s has a method called ' + 'componentShouldUpdate(). Did you mean shouldComponentUpdate()? ' + 'The name is phrased as a question because the function is ' + 'expected to return a value.', this.getName() || 'A component') : undefined;
+	       true ? warning(typeof inst.componentDidUnmount !== 'function', '%s has a method called ' + 'componentDidUnmount(). But there is no such lifecycle method. ' + 'Did you mean componentWillUnmount()?', this.getName() || 'A component') : undefined;
+	       true ? warning(typeof inst.componentWillRecieveProps !== 'function', '%s has a method called ' + 'componentWillRecieveProps(). Did you mean componentWillReceiveProps()?', this.getName() || 'A component') : undefined;
+	    }
+	
+	    var initialState = inst.state;
+	    if (initialState === undefined) {
+	      inst.state = initialState = null;
+	    }
+	    !(typeof initialState === 'object' && !Array.isArray(initialState)) ?  true ? invariant(false, '%s.state: must be set to an object or null', this.getName() || 'ReactCompositeComponent') : invariant(false) : undefined;
+	
+	    this._pendingStateQueue = null;
+	    this._pendingReplaceState = false;
+	    this._pendingForceUpdate = false;
+	
+	    if (inst.componentWillMount) {
+	      inst.componentWillMount();
+	      // When mounting, calls to `setState` by `componentWillMount` will set
+	      // `this._pendingStateQueue` without triggering a re-render.
+	      if (this._pendingStateQueue) {
+	        inst.state = this._processPendingState(inst.props, inst.context);
+	      }
+	    }
+	
+	    // If not a stateless component, we now render
+	    if (renderedElement === undefined) {
+	      renderedElement = this._renderValidatedComponent();
+	    }
+	
+	    this._renderedComponent = this._instantiateReactComponent(renderedElement);
+	
+	    var markup = ReactReconciler.mountComponent(this._renderedComponent, rootID, transaction, this._processChildContext(context));
+	    if (inst.componentDidMount) {
+	      transaction.getReactMountReady().enqueue(inst.componentDidMount, inst);
+	    }
+	
+	    return markup;
+	  },
+	
+	  /**
+	   * Releases any resources allocated by `mountComponent`.
+	   *
+	   * @final
+	   * @internal
+	   */
+	  unmountComponent: function () {
+	    var inst = this._instance;
+	
+	    if (inst.componentWillUnmount) {
+	      inst.componentWillUnmount();
+	    }
+	
+	    ReactReconciler.unmountComponent(this._renderedComponent);
+	    this._renderedComponent = null;
+	    this._instance = null;
+	
+	    // Reset pending fields
+	    // Even if this component is scheduled for another update in ReactUpdates,
+	    // it would still be ignored because these fields are reset.
+	    this._pendingStateQueue = null;
+	    this._pendingReplaceState = false;
+	    this._pendingForceUpdate = false;
+	    this._pendingCallbacks = null;
+	    this._pendingElement = null;
+	
+	    // These fields do not really need to be reset since this object is no
+	    // longer accessible.
+	    this._context = null;
+	    this._rootNodeID = null;
+	    this._topLevelWrapper = null;
+	
+	    // Delete the reference from the instance to this internal representation
+	    // which allow the internals to be properly cleaned up even if the user
+	    // leaks a reference to the public instance.
+	    ReactInstanceMap.remove(inst);
+	
+	    // Some existing components rely on inst.props even after they've been
+	    // destroyed (in event handlers).
+	    // TODO: inst.props = null;
+	    // TODO: inst.state = null;
+	    // TODO: inst.context = null;
+	  },
+	
+	  /**
+	   * Filters the context object to only contain keys specified in
+	   * `contextTypes`
+	   *
+	   * @param {object} context
+	   * @return {?object}
+	   * @private
+	   */
+	  _maskContext: function (context) {
+	    var maskedContext = null;
+	    var Component = this._currentElement.type;
+	    var contextTypes = Component.contextTypes;
+	    if (!contextTypes) {
+	      return emptyObject;
+	    }
+	    maskedContext = {};
+	    for (var contextName in contextTypes) {
+	      maskedContext[contextName] = context[contextName];
+	    }
+	    return maskedContext;
+	  },
+	
+	  /**
+	   * Filters the context object to only contain keys specified in
+	   * `contextTypes`, and asserts that they are valid.
+	   *
+	   * @param {object} context
+	   * @return {?object}
+	   * @private
+	   */
+	  _processContext: function (context) {
+	    var maskedContext = this._maskContext(context);
+	    if (true) {
+	      var Component = this._currentElement.type;
+	      if (Component.contextTypes) {
+	        this._checkPropTypes(Component.contextTypes, maskedContext, ReactPropTypeLocations.context);
+	      }
+	    }
+	    return maskedContext;
+	  },
+	
+	  /**
+	   * @param {object} currentContext
+	   * @return {object}
+	   * @private
+	   */
+	  _processChildContext: function (currentContext) {
+	    var Component = this._currentElement.type;
+	    var inst = this._instance;
+	    var childContext = inst.getChildContext && inst.getChildContext();
+	    if (childContext) {
+	      !(typeof Component.childContextTypes === 'object') ?  true ? invariant(false, '%s.getChildContext(): childContextTypes must be defined in order to ' + 'use getChildContext().', this.getName() || 'ReactCompositeComponent') : invariant(false) : undefined;
+	      if (true) {
+	        this._checkPropTypes(Component.childContextTypes, childContext, ReactPropTypeLocations.childContext);
+	      }
+	      for (var name in childContext) {
+	        !(name in Component.childContextTypes) ?  true ? invariant(false, '%s.getChildContext(): key "%s" is not defined in childContextTypes.', this.getName() || 'ReactCompositeComponent', name) : invariant(false) : undefined;
+	      }
+	      return assign({}, currentContext, childContext);
+	    }
+	    return currentContext;
+	  },
+	
+	  /**
+	   * Processes props by setting default values for unspecified props and
+	   * asserting that the props are valid. Does not mutate its argument; returns
+	   * a new props object with defaults merged in.
+	   *
+	   * @param {object} newProps
+	   * @return {object}
+	   * @private
+	   */
+	  _processProps: function (newProps) {
+	    if (true) {
+	      var Component = this._currentElement.type;
+	      if (Component.propTypes) {
+	        this._checkPropTypes(Component.propTypes, newProps, ReactPropTypeLocations.prop);
+	      }
+	    }
+	    return newProps;
+	  },
+	
+	  /**
+	   * Assert that the props are valid
+	   *
+	   * @param {object} propTypes Map of prop name to a ReactPropType
+	   * @param {object} props
+	   * @param {string} location e.g. "prop", "context", "child context"
+	   * @private
+	   */
+	  _checkPropTypes: function (propTypes, props, location) {
+	    // TODO: Stop validating prop types here and only use the element
+	    // validation.
+	    var componentName = this.getName();
+	    for (var propName in propTypes) {
+	      if (propTypes.hasOwnProperty(propName)) {
+	        var error;
+	        try {
+	          // This is intentionally an invariant that gets caught. It's the same
+	          // behavior as without this statement except with a better message.
+	          !(typeof propTypes[propName] === 'function') ?  true ? invariant(false, '%s: %s type `%s` is invalid; it must be a function, usually ' + 'from React.PropTypes.', componentName || 'React class', ReactPropTypeLocationNames[location], propName) : invariant(false) : undefined;
+	          error = propTypes[propName](props, propName, componentName, location);
+	        } catch (ex) {
+	          error = ex;
+	        }
+	        if (error instanceof Error) {
+	          // We may want to extend this logic for similar errors in
+	          // top-level render calls, so I'm abstracting it away into
+	          // a function to minimize refactoring in the future
+	          var addendum = getDeclarationErrorAddendum(this);
+	
+	          if (location === ReactPropTypeLocations.prop) {
+	            // Preface gives us something to blacklist in warning module
+	             true ? warning(false, 'Failed Composite propType: %s%s', error.message, addendum) : undefined;
+	          } else {
+	             true ? warning(false, 'Failed Context Types: %s%s', error.message, addendum) : undefined;
+	          }
+	        }
+	      }
+	    }
+	  },
+	
+	  receiveComponent: function (nextElement, transaction, nextContext) {
+	    var prevElement = this._currentElement;
+	    var prevContext = this._context;
+	
+	    this._pendingElement = null;
+	
+	    this.updateComponent(transaction, prevElement, nextElement, prevContext, nextContext);
+	  },
+	
+	  /**
+	   * If any of `_pendingElement`, `_pendingStateQueue`, or `_pendingForceUpdate`
+	   * is set, update the component.
+	   *
+	   * @param {ReactReconcileTransaction} transaction
+	   * @internal
+	   */
+	  performUpdateIfNecessary: function (transaction) {
+	    if (this._pendingElement != null) {
+	      ReactReconciler.receiveComponent(this, this._pendingElement || this._currentElement, transaction, this._context);
+	    }
+	
+	    if (this._pendingStateQueue !== null || this._pendingForceUpdate) {
+	      this.updateComponent(transaction, this._currentElement, this._currentElement, this._context, this._context);
+	    }
+	  },
+	
+	  /**
+	   * Perform an update to a mounted component. The componentWillReceiveProps and
+	   * shouldComponentUpdate methods are called, then (assuming the update isn't
+	   * skipped) the remaining update lifecycle methods are called and the DOM
+	   * representation is updated.
+	   *
+	   * By default, this implements React's rendering and reconciliation algorithm.
+	   * Sophisticated clients may wish to override this.
+	   *
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {ReactElement} prevParentElement
+	   * @param {ReactElement} nextParentElement
+	   * @internal
+	   * @overridable
+	   */
+	  updateComponent: function (transaction, prevParentElement, nextParentElement, prevUnmaskedContext, nextUnmaskedContext) {
+	    var inst = this._instance;
+	
+	    var nextContext = this._context === nextUnmaskedContext ? inst.context : this._processContext(nextUnmaskedContext);
+	    var nextProps;
+	
+	    // Distinguish between a props update versus a simple state update
+	    if (prevParentElement === nextParentElement) {
+	      // Skip checking prop types again -- we don't read inst.props to avoid
+	      // warning for DOM component props in this upgrade
+	      nextProps = nextParentElement.props;
+	    } else {
+	      nextProps = this._processProps(nextParentElement.props);
+	      // An update here will schedule an update but immediately set
+	      // _pendingStateQueue which will ensure that any state updates gets
+	      // immediately reconciled instead of waiting for the next batch.
+	
+	      if (inst.componentWillReceiveProps) {
+	        inst.componentWillReceiveProps(nextProps, nextContext);
+	      }
+	    }
+	
+	    var nextState = this._processPendingState(nextProps, nextContext);
+	
+	    var shouldUpdate = this._pendingForceUpdate || !inst.shouldComponentUpdate || inst.shouldComponentUpdate(nextProps, nextState, nextContext);
+	
+	    if (true) {
+	       true ? warning(typeof shouldUpdate !== 'undefined', '%s.shouldComponentUpdate(): Returned undefined instead of a ' + 'boolean value. Make sure to return true or false.', this.getName() || 'ReactCompositeComponent') : undefined;
+	    }
+	
+	    if (shouldUpdate) {
+	      this._pendingForceUpdate = false;
+	      // Will set `this.props`, `this.state` and `this.context`.
+	      this._performComponentUpdate(nextParentElement, nextProps, nextState, nextContext, transaction, nextUnmaskedContext);
+	    } else {
+	      // If it's determined that a component should not update, we still want
+	      // to set props and state but we shortcut the rest of the update.
+	      this._currentElement = nextParentElement;
+	      this._context = nextUnmaskedContext;
+	      inst.props = nextProps;
+	      inst.state = nextState;
+	      inst.context = nextContext;
+	    }
+	  },
+	
+	  _processPendingState: function (props, context) {
+	    var inst = this._instance;
+	    var queue = this._pendingStateQueue;
+	    var replace = this._pendingReplaceState;
+	    this._pendingReplaceState = false;
+	    this._pendingStateQueue = null;
+	
+	    if (!queue) {
+	      return inst.state;
+	    }
+	
+	    if (replace && queue.length === 1) {
+	      return queue[0];
+	    }
+	
+	    var nextState = assign({}, replace ? queue[0] : inst.state);
+	    for (var i = replace ? 1 : 0; i < queue.length; i++) {
+	      var partial = queue[i];
+	      assign(nextState, typeof partial === 'function' ? partial.call(inst, nextState, props, context) : partial);
+	    }
+	
+	    return nextState;
+	  },
+	
+	  /**
+	   * Merges new props and state, notifies delegate methods of update and
+	   * performs update.
+	   *
+	   * @param {ReactElement} nextElement Next element
+	   * @param {object} nextProps Next public object to set as properties.
+	   * @param {?object} nextState Next object to set as state.
+	   * @param {?object} nextContext Next public object to set as context.
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {?object} unmaskedContext
+	   * @private
+	   */
+	  _performComponentUpdate: function (nextElement, nextProps, nextState, nextContext, transaction, unmaskedContext) {
+	    var inst = this._instance;
+	
+	    var hasComponentDidUpdate = Boolean(inst.componentDidUpdate);
+	    var prevProps;
+	    var prevState;
+	    var prevContext;
+	    if (hasComponentDidUpdate) {
+	      prevProps = inst.props;
+	      prevState = inst.state;
+	      prevContext = inst.context;
+	    }
+	
+	    if (inst.componentWillUpdate) {
+	      inst.componentWillUpdate(nextProps, nextState, nextContext);
+	    }
+	
+	    this._currentElement = nextElement;
+	    this._context = unmaskedContext;
+	    inst.props = nextProps;
+	    inst.state = nextState;
+	    inst.context = nextContext;
+	
+	    this._updateRenderedComponent(transaction, unmaskedContext);
+	
+	    if (hasComponentDidUpdate) {
+	      transaction.getReactMountReady().enqueue(inst.componentDidUpdate.bind(inst, prevProps, prevState, prevContext), inst);
+	    }
+	  },
+	
+	  /**
+	   * Call the component's `render` method and update the DOM accordingly.
+	   *
+	   * @param {ReactReconcileTransaction} transaction
+	   * @internal
+	   */
+	  _updateRenderedComponent: function (transaction, context) {
+	    var prevComponentInstance = this._renderedComponent;
+	    var prevRenderedElement = prevComponentInstance._currentElement;
+	    var nextRenderedElement = this._renderValidatedComponent();
+	    if (shouldUpdateReactComponent(prevRenderedElement, nextRenderedElement)) {
+	      ReactReconciler.receiveComponent(prevComponentInstance, nextRenderedElement, transaction, this._processChildContext(context));
+	    } else {
+	      // These two IDs are actually the same! But nothing should rely on that.
+	      var thisID = this._rootNodeID;
+	      var prevComponentID = prevComponentInstance._rootNodeID;
+	      ReactReconciler.unmountComponent(prevComponentInstance);
+	
+	      this._renderedComponent = this._instantiateReactComponent(nextRenderedElement);
+	      var nextMarkup = ReactReconciler.mountComponent(this._renderedComponent, thisID, transaction, this._processChildContext(context));
+	      this._replaceNodeWithMarkupByID(prevComponentID, nextMarkup);
+	    }
+	  },
+	
+	  /**
+	   * @protected
+	   */
+	  _replaceNodeWithMarkupByID: function (prevComponentID, nextMarkup) {
+	    ReactComponentEnvironment.replaceNodeWithMarkupByID(prevComponentID, nextMarkup);
+	  },
+	
+	  /**
+	   * @protected
+	   */
+	  _renderValidatedComponentWithoutOwnerOrContext: function () {
+	    var inst = this._instance;
+	    var renderedComponent = inst.render();
+	    if (true) {
+	      // We allow auto-mocks to proceed as if they're returning null.
+	      if (typeof renderedComponent === 'undefined' && inst.render._isMockFunction) {
+	        // This is probably bad practice. Consider warning here and
+	        // deprecating this convenience.
+	        renderedComponent = null;
+	      }
+	    }
+	
+	    return renderedComponent;
+	  },
+	
+	  /**
+	   * @private
+	   */
+	  _renderValidatedComponent: function () {
+	    var renderedComponent;
+	    ReactCurrentOwner.current = this;
+	    try {
+	      renderedComponent = this._renderValidatedComponentWithoutOwnerOrContext();
+	    } finally {
+	      ReactCurrentOwner.current = null;
+	    }
+	    !(
+	    // TODO: An `isValidNode` function would probably be more appropriate
+	    renderedComponent === null || renderedComponent === false || ReactElement.isValidElement(renderedComponent)) ?  true ? invariant(false, '%s.render(): A valid ReactComponent must be returned. You may have ' + 'returned undefined, an array or some other invalid object.', this.getName() || 'ReactCompositeComponent') : invariant(false) : undefined;
+	    return renderedComponent;
+	  },
+	
+	  /**
+	   * Lazily allocates the refs object and stores `component` as `ref`.
+	   *
+	   * @param {string} ref Reference name.
+	   * @param {component} component Component to store as `ref`.
+	   * @final
+	   * @private
+	   */
+	  attachRef: function (ref, component) {
+	    var inst = this.getPublicInstance();
+	    !(inst != null) ?  true ? invariant(false, 'Stateless function components cannot have refs.') : invariant(false) : undefined;
+	    var publicComponentInstance = component.getPublicInstance();
+	    if (true) {
+	      var componentName = component && component.getName ? component.getName() : 'a component';
+	       true ? warning(publicComponentInstance != null, 'Stateless function components cannot be given refs ' + '(See ref "%s" in %s created by %s). ' + 'Attempts to access this ref will fail.', ref, componentName, this.getName()) : undefined;
+	    }
+	    var refs = inst.refs === emptyObject ? inst.refs = {} : inst.refs;
+	    refs[ref] = publicComponentInstance;
+	  },
+	
+	  /**
+	   * Detaches a reference name.
+	   *
+	   * @param {string} ref Name to dereference.
+	   * @final
+	   * @private
+	   */
+	  detachRef: function (ref) {
+	    var refs = this.getPublicInstance().refs;
+	    delete refs[ref];
+	  },
+	
+	  /**
+	   * Get a text description of the component that can be used to identify it
+	   * in error messages.
+	   * @return {string} The name or null.
+	   * @internal
+	   */
+	  getName: function () {
+	    var type = this._currentElement.type;
+	    var constructor = this._instance && this._instance.constructor;
+	    return type.displayName || constructor && constructor.displayName || type.name || constructor && constructor.name || null;
+	  },
+	
+	  /**
+	   * Get the publicly accessible representation of this component - i.e. what
+	   * is exposed by refs and returned by render. Can be null for stateless
+	   * components.
+	   *
+	   * @return {ReactComponent} the public component instance.
+	   * @internal
+	   */
+	  getPublicInstance: function () {
+	    var inst = this._instance;
+	    if (inst instanceof StatelessComponent) {
+	      return null;
+	    }
+	    return inst;
+	  },
+	
+	  // Stub
+	  _instantiateReactComponent: null
+	
+	};
+	
+	ReactPerf.measureMethods(ReactCompositeComponentMixin, 'ReactCompositeComponent', {
+	  mountComponent: 'mountComponent',
+	  updateComponent: 'updateComponent',
+	  _renderValidatedComponent: '_renderValidatedComponent'
+	});
+	
+	var ReactCompositeComponent = {
+	
+	  Mixin: ReactCompositeComponentMixin
+	
+	};
+	
+	module.exports = ReactCompositeComponent;
+
+/***/ },
+/* 80 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactComponentEnvironment
+	 */
+	
+	'use strict';
+	
+	var invariant = __webpack_require__(29);
+	
+	var injected = false;
+	
+	var ReactComponentEnvironment = {
+	
+	  /**
+	   * Optionally injectable environment dependent cleanup hook. (server vs.
+	   * browser etc). Example: A browser system caches DOM nodes based on component
+	   * ID and must remove that cache entry when this instance is unmounted.
+	   */
+	  unmountIDFromEnvironment: null,
+	
+	  /**
+	   * Optionally injectable hook for swapping out mount images in the middle of
+	   * the tree.
+	   */
+	  replaceNodeWithMarkupByID: null,
+	
+	  /**
+	   * Optionally injectable hook for processing a queue of child updates. Will
+	   * later move into MultiChildComponents.
+	   */
+	  processChildrenUpdates: null,
+	
+	  injection: {
+	    injectEnvironment: function (environment) {
+	      !!injected ?  true ? invariant(false, 'ReactCompositeComponent: injectEnvironment() can only be called once.') : invariant(false) : undefined;
+	      ReactComponentEnvironment.unmountIDFromEnvironment = environment.unmountIDFromEnvironment;
+	      ReactComponentEnvironment.replaceNodeWithMarkupByID = environment.replaceNodeWithMarkupByID;
+	      ReactComponentEnvironment.processChildrenUpdates = environment.processChildrenUpdates;
+	      injected = true;
+	    }
+	  }
+	
+	};
+	
+	module.exports = ReactComponentEnvironment;
+
+/***/ },
+/* 81 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactPropTypeLocations
+	 */
+	
+	'use strict';
+	
+	var keyMirror = __webpack_require__(33);
+	
+	var ReactPropTypeLocations = keyMirror({
+	  prop: null,
+	  context: null,
+	  childContext: null
+	});
+	
+	module.exports = ReactPropTypeLocations;
+
+/***/ },
+/* 82 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactPropTypeLocationNames
+	 */
+	
+	'use strict';
+	
+	var ReactPropTypeLocationNames = {};
+	
+	if (true) {
+	  ReactPropTypeLocationNames = {
+	    prop: 'prop',
+	    context: 'context',
+	    childContext: 'child context'
+	  };
+	}
+	
+	module.exports = ReactPropTypeLocationNames;
+
+/***/ },
+/* 83 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule shouldUpdateReactComponent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Given a `prevElement` and `nextElement`, determines if the existing
+	 * instance should be updated as opposed to being destroyed or replaced by a new
+	 * instance. Both arguments are elements. This ensures that this logic can
+	 * operate on stateless trees without any backing instance.
+	 *
+	 * @param {?object} prevElement
+	 * @param {?object} nextElement
+	 * @return {boolean} True if the existing instance should be updated.
+	 * @protected
+	 */
+	function shouldUpdateReactComponent(prevElement, nextElement) {
+	  var prevEmpty = prevElement === null || prevElement === false;
+	  var nextEmpty = nextElement === null || nextElement === false;
+	  if (prevEmpty || nextEmpty) {
+	    return prevEmpty === nextEmpty;
+	  }
+	
+	  var prevType = typeof prevElement;
+	  var nextType = typeof nextElement;
+	  if (prevType === 'string' || prevType === 'number') {
+	    return nextType === 'string' || nextType === 'number';
+	  } else {
+	    return nextType === 'object' && prevElement.type === nextElement.type && prevElement.key === nextElement.key;
+	  }
+	  return false;
+	}
+	
+	module.exports = shouldUpdateReactComponent;
+
+/***/ },
+/* 84 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactEmptyComponent
+	 */
+	
+	'use strict';
+	
+	var ReactElement = __webpack_require__(58);
+	var ReactEmptyComponentRegistry = __webpack_require__(60);
+	var ReactReconciler = __webpack_require__(66);
+	
+	var assign = __webpack_require__(55);
+	
+	var placeholderElement;
+	
+	var ReactEmptyComponentInjection = {
+	  injectEmptyComponent: function (component) {
+	    placeholderElement = ReactElement.createElement(component);
+	  }
+	};
+	
+	var ReactEmptyComponent = function (instantiate) {
+	  this._currentElement = null;
+	  this._rootNodeID = null;
+	  this._renderedComponent = instantiate(placeholderElement);
+	};
+	assign(ReactEmptyComponent.prototype, {
+	  construct: function (element) {},
+	  mountComponent: function (rootID, transaction, context) {
+	    ReactEmptyComponentRegistry.registerNullComponentID(rootID);
+	    this._rootNodeID = rootID;
+	    return ReactReconciler.mountComponent(this._renderedComponent, rootID, transaction, context);
+	  },
+	  receiveComponent: function () {},
+	  unmountComponent: function (rootID, transaction, context) {
+	    ReactReconciler.unmountComponent(this._renderedComponent);
+	    ReactEmptyComponentRegistry.deregisterNullComponentID(this._rootNodeID);
+	    this._rootNodeID = null;
+	    this._renderedComponent = null;
+	  }
+	});
+	
+	ReactEmptyComponent.injection = ReactEmptyComponentInjection;
+	
+	module.exports = ReactEmptyComponent;
+
+/***/ },
+/* 85 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactNativeComponent
+	 */
+	
+	'use strict';
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	
+	var autoGenerateWrapperClass = null;
+	var genericComponentClass = null;
+	// This registry keeps track of wrapper classes around native tags.
+	var tagToComponentClass = {};
+	var textComponentClass = null;
+	
+	var ReactNativeComponentInjection = {
+	  // This accepts a class that receives the tag string. This is a catch all
+	  // that can render any kind of tag.
+	  injectGenericComponentClass: function (componentClass) {
+	    genericComponentClass = componentClass;
+	  },
+	  // This accepts a text component class that takes the text string to be
+	  // rendered as props.
+	  injectTextComponentClass: function (componentClass) {
+	    textComponentClass = componentClass;
+	  },
+	  // This accepts a keyed object with classes as values. Each key represents a
+	  // tag. That particular tag will use this class instead of the generic one.
+	  injectComponentClasses: function (componentClasses) {
+	    assign(tagToComponentClass, componentClasses);
+	  }
+	};
+	
+	/**
+	 * Get a composite component wrapper class for a specific tag.
+	 *
+	 * @param {ReactElement} element The tag for which to get the class.
+	 * @return {function} The React class constructor function.
+	 */
+	function getComponentClassForElement(element) {
+	  if (typeof element.type === 'function') {
+	    return element.type;
+	  }
+	  var tag = element.type;
+	  var componentClass = tagToComponentClass[tag];
+	  if (componentClass == null) {
+	    tagToComponentClass[tag] = componentClass = autoGenerateWrapperClass(tag);
+	  }
+	  return componentClass;
+	}
+	
+	/**
+	 * Get a native internal component class for a specific tag.
+	 *
+	 * @param {ReactElement} element The element to create.
+	 * @return {function} The internal class constructor function.
+	 */
+	function createInternalComponent(element) {
+	  !genericComponentClass ?  true ? invariant(false, 'There is no registered component for the tag %s', element.type) : invariant(false) : undefined;
+	  return new genericComponentClass(element.type, element.props);
+	}
+	
+	/**
+	 * @param {ReactText} text
+	 * @return {ReactComponent}
+	 */
+	function createInstanceForText(text) {
+	  return new textComponentClass(text);
+	}
+	
+	/**
+	 * @param {ReactComponent} component
+	 * @return {boolean}
+	 */
+	function isTextComponent(component) {
+	  return component instanceof textComponentClass;
+	}
+	
+	var ReactNativeComponent = {
+	  getComponentClassForElement: getComponentClassForElement,
+	  createInternalComponent: createInternalComponent,
+	  createInstanceForText: createInstanceForText,
+	  isTextComponent: isTextComponent,
+	  injection: ReactNativeComponentInjection
+	};
+	
+	module.exports = ReactNativeComponent;
+
+/***/ },
+/* 86 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule validateDOMNesting
+	 */
+	
+	'use strict';
+	
+	var assign = __webpack_require__(55);
+	var emptyFunction = __webpack_require__(31);
+	var warning = __webpack_require__(41);
+	
+	var validateDOMNesting = emptyFunction;
+	
+	if (true) {
+	  // This validation code was written based on the HTML5 parsing spec:
+	  // https://html.spec.whatwg.org/multipage/syntax.html#has-an-element-in-scope
+	  //
+	  // Note: this does not catch all invalid nesting, nor does it try to (as it's
+	  // not clear what practical benefit doing so provides); instead, we warn only
+	  // for cases where the parser will give a parse tree differing from what React
+	  // intended. For example, <b><div></div></b> is invalid but we don't warn
+	  // because it still parses correctly; we do warn for other cases like nested
+	  // <p> tags where the beginning of the second element implicitly closes the
+	  // first, causing a confusing mess.
+	
+	  // https://html.spec.whatwg.org/multipage/syntax.html#special
+	  var specialTags = ['address', 'applet', 'area', 'article', 'aside', 'base', 'basefont', 'bgsound', 'blockquote', 'body', 'br', 'button', 'caption', 'center', 'col', 'colgroup', 'dd', 'details', 'dir', 'div', 'dl', 'dt', 'embed', 'fieldset', 'figcaption', 'figure', 'footer', 'form', 'frame', 'frameset', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'head', 'header', 'hgroup', 'hr', 'html', 'iframe', 'img', 'input', 'isindex', 'li', 'link', 'listing', 'main', 'marquee', 'menu', 'menuitem', 'meta', 'nav', 'noembed', 'noframes', 'noscript', 'object', 'ol', 'p', 'param', 'plaintext', 'pre', 'script', 'section', 'select', 'source', 'style', 'summary', 'table', 'tbody', 'td', 'template', 'textarea', 'tfoot', 'th', 'thead', 'title', 'tr', 'track', 'ul', 'wbr', 'xmp'];
+	
+	  // https://html.spec.whatwg.org/multipage/syntax.html#has-an-element-in-scope
+	  var inScopeTags = ['applet', 'caption', 'html', 'table', 'td', 'th', 'marquee', 'object', 'template',
+	
+	  // https://html.spec.whatwg.org/multipage/syntax.html#html-integration-point
+	  // TODO: Distinguish by namespace here -- for <title>, including it here
+	  // errs on the side of fewer warnings
+	  'foreignObject', 'desc', 'title'];
+	
+	  // https://html.spec.whatwg.org/multipage/syntax.html#has-an-element-in-button-scope
+	  var buttonScopeTags = inScopeTags.concat(['button']);
+	
+	  // https://html.spec.whatwg.org/multipage/syntax.html#generate-implied-end-tags
+	  var impliedEndTags = ['dd', 'dt', 'li', 'option', 'optgroup', 'p', 'rp', 'rt'];
+	
+	  var emptyAncestorInfo = {
+	    parentTag: null,
+	
+	    formTag: null,
+	    aTagInScope: null,
+	    buttonTagInScope: null,
+	    nobrTagInScope: null,
+	    pTagInButtonScope: null,
+	
+	    listItemTagAutoclosing: null,
+	    dlItemTagAutoclosing: null
+	  };
+	
+	  var updatedAncestorInfo = function (oldInfo, tag, instance) {
+	    var ancestorInfo = assign({}, oldInfo || emptyAncestorInfo);
+	    var info = { tag: tag, instance: instance };
+	
+	    if (inScopeTags.indexOf(tag) !== -1) {
+	      ancestorInfo.aTagInScope = null;
+	      ancestorInfo.buttonTagInScope = null;
+	      ancestorInfo.nobrTagInScope = null;
+	    }
+	    if (buttonScopeTags.indexOf(tag) !== -1) {
+	      ancestorInfo.pTagInButtonScope = null;
+	    }
+	
+	    // See rules for 'li', 'dd', 'dt' start tags in
+	    // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inbody
+	    if (specialTags.indexOf(tag) !== -1 && tag !== 'address' && tag !== 'div' && tag !== 'p') {
+	      ancestorInfo.listItemTagAutoclosing = null;
+	      ancestorInfo.dlItemTagAutoclosing = null;
+	    }
+	
+	    ancestorInfo.parentTag = info;
+	
+	    if (tag === 'form') {
+	      ancestorInfo.formTag = info;
+	    }
+	    if (tag === 'a') {
+	      ancestorInfo.aTagInScope = info;
+	    }
+	    if (tag === 'button') {
+	      ancestorInfo.buttonTagInScope = info;
+	    }
+	    if (tag === 'nobr') {
+	      ancestorInfo.nobrTagInScope = info;
+	    }
+	    if (tag === 'p') {
+	      ancestorInfo.pTagInButtonScope = info;
+	    }
+	    if (tag === 'li') {
+	      ancestorInfo.listItemTagAutoclosing = info;
+	    }
+	    if (tag === 'dd' || tag === 'dt') {
+	      ancestorInfo.dlItemTagAutoclosing = info;
+	    }
+	
+	    return ancestorInfo;
+	  };
+	
+	  /**
+	   * Returns whether
+	   */
+	  var isTagValidWithParent = function (tag, parentTag) {
+	    // First, let's check if we're in an unusual parsing mode...
+	    switch (parentTag) {
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inselect
+	      case 'select':
+	        return tag === 'option' || tag === 'optgroup' || tag === '#text';
+	      case 'optgroup':
+	        return tag === 'option' || tag === '#text';
+	      // Strictly speaking, seeing an <option> doesn't mean we're in a <select>
+	      // but
+	      case 'option':
+	        return tag === '#text';
+	
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intd
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-incaption
+	      // No special behavior since these rules fall back to "in body" mode for
+	      // all except special table nodes which cause bad parsing behavior anyway.
+	
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intr
+	      case 'tr':
+	        return tag === 'th' || tag === 'td' || tag === 'style' || tag === 'script' || tag === 'template';
+	
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intbody
+	      case 'tbody':
+	      case 'thead':
+	      case 'tfoot':
+	        return tag === 'tr' || tag === 'style' || tag === 'script' || tag === 'template';
+	
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-incolgroup
+	      case 'colgroup':
+	        return tag === 'col' || tag === 'template';
+	
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intable
+	      case 'table':
+	        return tag === 'caption' || tag === 'colgroup' || tag === 'tbody' || tag === 'tfoot' || tag === 'thead' || tag === 'style' || tag === 'script' || tag === 'template';
+	
+	      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inhead
+	      case 'head':
+	        return tag === 'base' || tag === 'basefont' || tag === 'bgsound' || tag === 'link' || tag === 'meta' || tag === 'title' || tag === 'noscript' || tag === 'noframes' || tag === 'style' || tag === 'script' || tag === 'template';
+	
+	      // https://html.spec.whatwg.org/multipage/semantics.html#the-html-element
+	      case 'html':
+	        return tag === 'head' || tag === 'body';
+	    }
+	
+	    // Probably in the "in body" parsing mode, so we outlaw only tag combos
+	    // where the parsing rules cause implicit opens or closes to be added.
+	    // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inbody
+	    switch (tag) {
+	      case 'h1':
+	      case 'h2':
+	      case 'h3':
+	      case 'h4':
+	      case 'h5':
+	      case 'h6':
+	        return parentTag !== 'h1' && parentTag !== 'h2' && parentTag !== 'h3' && parentTag !== 'h4' && parentTag !== 'h5' && parentTag !== 'h6';
+	
+	      case 'rp':
+	      case 'rt':
+	        return impliedEndTags.indexOf(parentTag) === -1;
+	
+	      case 'caption':
+	      case 'col':
+	      case 'colgroup':
+	      case 'frame':
+	      case 'head':
+	      case 'tbody':
+	      case 'td':
+	      case 'tfoot':
+	      case 'th':
+	      case 'thead':
+	      case 'tr':
+	        // These tags are only valid with a few parents that have special child
+	        // parsing rules -- if we're down here, then none of those matched and
+	        // so we allow it only if we don't know what the parent is, as all other
+	        // cases are invalid.
+	        return parentTag == null;
+	    }
+	
+	    return true;
+	  };
+	
+	  /**
+	   * Returns whether
+	   */
+	  var findInvalidAncestorForTag = function (tag, ancestorInfo) {
+	    switch (tag) {
+	      case 'address':
+	      case 'article':
+	      case 'aside':
+	      case 'blockquote':
+	      case 'center':
+	      case 'details':
+	      case 'dialog':
+	      case 'dir':
+	      case 'div':
+	      case 'dl':
+	      case 'fieldset':
+	      case 'figcaption':
+	      case 'figure':
+	      case 'footer':
+	      case 'header':
+	      case 'hgroup':
+	      case 'main':
+	      case 'menu':
+	      case 'nav':
+	      case 'ol':
+	      case 'p':
+	      case 'section':
+	      case 'summary':
+	      case 'ul':
+	
+	      case 'pre':
+	      case 'listing':
+	
+	      case 'table':
+	
+	      case 'hr':
+	
+	      case 'xmp':
+	
+	      case 'h1':
+	      case 'h2':
+	      case 'h3':
+	      case 'h4':
+	      case 'h5':
+	      case 'h6':
+	        return ancestorInfo.pTagInButtonScope;
+	
+	      case 'form':
+	        return ancestorInfo.formTag || ancestorInfo.pTagInButtonScope;
+	
+	      case 'li':
+	        return ancestorInfo.listItemTagAutoclosing;
+	
+	      case 'dd':
+	      case 'dt':
+	        return ancestorInfo.dlItemTagAutoclosing;
+	
+	      case 'button':
+	        return ancestorInfo.buttonTagInScope;
+	
+	      case 'a':
+	        // Spec says something about storing a list of markers, but it sounds
+	        // equivalent to this check.
+	        return ancestorInfo.aTagInScope;
+	
+	      case 'nobr':
+	        return ancestorInfo.nobrTagInScope;
+	    }
+	
+	    return null;
+	  };
+	
+	  /**
+	   * Given a ReactCompositeComponent instance, return a list of its recursive
+	   * owners, starting at the root and ending with the instance itself.
+	   */
+	  var findOwnerStack = function (instance) {
+	    if (!instance) {
+	      return [];
+	    }
+	
+	    var stack = [];
+	    /*eslint-disable space-after-keywords */
+	    do {
+	      /*eslint-enable space-after-keywords */
+	      stack.push(instance);
+	    } while (instance = instance._currentElement._owner);
+	    stack.reverse();
+	    return stack;
+	  };
+	
+	  var didWarn = {};
+	
+	  validateDOMNesting = function (childTag, childInstance, ancestorInfo) {
+	    ancestorInfo = ancestorInfo || emptyAncestorInfo;
+	    var parentInfo = ancestorInfo.parentTag;
+	    var parentTag = parentInfo && parentInfo.tag;
+	
+	    var invalidParent = isTagValidWithParent(childTag, parentTag) ? null : parentInfo;
+	    var invalidAncestor = invalidParent ? null : findInvalidAncestorForTag(childTag, ancestorInfo);
+	    var problematic = invalidParent || invalidAncestor;
+	
+	    if (problematic) {
+	      var ancestorTag = problematic.tag;
+	      var ancestorInstance = problematic.instance;
+	
+	      var childOwner = childInstance && childInstance._currentElement._owner;
+	      var ancestorOwner = ancestorInstance && ancestorInstance._currentElement._owner;
+	
+	      var childOwners = findOwnerStack(childOwner);
+	      var ancestorOwners = findOwnerStack(ancestorOwner);
+	
+	      var minStackLen = Math.min(childOwners.length, ancestorOwners.length);
+	      var i;
+	
+	      var deepestCommon = -1;
+	      for (i = 0; i < minStackLen; i++) {
+	        if (childOwners[i] === ancestorOwners[i]) {
+	          deepestCommon = i;
+	        } else {
+	          break;
+	        }
+	      }
+	
+	      var UNKNOWN = '(unknown)';
+	      var childOwnerNames = childOwners.slice(deepestCommon + 1).map(function (inst) {
+	        return inst.getName() || UNKNOWN;
+	      });
+	      var ancestorOwnerNames = ancestorOwners.slice(deepestCommon + 1).map(function (inst) {
+	        return inst.getName() || UNKNOWN;
+	      });
+	      var ownerInfo = [].concat(
+	      // If the parent and child instances have a common owner ancestor, start
+	      // with that -- otherwise we just start with the parent's owners.
+	      deepestCommon !== -1 ? childOwners[deepestCommon].getName() || UNKNOWN : [], ancestorOwnerNames, ancestorTag,
+	      // If we're warning about an invalid (non-parent) ancestry, add '...'
+	      invalidAncestor ? ['...'] : [], childOwnerNames, childTag).join(' > ');
+	
+	      var warnKey = !!invalidParent + '|' + childTag + '|' + ancestorTag + '|' + ownerInfo;
+	      if (didWarn[warnKey]) {
+	        return;
+	      }
+	      didWarn[warnKey] = true;
+	
+	      if (invalidParent) {
+	        var info = '';
+	        if (ancestorTag === 'table' && childTag === 'tr') {
+	          info += ' Add a <tbody> to your code to match the DOM tree generated by ' + 'the browser.';
+	        }
+	         true ? warning(false, 'validateDOMNesting(...): <%s> cannot appear as a child of <%s>. ' + 'See %s.%s', childTag, ancestorTag, ownerInfo, info) : undefined;
+	      } else {
+	         true ? warning(false, 'validateDOMNesting(...): <%s> cannot appear as a descendant of ' + '<%s>. See %s.', childTag, ancestorTag, ownerInfo) : undefined;
+	      }
+	    }
+	  };
+	
+	  validateDOMNesting.ancestorInfoContextKey = '__validateDOMNesting_ancestorInfo$' + Math.random().toString(36).slice(2);
+	
+	  validateDOMNesting.updatedAncestorInfo = updatedAncestorInfo;
+	
+	  // For testing
+	  validateDOMNesting.isTagValidInContext = function (tag, ancestorInfo) {
+	    ancestorInfo = ancestorInfo || emptyAncestorInfo;
+	    var parentInfo = ancestorInfo.parentTag;
+	    var parentTag = parentInfo && parentInfo.tag;
+	    return isTagValidWithParent(tag, parentTag) && !findInvalidAncestorForTag(tag, ancestorInfo);
+	  };
+	}
+	
+	module.exports = validateDOMNesting;
+
+/***/ },
+/* 87 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDefaultInjection
+	 */
+	
+	'use strict';
+	
+	var BeforeInputEventPlugin = __webpack_require__(88);
+	var ChangeEventPlugin = __webpack_require__(96);
+	var ClientReactRootIndex = __webpack_require__(99);
+	var DefaultEventPluginOrder = __webpack_require__(100);
+	var EnterLeaveEventPlugin = __webpack_require__(101);
+	var ExecutionEnvironment = __webpack_require__(25);
+	var HTMLDOMPropertyConfig = __webpack_require__(105);
+	var ReactBrowserComponentMixin = __webpack_require__(106);
+	var ReactComponentBrowserEnvironment = __webpack_require__(42);
+	var ReactDefaultBatchingStrategy = __webpack_require__(108);
+	var ReactDOMComponent = __webpack_require__(109);
+	var ReactDOMTextComponent = __webpack_require__(22);
+	var ReactEventListener = __webpack_require__(134);
+	var ReactInjection = __webpack_require__(137);
+	var ReactInstanceHandles = __webpack_require__(61);
+	var ReactMount = __webpack_require__(44);
+	var ReactReconcileTransaction = __webpack_require__(141);
+	var SelectEventPlugin = __webpack_require__(146);
+	var ServerReactRootIndex = __webpack_require__(147);
+	var SimpleEventPlugin = __webpack_require__(148);
+	var SVGDOMPropertyConfig = __webpack_require__(157);
+	
+	var alreadyInjected = false;
+	
+	function inject() {
+	  if (alreadyInjected) {
+	    // TODO: This is currently true because these injections are shared between
+	    // the client and the server package. They should be built independently
+	    // and not share any injection state. Then this problem will be solved.
+	    return;
+	  }
+	  alreadyInjected = true;
+	
+	  ReactInjection.EventEmitter.injectReactEventListener(ReactEventListener);
+	
+	  /**
+	   * Inject modules for resolving DOM hierarchy and plugin ordering.
+	   */
+	  ReactInjection.EventPluginHub.injectEventPluginOrder(DefaultEventPluginOrder);
+	  ReactInjection.EventPluginHub.injectInstanceHandle(ReactInstanceHandles);
+	  ReactInjection.EventPluginHub.injectMount(ReactMount);
+	
+	  /**
+	   * Some important event plugins included by default (without having to require
+	   * them).
+	   */
+	  ReactInjection.EventPluginHub.injectEventPluginsByName({
+	    SimpleEventPlugin: SimpleEventPlugin,
+	    EnterLeaveEventPlugin: EnterLeaveEventPlugin,
+	    ChangeEventPlugin: ChangeEventPlugin,
+	    SelectEventPlugin: SelectEventPlugin,
+	    BeforeInputEventPlugin: BeforeInputEventPlugin
+	  });
+	
+	  ReactInjection.NativeComponent.injectGenericComponentClass(ReactDOMComponent);
+	
+	  ReactInjection.NativeComponent.injectTextComponentClass(ReactDOMTextComponent);
+	
+	  ReactInjection.Class.injectMixin(ReactBrowserComponentMixin);
+	
+	  ReactInjection.DOMProperty.injectDOMPropertyConfig(HTMLDOMPropertyConfig);
+	  ReactInjection.DOMProperty.injectDOMPropertyConfig(SVGDOMPropertyConfig);
+	
+	  ReactInjection.EmptyComponent.injectEmptyComponent('noscript');
+	
+	  ReactInjection.Updates.injectReconcileTransaction(ReactReconcileTransaction);
+	  ReactInjection.Updates.injectBatchingStrategy(ReactDefaultBatchingStrategy);
+	
+	  ReactInjection.RootIndex.injectCreateReactRootIndex(ExecutionEnvironment.canUseDOM ? ClientReactRootIndex.createReactRootIndex : ServerReactRootIndex.createReactRootIndex);
+	
+	  ReactInjection.Component.injectEnvironment(ReactComponentBrowserEnvironment);
+	
+	  if (true) {
+	    var url = ExecutionEnvironment.canUseDOM && window.location.href || '';
+	    if (/[?&]react_perf\b/.test(url)) {
+	      var ReactDefaultPerf = __webpack_require__(158);
+	      ReactDefaultPerf.start();
+	    }
+	  }
+	}
+	
+	module.exports = {
+	  inject: inject
+	};
+
+/***/ },
+/* 88 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015 Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule BeforeInputEventPlugin
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventPropagators = __webpack_require__(89);
+	var ExecutionEnvironment = __webpack_require__(25);
+	var FallbackCompositionState = __webpack_require__(90);
+	var SyntheticCompositionEvent = __webpack_require__(92);
+	var SyntheticInputEvent = __webpack_require__(94);
+	
+	var keyOf = __webpack_require__(95);
+	
+	var END_KEYCODES = [9, 13, 27, 32]; // Tab, Return, Esc, Space
+	var START_KEYCODE = 229;
+	
+	var canUseCompositionEvent = ExecutionEnvironment.canUseDOM && 'CompositionEvent' in window;
+	
+	var documentMode = null;
+	if (ExecutionEnvironment.canUseDOM && 'documentMode' in document) {
+	  documentMode = document.documentMode;
+	}
+	
+	// Webkit offers a very useful `textInput` event that can be used to
+	// directly represent `beforeInput`. The IE `textinput` event is not as
+	// useful, so we don't use it.
+	var canUseTextInputEvent = ExecutionEnvironment.canUseDOM && 'TextEvent' in window && !documentMode && !isPresto();
+	
+	// In IE9+, we have access to composition events, but the data supplied
+	// by the native compositionend event may be incorrect. Japanese ideographic
+	// spaces, for instance (\u3000) are not recorded correctly.
+	var useFallbackCompositionData = ExecutionEnvironment.canUseDOM && (!canUseCompositionEvent || documentMode && documentMode > 8 && documentMode <= 11);
+	
+	/**
+	 * Opera <= 12 includes TextEvent in window, but does not fire
+	 * text input events. Rely on keypress instead.
+	 */
+	function isPresto() {
+	  var opera = window.opera;
+	  return typeof opera === 'object' && typeof opera.version === 'function' && parseInt(opera.version(), 10) <= 12;
+	}
+	
+	var SPACEBAR_CODE = 32;
+	var SPACEBAR_CHAR = String.fromCharCode(SPACEBAR_CODE);
+	
+	var topLevelTypes = EventConstants.topLevelTypes;
+	
+	// Events and their corresponding property names.
+	var eventTypes = {
+	  beforeInput: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onBeforeInput: null }),
+	      captured: keyOf({ onBeforeInputCapture: null })
+	    },
+	    dependencies: [topLevelTypes.topCompositionEnd, topLevelTypes.topKeyPress, topLevelTypes.topTextInput, topLevelTypes.topPaste]
+	  },
+	  compositionEnd: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCompositionEnd: null }),
+	      captured: keyOf({ onCompositionEndCapture: null })
+	    },
+	    dependencies: [topLevelTypes.topBlur, topLevelTypes.topCompositionEnd, topLevelTypes.topKeyDown, topLevelTypes.topKeyPress, topLevelTypes.topKeyUp, topLevelTypes.topMouseDown]
+	  },
+	  compositionStart: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCompositionStart: null }),
+	      captured: keyOf({ onCompositionStartCapture: null })
+	    },
+	    dependencies: [topLevelTypes.topBlur, topLevelTypes.topCompositionStart, topLevelTypes.topKeyDown, topLevelTypes.topKeyPress, topLevelTypes.topKeyUp, topLevelTypes.topMouseDown]
+	  },
+	  compositionUpdate: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCompositionUpdate: null }),
+	      captured: keyOf({ onCompositionUpdateCapture: null })
+	    },
+	    dependencies: [topLevelTypes.topBlur, topLevelTypes.topCompositionUpdate, topLevelTypes.topKeyDown, topLevelTypes.topKeyPress, topLevelTypes.topKeyUp, topLevelTypes.topMouseDown]
+	  }
+	};
+	
+	// Track whether we've ever handled a keypress on the space key.
+	var hasSpaceKeypress = false;
+	
+	/**
+	 * Return whether a native keypress event is assumed to be a command.
+	 * This is required because Firefox fires `keypress` events for key commands
+	 * (cut, copy, select-all, etc.) even though no character is inserted.
+	 */
+	function isKeypressCommand(nativeEvent) {
+	  return (nativeEvent.ctrlKey || nativeEvent.altKey || nativeEvent.metaKey) &&
+	  // ctrlKey && altKey is equivalent to AltGr, and is not a command.
+	  !(nativeEvent.ctrlKey && nativeEvent.altKey);
+	}
+	
+	/**
+	 * Translate native top level events into event types.
+	 *
+	 * @param {string} topLevelType
+	 * @return {object}
+	 */
+	function getCompositionEventType(topLevelType) {
+	  switch (topLevelType) {
+	    case topLevelTypes.topCompositionStart:
+	      return eventTypes.compositionStart;
+	    case topLevelTypes.topCompositionEnd:
+	      return eventTypes.compositionEnd;
+	    case topLevelTypes.topCompositionUpdate:
+	      return eventTypes.compositionUpdate;
+	  }
+	}
+	
+	/**
+	 * Does our fallback best-guess model think this event signifies that
+	 * composition has begun?
+	 *
+	 * @param {string} topLevelType
+	 * @param {object} nativeEvent
+	 * @return {boolean}
+	 */
+	function isFallbackCompositionStart(topLevelType, nativeEvent) {
+	  return topLevelType === topLevelTypes.topKeyDown && nativeEvent.keyCode === START_KEYCODE;
+	}
+	
+	/**
+	 * Does our fallback mode think that this event is the end of composition?
+	 *
+	 * @param {string} topLevelType
+	 * @param {object} nativeEvent
+	 * @return {boolean}
+	 */
+	function isFallbackCompositionEnd(topLevelType, nativeEvent) {
+	  switch (topLevelType) {
+	    case topLevelTypes.topKeyUp:
+	      // Command keys insert or clear IME input.
+	      return END_KEYCODES.indexOf(nativeEvent.keyCode) !== -1;
+	    case topLevelTypes.topKeyDown:
+	      // Expect IME keyCode on each keydown. If we get any other
+	      // code we must have exited earlier.
+	      return nativeEvent.keyCode !== START_KEYCODE;
+	    case topLevelTypes.topKeyPress:
+	    case topLevelTypes.topMouseDown:
+	    case topLevelTypes.topBlur:
+	      // Events are not possible without cancelling IME.
+	      return true;
+	    default:
+	      return false;
+	  }
+	}
+	
+	/**
+	 * Google Input Tools provides composition data via a CustomEvent,
+	 * with the `data` property populated in the `detail` object. If this
+	 * is available on the event object, use it. If not, this is a plain
+	 * composition event and we have nothing special to extract.
+	 *
+	 * @param {object} nativeEvent
+	 * @return {?string}
+	 */
+	function getDataFromCustomEvent(nativeEvent) {
+	  var detail = nativeEvent.detail;
+	  if (typeof detail === 'object' && 'data' in detail) {
+	    return detail.data;
+	  }
+	  return null;
+	}
+	
+	// Track the current IME composition fallback object, if any.
+	var currentComposition = null;
+	
+	/**
+	 * @param {string} topLevelType Record from `EventConstants`.
+	 * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	 * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {?object} A SyntheticCompositionEvent.
+	 */
+	function extractCompositionEvent(topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	  var eventType;
+	  var fallbackData;
+	
+	  if (canUseCompositionEvent) {
+	    eventType = getCompositionEventType(topLevelType);
+	  } else if (!currentComposition) {
+	    if (isFallbackCompositionStart(topLevelType, nativeEvent)) {
+	      eventType = eventTypes.compositionStart;
+	    }
+	  } else if (isFallbackCompositionEnd(topLevelType, nativeEvent)) {
+	    eventType = eventTypes.compositionEnd;
+	  }
+	
+	  if (!eventType) {
+	    return null;
+	  }
+	
+	  if (useFallbackCompositionData) {
+	    // The current composition is stored statically and must not be
+	    // overwritten while composition continues.
+	    if (!currentComposition && eventType === eventTypes.compositionStart) {
+	      currentComposition = FallbackCompositionState.getPooled(topLevelTarget);
+	    } else if (eventType === eventTypes.compositionEnd) {
+	      if (currentComposition) {
+	        fallbackData = currentComposition.getData();
+	      }
+	    }
+	  }
+	
+	  var event = SyntheticCompositionEvent.getPooled(eventType, topLevelTargetID, nativeEvent, nativeEventTarget);
+	
+	  if (fallbackData) {
+	    // Inject data generated from fallback path into the synthetic event.
+	    // This matches the property of native CompositionEventInterface.
+	    event.data = fallbackData;
+	  } else {
+	    var customData = getDataFromCustomEvent(nativeEvent);
+	    if (customData !== null) {
+	      event.data = customData;
+	    }
+	  }
+	
+	  EventPropagators.accumulateTwoPhaseDispatches(event);
+	  return event;
+	}
+	
+	/**
+	 * @param {string} topLevelType Record from `EventConstants`.
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {?string} The string corresponding to this `beforeInput` event.
+	 */
+	function getNativeBeforeInputChars(topLevelType, nativeEvent) {
+	  switch (topLevelType) {
+	    case topLevelTypes.topCompositionEnd:
+	      return getDataFromCustomEvent(nativeEvent);
+	    case topLevelTypes.topKeyPress:
+	      /**
+	       * If native `textInput` events are available, our goal is to make
+	       * use of them. However, there is a special case: the spacebar key.
+	       * In Webkit, preventing default on a spacebar `textInput` event
+	       * cancels character insertion, but it *also* causes the browser
+	       * to fall back to its default spacebar behavior of scrolling the
+	       * page.
+	       *
+	       * Tracking at:
+	       * https://code.google.com/p/chromium/issues/detail?id=355103
+	       *
+	       * To avoid this issue, use the keypress event as if no `textInput`
+	       * event is available.
+	       */
+	      var which = nativeEvent.which;
+	      if (which !== SPACEBAR_CODE) {
+	        return null;
+	      }
+	
+	      hasSpaceKeypress = true;
+	      return SPACEBAR_CHAR;
+	
+	    case topLevelTypes.topTextInput:
+	      // Record the characters to be added to the DOM.
+	      var chars = nativeEvent.data;
+	
+	      // If it's a spacebar character, assume that we have already handled
+	      // it at the keypress level and bail immediately. Android Chrome
+	      // doesn't give us keycodes, so we need to blacklist it.
+	      if (chars === SPACEBAR_CHAR && hasSpaceKeypress) {
+	        return null;
+	      }
+	
+	      return chars;
+	
+	    default:
+	      // For other native event types, do nothing.
+	      return null;
+	  }
+	}
+	
+	/**
+	 * For browsers that do not provide the `textInput` event, extract the
+	 * appropriate string to use for SyntheticInputEvent.
+	 *
+	 * @param {string} topLevelType Record from `EventConstants`.
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {?string} The fallback string for this `beforeInput` event.
+	 */
+	function getFallbackBeforeInputChars(topLevelType, nativeEvent) {
+	  // If we are currently composing (IME) and using a fallback to do so,
+	  // try to extract the composed characters from the fallback object.
+	  if (currentComposition) {
+	    if (topLevelType === topLevelTypes.topCompositionEnd || isFallbackCompositionEnd(topLevelType, nativeEvent)) {
+	      var chars = currentComposition.getData();
+	      FallbackCompositionState.release(currentComposition);
+	      currentComposition = null;
+	      return chars;
+	    }
+	    return null;
+	  }
+	
+	  switch (topLevelType) {
+	    case topLevelTypes.topPaste:
+	      // If a paste event occurs after a keypress, throw out the input
+	      // chars. Paste events should not lead to BeforeInput events.
+	      return null;
+	    case topLevelTypes.topKeyPress:
+	      /**
+	       * As of v27, Firefox may fire keypress events even when no character
+	       * will be inserted. A few possibilities:
+	       *
+	       * - `which` is `0`. Arrow keys, Esc key, etc.
+	       *
+	       * - `which` is the pressed key code, but no char is available.
+	       *   Ex: 'AltGr + d` in Polish. There is no modified character for
+	       *   this key combination and no character is inserted into the
+	       *   document, but FF fires the keypress for char code `100` anyway.
+	       *   No `input` event will occur.
+	       *
+	       * - `which` is the pressed key code, but a command combination is
+	       *   being used. Ex: `Cmd+C`. No character is inserted, and no
+	       *   `input` event will occur.
+	       */
+	      if (nativeEvent.which && !isKeypressCommand(nativeEvent)) {
+	        return String.fromCharCode(nativeEvent.which);
+	      }
+	      return null;
+	    case topLevelTypes.topCompositionEnd:
+	      return useFallbackCompositionData ? null : nativeEvent.data;
+	    default:
+	      return null;
+	  }
+	}
+	
+	/**
+	 * Extract a SyntheticInputEvent for `beforeInput`, based on either native
+	 * `textInput` or fallback behavior.
+	 *
+	 * @param {string} topLevelType Record from `EventConstants`.
+	 * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	 * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {?object} A SyntheticInputEvent.
+	 */
+	function extractBeforeInputEvent(topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	  var chars;
+	
+	  if (canUseTextInputEvent) {
+	    chars = getNativeBeforeInputChars(topLevelType, nativeEvent);
+	  } else {
+	    chars = getFallbackBeforeInputChars(topLevelType, nativeEvent);
+	  }
+	
+	  // If no characters are being inserted, no BeforeInput event should
+	  // be fired.
+	  if (!chars) {
+	    return null;
+	  }
+	
+	  var event = SyntheticInputEvent.getPooled(eventTypes.beforeInput, topLevelTargetID, nativeEvent, nativeEventTarget);
+	
+	  event.data = chars;
+	  EventPropagators.accumulateTwoPhaseDispatches(event);
+	  return event;
+	}
+	
+	/**
+	 * Create an `onBeforeInput` event to match
+	 * http://www.w3.org/TR/2013/WD-DOM-Level-3-Events-20131105/#events-inputevents.
+	 *
+	 * This event plugin is based on the native `textInput` event
+	 * available in Chrome, Safari, Opera, and IE. This event fires after
+	 * `onKeyPress` and `onCompositionEnd`, but before `onInput`.
+	 *
+	 * `beforeInput` is spec'd but not implemented in any browsers, and
+	 * the `input` event does not provide any useful information about what has
+	 * actually been added, contrary to the spec. Thus, `textInput` is the best
+	 * available event to identify the characters that have actually been inserted
+	 * into the target node.
+	 *
+	 * This plugin is also responsible for emitting `composition` events, thus
+	 * allowing us to share composition fallback code for both `beforeInput` and
+	 * `composition` event types.
+	 */
+	var BeforeInputEventPlugin = {
+	
+	  eventTypes: eventTypes,
+	
+	  /**
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native browser event.
+	   * @return {*} An accumulation of synthetic events.
+	   * @see {EventPluginHub.extractEvents}
+	   */
+	  extractEvents: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	    return [extractCompositionEvent(topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget), extractBeforeInputEvent(topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget)];
+	  }
+	};
+	
+	module.exports = BeforeInputEventPlugin;
+
+/***/ },
+/* 89 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule EventPropagators
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventPluginHub = __webpack_require__(47);
+	
+	var warning = __webpack_require__(41);
+	
+	var accumulateInto = __webpack_require__(51);
+	var forEachAccumulated = __webpack_require__(52);
+	
+	var PropagationPhases = EventConstants.PropagationPhases;
+	var getListener = EventPluginHub.getListener;
+	
+	/**
+	 * Some event types have a notion of different registration names for different
+	 * "phases" of propagation. This finds listeners by a given phase.
+	 */
+	function listenerAtPhase(id, event, propagationPhase) {
+	  var registrationName = event.dispatchConfig.phasedRegistrationNames[propagationPhase];
+	  return getListener(id, registrationName);
+	}
+	
+	/**
+	 * Tags a `SyntheticEvent` with dispatched listeners. Creating this function
+	 * here, allows us to not have to bind or create functions for each event.
+	 * Mutating the event's members allows us to not have to create a wrapping
+	 * "dispatch" object that pairs the event with the listener.
+	 */
+	function accumulateDirectionalDispatches(domID, upwards, event) {
+	  if (true) {
+	     true ? warning(domID, 'Dispatching id must not be null') : undefined;
+	  }
+	  var phase = upwards ? PropagationPhases.bubbled : PropagationPhases.captured;
+	  var listener = listenerAtPhase(domID, event, phase);
+	  if (listener) {
+	    event._dispatchListeners = accumulateInto(event._dispatchListeners, listener);
+	    event._dispatchIDs = accumulateInto(event._dispatchIDs, domID);
+	  }
+	}
+	
+	/**
+	 * Collect dispatches (must be entirely collected before dispatching - see unit
+	 * tests). Lazily allocate the array to conserve memory.  We must loop through
+	 * each event and perform the traversal for each one. We cannot perform a
+	 * single traversal for the entire collection of events because each event may
+	 * have a different target.
+	 */
+	function accumulateTwoPhaseDispatchesSingle(event) {
+	  if (event && event.dispatchConfig.phasedRegistrationNames) {
+	    EventPluginHub.injection.getInstanceHandle().traverseTwoPhase(event.dispatchMarker, accumulateDirectionalDispatches, event);
+	  }
+	}
+	
+	/**
+	 * Same as `accumulateTwoPhaseDispatchesSingle`, but skips over the targetID.
+	 */
+	function accumulateTwoPhaseDispatchesSingleSkipTarget(event) {
+	  if (event && event.dispatchConfig.phasedRegistrationNames) {
+	    EventPluginHub.injection.getInstanceHandle().traverseTwoPhaseSkipTarget(event.dispatchMarker, accumulateDirectionalDispatches, event);
+	  }
+	}
+	
+	/**
+	 * Accumulates without regard to direction, does not look for phased
+	 * registration names. Same as `accumulateDirectDispatchesSingle` but without
+	 * requiring that the `dispatchMarker` be the same as the dispatched ID.
+	 */
+	function accumulateDispatches(id, ignoredDirection, event) {
+	  if (event && event.dispatchConfig.registrationName) {
+	    var registrationName = event.dispatchConfig.registrationName;
+	    var listener = getListener(id, registrationName);
+	    if (listener) {
+	      event._dispatchListeners = accumulateInto(event._dispatchListeners, listener);
+	      event._dispatchIDs = accumulateInto(event._dispatchIDs, id);
+	    }
+	  }
+	}
+	
+	/**
+	 * Accumulates dispatches on an `SyntheticEvent`, but only for the
+	 * `dispatchMarker`.
+	 * @param {SyntheticEvent} event
+	 */
+	function accumulateDirectDispatchesSingle(event) {
+	  if (event && event.dispatchConfig.registrationName) {
+	    accumulateDispatches(event.dispatchMarker, null, event);
+	  }
+	}
+	
+	function accumulateTwoPhaseDispatches(events) {
+	  forEachAccumulated(events, accumulateTwoPhaseDispatchesSingle);
+	}
+	
+	function accumulateTwoPhaseDispatchesSkipTarget(events) {
+	  forEachAccumulated(events, accumulateTwoPhaseDispatchesSingleSkipTarget);
+	}
+	
+	function accumulateEnterLeaveDispatches(leave, enter, fromID, toID) {
+	  EventPluginHub.injection.getInstanceHandle().traverseEnterLeave(fromID, toID, accumulateDispatches, leave, enter);
+	}
+	
+	function accumulateDirectDispatches(events) {
+	  forEachAccumulated(events, accumulateDirectDispatchesSingle);
+	}
+	
+	/**
+	 * A small set of propagation patterns, each of which will accept a small amount
+	 * of information, and generate a set of "dispatch ready event objects" - which
+	 * are sets of events that have already been annotated with a set of dispatched
+	 * listener functions/ids. The API is designed this way to discourage these
+	 * propagation strategies from actually executing the dispatches, since we
+	 * always want to collect the entire set of dispatches before executing event a
+	 * single one.
+	 *
+	 * @constructor EventPropagators
+	 */
+	var EventPropagators = {
+	  accumulateTwoPhaseDispatches: accumulateTwoPhaseDispatches,
+	  accumulateTwoPhaseDispatchesSkipTarget: accumulateTwoPhaseDispatchesSkipTarget,
+	  accumulateDirectDispatches: accumulateDirectDispatches,
+	  accumulateEnterLeaveDispatches: accumulateEnterLeaveDispatches
+	};
+	
+	module.exports = EventPropagators;
+
+/***/ },
+/* 90 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule FallbackCompositionState
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var PooledClass = __webpack_require__(72);
+	
+	var assign = __webpack_require__(55);
+	var getTextContentAccessor = __webpack_require__(91);
+	
+	/**
+	 * This helper class stores information about text content of a target node,
+	 * allowing comparison of content before and after a given event.
+	 *
+	 * Identify the node where selection currently begins, then observe
+	 * both its text content and its current position in the DOM. Since the
+	 * browser may natively replace the target node during composition, we can
+	 * use its position to find its replacement.
+	 *
+	 * @param {DOMEventTarget} root
+	 */
+	function FallbackCompositionState(root) {
+	  this._root = root;
+	  this._startText = this.getText();
+	  this._fallbackText = null;
+	}
+	
+	assign(FallbackCompositionState.prototype, {
+	  destructor: function () {
+	    this._root = null;
+	    this._startText = null;
+	    this._fallbackText = null;
+	  },
+	
+	  /**
+	   * Get current text of input.
+	   *
+	   * @return {string}
+	   */
+	  getText: function () {
+	    if ('value' in this._root) {
+	      return this._root.value;
+	    }
+	    return this._root[getTextContentAccessor()];
+	  },
+	
+	  /**
+	   * Determine the differing substring between the initially stored
+	   * text content and the current content.
+	   *
+	   * @return {string}
+	   */
+	  getData: function () {
+	    if (this._fallbackText) {
+	      return this._fallbackText;
+	    }
+	
+	    var start;
+	    var startValue = this._startText;
+	    var startLength = startValue.length;
+	    var end;
+	    var endValue = this.getText();
+	    var endLength = endValue.length;
+	
+	    for (start = 0; start < startLength; start++) {
+	      if (startValue[start] !== endValue[start]) {
+	        break;
+	      }
+	    }
+	
+	    var minEnd = startLength - start;
+	    for (end = 1; end <= minEnd; end++) {
+	      if (startValue[startLength - end] !== endValue[endLength - end]) {
+	        break;
+	      }
+	    }
+	
+	    var sliceTail = end > 1 ? 1 - end : undefined;
+	    this._fallbackText = endValue.slice(start, sliceTail);
+	    return this._fallbackText;
+	  }
+	});
+	
+	PooledClass.addPoolingTo(FallbackCompositionState);
+	
+	module.exports = FallbackCompositionState;
+
+/***/ },
+/* 91 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getTextContentAccessor
+	 */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var contentKey = null;
+	
+	/**
+	 * Gets the key used to access text content on a DOM node.
+	 *
+	 * @return {?string} Key used to access text content.
+	 * @internal
+	 */
+	function getTextContentAccessor() {
+	  if (!contentKey && ExecutionEnvironment.canUseDOM) {
+	    // Prefer textContent to innerText because many browsers support both but
+	    // SVG <text> elements don't support innerText even when <div> does.
+	    contentKey = 'textContent' in document.documentElement ? 'textContent' : 'innerText';
+	  }
+	  return contentKey;
+	}
+	
+	module.exports = getTextContentAccessor;
+
+/***/ },
+/* 92 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticCompositionEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticEvent = __webpack_require__(93);
+	
+	/**
+	 * @interface Event
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/#events-compositionevents
+	 */
+	var CompositionEventInterface = {
+	  data: null
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticCompositionEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticEvent.augmentClass(SyntheticCompositionEvent, CompositionEventInterface);
+	
+	module.exports = SyntheticCompositionEvent;
+
+/***/ },
+/* 93 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var PooledClass = __webpack_require__(72);
+	
+	var assign = __webpack_require__(55);
+	var emptyFunction = __webpack_require__(31);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * @interface Event
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var EventInterface = {
+	  type: null,
+	  target: null,
+	  // currentTarget is set when dispatching; no use in copying it here
+	  currentTarget: emptyFunction.thatReturnsNull,
+	  eventPhase: null,
+	  bubbles: null,
+	  cancelable: null,
+	  timeStamp: function (event) {
+	    return event.timeStamp || Date.now();
+	  },
+	  defaultPrevented: null,
+	  isTrusted: null
+	};
+	
+	/**
+	 * Synthetic events are dispatched by event plugins, typically in response to a
+	 * top-level event delegation handler.
+	 *
+	 * These systems should generally use pooling to reduce the frequency of garbage
+	 * collection. The system should check `isPersistent` to determine whether the
+	 * event should be released into the pool after being dispatched. Users that
+	 * need a persisted event should invoke `persist`.
+	 *
+	 * Synthetic events (and subclasses) implement the DOM Level 3 Events API by
+	 * normalizing browser quirks. Subclasses do not necessarily have to implement a
+	 * DOM interface; custom application-specific events can also subclass this.
+	 *
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 */
+	function SyntheticEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  this.dispatchConfig = dispatchConfig;
+	  this.dispatchMarker = dispatchMarker;
+	  this.nativeEvent = nativeEvent;
+	
+	  var Interface = this.constructor.Interface;
+	  for (var propName in Interface) {
+	    if (!Interface.hasOwnProperty(propName)) {
+	      continue;
+	    }
+	    var normalize = Interface[propName];
+	    if (normalize) {
+	      this[propName] = normalize(nativeEvent);
+	    } else {
+	      if (propName === 'target') {
+	        this.target = nativeEventTarget;
+	      } else {
+	        this[propName] = nativeEvent[propName];
+	      }
+	    }
+	  }
+	
+	  var defaultPrevented = nativeEvent.defaultPrevented != null ? nativeEvent.defaultPrevented : nativeEvent.returnValue === false;
+	  if (defaultPrevented) {
+	    this.isDefaultPrevented = emptyFunction.thatReturnsTrue;
+	  } else {
+	    this.isDefaultPrevented = emptyFunction.thatReturnsFalse;
+	  }
+	  this.isPropagationStopped = emptyFunction.thatReturnsFalse;
+	}
+	
+	assign(SyntheticEvent.prototype, {
+	
+	  preventDefault: function () {
+	    this.defaultPrevented = true;
+	    var event = this.nativeEvent;
+	    if (true) {
+	       true ? warning(event, 'This synthetic event is reused for performance reasons. If you\'re ' + 'seeing this, you\'re calling `preventDefault` on a ' + 'released/nullified synthetic event. This is a no-op. See ' + 'https://fb.me/react-event-pooling for more information.') : undefined;
+	    }
+	    if (!event) {
+	      return;
+	    }
+	
+	    if (event.preventDefault) {
+	      event.preventDefault();
+	    } else {
+	      event.returnValue = false;
+	    }
+	    this.isDefaultPrevented = emptyFunction.thatReturnsTrue;
+	  },
+	
+	  stopPropagation: function () {
+	    var event = this.nativeEvent;
+	    if (true) {
+	       true ? warning(event, 'This synthetic event is reused for performance reasons. If you\'re ' + 'seeing this, you\'re calling `stopPropagation` on a ' + 'released/nullified synthetic event. This is a no-op. See ' + 'https://fb.me/react-event-pooling for more information.') : undefined;
+	    }
+	    if (!event) {
+	      return;
+	    }
+	
+	    if (event.stopPropagation) {
+	      event.stopPropagation();
+	    } else {
+	      event.cancelBubble = true;
+	    }
+	    this.isPropagationStopped = emptyFunction.thatReturnsTrue;
+	  },
+	
+	  /**
+	   * We release all dispatched `SyntheticEvent`s after each event loop, adding
+	   * them back into the pool. This allows a way to hold onto a reference that
+	   * won't be added back into the pool.
+	   */
+	  persist: function () {
+	    this.isPersistent = emptyFunction.thatReturnsTrue;
+	  },
+	
+	  /**
+	   * Checks if this event should be released back into the pool.
+	   *
+	   * @return {boolean} True if this should not be released, false otherwise.
+	   */
+	  isPersistent: emptyFunction.thatReturnsFalse,
+	
+	  /**
+	   * `PooledClass` looks for `destructor` on each instance it releases.
+	   */
+	  destructor: function () {
+	    var Interface = this.constructor.Interface;
+	    for (var propName in Interface) {
+	      this[propName] = null;
+	    }
+	    this.dispatchConfig = null;
+	    this.dispatchMarker = null;
+	    this.nativeEvent = null;
+	  }
+	
+	});
+	
+	SyntheticEvent.Interface = EventInterface;
+	
+	/**
+	 * Helper to reduce boilerplate when creating subclasses.
+	 *
+	 * @param {function} Class
+	 * @param {?object} Interface
+	 */
+	SyntheticEvent.augmentClass = function (Class, Interface) {
+	  var Super = this;
+	
+	  var prototype = Object.create(Super.prototype);
+	  assign(prototype, Class.prototype);
+	  Class.prototype = prototype;
+	  Class.prototype.constructor = Class;
+	
+	  Class.Interface = assign({}, Super.Interface, Interface);
+	  Class.augmentClass = Super.augmentClass;
+	
+	  PooledClass.addPoolingTo(Class, PooledClass.fourArgumentPooler);
+	};
+	
+	PooledClass.addPoolingTo(SyntheticEvent, PooledClass.fourArgumentPooler);
+	
+	module.exports = SyntheticEvent;
+
+/***/ },
+/* 94 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticInputEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticEvent = __webpack_require__(93);
+	
+	/**
+	 * @interface Event
+	 * @see http://www.w3.org/TR/2013/WD-DOM-Level-3-Events-20131105
+	 *      /#events-inputevents
+	 */
+	var InputEventInterface = {
+	  data: null
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticInputEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticEvent.augmentClass(SyntheticInputEvent, InputEventInterface);
+	
+	module.exports = SyntheticInputEvent;
+
+/***/ },
+/* 95 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule keyOf
+	 */
+	
+	/**
+	 * Allows extraction of a minified key. Let's the build system minify keys
+	 * without losing the ability to dynamically use key strings as values
+	 * themselves. Pass in an object with a single key/val pair and it will return
+	 * you the string key of that single record. Suppose you want to grab the
+	 * value for a key 'className' inside of an object. Key/val minification may
+	 * have aliased that key to be 'xa12'. keyOf({className: null}) will return
+	 * 'xa12' in that case. Resolve keys you want to use once at startup time, then
+	 * reuse those resolutions.
+	 */
+	"use strict";
+	
+	var keyOf = function (oneKeyObj) {
+	  var key;
+	  for (key in oneKeyObj) {
+	    if (!oneKeyObj.hasOwnProperty(key)) {
+	      continue;
+	    }
+	    return key;
+	  }
+	  return null;
+	};
+	
+	module.exports = keyOf;
+
+/***/ },
+/* 96 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ChangeEventPlugin
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventPluginHub = __webpack_require__(47);
+	var EventPropagators = __webpack_require__(89);
+	var ExecutionEnvironment = __webpack_require__(25);
+	var ReactUpdates = __webpack_require__(70);
+	var SyntheticEvent = __webpack_require__(93);
+	
+	var getEventTarget = __webpack_require__(97);
+	var isEventSupported = __webpack_require__(56);
+	var isTextInputElement = __webpack_require__(98);
+	var keyOf = __webpack_require__(95);
+	
+	var topLevelTypes = EventConstants.topLevelTypes;
+	
+	var eventTypes = {
+	  change: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onChange: null }),
+	      captured: keyOf({ onChangeCapture: null })
+	    },
+	    dependencies: [topLevelTypes.topBlur, topLevelTypes.topChange, topLevelTypes.topClick, topLevelTypes.topFocus, topLevelTypes.topInput, topLevelTypes.topKeyDown, topLevelTypes.topKeyUp, topLevelTypes.topSelectionChange]
+	  }
+	};
+	
+	/**
+	 * For IE shims
+	 */
+	var activeElement = null;
+	var activeElementID = null;
+	var activeElementValue = null;
+	var activeElementValueProp = null;
+	
+	/**
+	 * SECTION: handle `change` event
+	 */
+	function shouldUseChangeEvent(elem) {
+	  var nodeName = elem.nodeName && elem.nodeName.toLowerCase();
+	  return nodeName === 'select' || nodeName === 'input' && elem.type === 'file';
+	}
+	
+	var doesChangeEventBubble = false;
+	if (ExecutionEnvironment.canUseDOM) {
+	  // See `handleChange` comment below
+	  doesChangeEventBubble = isEventSupported('change') && (!('documentMode' in document) || document.documentMode > 8);
+	}
+	
+	function manualDispatchChangeEvent(nativeEvent) {
+	  var event = SyntheticEvent.getPooled(eventTypes.change, activeElementID, nativeEvent, getEventTarget(nativeEvent));
+	  EventPropagators.accumulateTwoPhaseDispatches(event);
+	
+	  // If change and propertychange bubbled, we'd just bind to it like all the
+	  // other events and have it go through ReactBrowserEventEmitter. Since it
+	  // doesn't, we manually listen for the events and so we have to enqueue and
+	  // process the abstract event manually.
+	  //
+	  // Batching is necessary here in order to ensure that all event handlers run
+	  // before the next rerender (including event handlers attached to ancestor
+	  // elements instead of directly on the input). Without this, controlled
+	  // components don't work properly in conjunction with event bubbling because
+	  // the component is rerendered and the value reverted before all the event
+	  // handlers can run. See https://github.com/facebook/react/issues/708.
+	  ReactUpdates.batchedUpdates(runEventInBatch, event);
+	}
+	
+	function runEventInBatch(event) {
+	  EventPluginHub.enqueueEvents(event);
+	  EventPluginHub.processEventQueue(false);
+	}
+	
+	function startWatchingForChangeEventIE8(target, targetID) {
+	  activeElement = target;
+	  activeElementID = targetID;
+	  activeElement.attachEvent('onchange', manualDispatchChangeEvent);
+	}
+	
+	function stopWatchingForChangeEventIE8() {
+	  if (!activeElement) {
+	    return;
+	  }
+	  activeElement.detachEvent('onchange', manualDispatchChangeEvent);
+	  activeElement = null;
+	  activeElementID = null;
+	}
+	
+	function getTargetIDForChangeEvent(topLevelType, topLevelTarget, topLevelTargetID) {
+	  if (topLevelType === topLevelTypes.topChange) {
+	    return topLevelTargetID;
+	  }
+	}
+	function handleEventsForChangeEventIE8(topLevelType, topLevelTarget, topLevelTargetID) {
+	  if (topLevelType === topLevelTypes.topFocus) {
+	    // stopWatching() should be a noop here but we call it just in case we
+	    // missed a blur event somehow.
+	    stopWatchingForChangeEventIE8();
+	    startWatchingForChangeEventIE8(topLevelTarget, topLevelTargetID);
+	  } else if (topLevelType === topLevelTypes.topBlur) {
+	    stopWatchingForChangeEventIE8();
+	  }
+	}
+	
+	/**
+	 * SECTION: handle `input` event
+	 */
+	var isInputEventSupported = false;
+	if (ExecutionEnvironment.canUseDOM) {
+	  // IE9 claims to support the input event but fails to trigger it when
+	  // deleting text, so we ignore its input events
+	  isInputEventSupported = isEventSupported('input') && (!('documentMode' in document) || document.documentMode > 9);
+	}
+	
+	/**
+	 * (For old IE.) Replacement getter/setter for the `value` property that gets
+	 * set on the active element.
+	 */
+	var newValueProp = {
+	  get: function () {
+	    return activeElementValueProp.get.call(this);
+	  },
+	  set: function (val) {
+	    // Cast to a string so we can do equality checks.
+	    activeElementValue = '' + val;
+	    activeElementValueProp.set.call(this, val);
+	  }
+	};
+	
+	/**
+	 * (For old IE.) Starts tracking propertychange events on the passed-in element
+	 * and override the value property so that we can distinguish user events from
+	 * value changes in JS.
+	 */
+	function startWatchingForValueChange(target, targetID) {
+	  activeElement = target;
+	  activeElementID = targetID;
+	  activeElementValue = target.value;
+	  activeElementValueProp = Object.getOwnPropertyDescriptor(target.constructor.prototype, 'value');
+	
+	  // Not guarded in a canDefineProperty check: IE8 supports defineProperty only
+	  // on DOM elements
+	  Object.defineProperty(activeElement, 'value', newValueProp);
+	  activeElement.attachEvent('onpropertychange', handlePropertyChange);
+	}
+	
+	/**
+	 * (For old IE.) Removes the event listeners from the currently-tracked element,
+	 * if any exists.
+	 */
+	function stopWatchingForValueChange() {
+	  if (!activeElement) {
+	    return;
+	  }
+	
+	  // delete restores the original property definition
+	  delete activeElement.value;
+	  activeElement.detachEvent('onpropertychange', handlePropertyChange);
+	
+	  activeElement = null;
+	  activeElementID = null;
+	  activeElementValue = null;
+	  activeElementValueProp = null;
+	}
+	
+	/**
+	 * (For old IE.) Handles a propertychange event, sending a `change` event if
+	 * the value of the active element has changed.
+	 */
+	function handlePropertyChange(nativeEvent) {
+	  if (nativeEvent.propertyName !== 'value') {
+	    return;
+	  }
+	  var value = nativeEvent.srcElement.value;
+	  if (value === activeElementValue) {
+	    return;
+	  }
+	  activeElementValue = value;
+	
+	  manualDispatchChangeEvent(nativeEvent);
+	}
+	
+	/**
+	 * If a `change` event should be fired, returns the target's ID.
+	 */
+	function getTargetIDForInputEvent(topLevelType, topLevelTarget, topLevelTargetID) {
+	  if (topLevelType === topLevelTypes.topInput) {
+	    // In modern browsers (i.e., not IE8 or IE9), the input event is exactly
+	    // what we want so fall through here and trigger an abstract event
+	    return topLevelTargetID;
+	  }
+	}
+	
+	// For IE8 and IE9.
+	function handleEventsForInputEventIE(topLevelType, topLevelTarget, topLevelTargetID) {
+	  if (topLevelType === topLevelTypes.topFocus) {
+	    // In IE8, we can capture almost all .value changes by adding a
+	    // propertychange handler and looking for events with propertyName
+	    // equal to 'value'
+	    // In IE9, propertychange fires for most input events but is buggy and
+	    // doesn't fire when text is deleted, but conveniently, selectionchange
+	    // appears to fire in all of the remaining cases so we catch those and
+	    // forward the event if the value has changed
+	    // In either case, we don't want to call the event handler if the value
+	    // is changed from JS so we redefine a setter for `.value` that updates
+	    // our activeElementValue variable, allowing us to ignore those changes
+	    //
+	    // stopWatching() should be a noop here but we call it just in case we
+	    // missed a blur event somehow.
+	    stopWatchingForValueChange();
+	    startWatchingForValueChange(topLevelTarget, topLevelTargetID);
+	  } else if (topLevelType === topLevelTypes.topBlur) {
+	    stopWatchingForValueChange();
+	  }
+	}
+	
+	// For IE8 and IE9.
+	function getTargetIDForInputEventIE(topLevelType, topLevelTarget, topLevelTargetID) {
+	  if (topLevelType === topLevelTypes.topSelectionChange || topLevelType === topLevelTypes.topKeyUp || topLevelType === topLevelTypes.topKeyDown) {
+	    // On the selectionchange event, the target is just document which isn't
+	    // helpful for us so just check activeElement instead.
+	    //
+	    // 99% of the time, keydown and keyup aren't necessary. IE8 fails to fire
+	    // propertychange on the first input event after setting `value` from a
+	    // script and fires only keydown, keypress, keyup. Catching keyup usually
+	    // gets it and catching keydown lets us fire an event for the first
+	    // keystroke if user does a key repeat (it'll be a little delayed: right
+	    // before the second keystroke). Other input methods (e.g., paste) seem to
+	    // fire selectionchange normally.
+	    if (activeElement && activeElement.value !== activeElementValue) {
+	      activeElementValue = activeElement.value;
+	      return activeElementID;
+	    }
+	  }
+	}
+	
+	/**
+	 * SECTION: handle `click` event
+	 */
+	function shouldUseClickEvent(elem) {
+	  // Use the `click` event to detect changes to checkbox and radio inputs.
+	  // This approach works across all browsers, whereas `change` does not fire
+	  // until `blur` in IE8.
+	  return elem.nodeName && elem.nodeName.toLowerCase() === 'input' && (elem.type === 'checkbox' || elem.type === 'radio');
+	}
+	
+	function getTargetIDForClickEvent(topLevelType, topLevelTarget, topLevelTargetID) {
+	  if (topLevelType === topLevelTypes.topClick) {
+	    return topLevelTargetID;
+	  }
+	}
+	
+	/**
+	 * This plugin creates an `onChange` event that normalizes change events
+	 * across form elements. This event fires at a time when it's possible to
+	 * change the element's value without seeing a flicker.
+	 *
+	 * Supported elements are:
+	 * - input (see `isTextInputElement`)
+	 * - textarea
+	 * - select
+	 */
+	var ChangeEventPlugin = {
+	
+	  eventTypes: eventTypes,
+	
+	  /**
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native browser event.
+	   * @return {*} An accumulation of synthetic events.
+	   * @see {EventPluginHub.extractEvents}
+	   */
+	  extractEvents: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	
+	    var getTargetIDFunc, handleEventFunc;
+	    if (shouldUseChangeEvent(topLevelTarget)) {
+	      if (doesChangeEventBubble) {
+	        getTargetIDFunc = getTargetIDForChangeEvent;
+	      } else {
+	        handleEventFunc = handleEventsForChangeEventIE8;
+	      }
+	    } else if (isTextInputElement(topLevelTarget)) {
+	      if (isInputEventSupported) {
+	        getTargetIDFunc = getTargetIDForInputEvent;
+	      } else {
+	        getTargetIDFunc = getTargetIDForInputEventIE;
+	        handleEventFunc = handleEventsForInputEventIE;
+	      }
+	    } else if (shouldUseClickEvent(topLevelTarget)) {
+	      getTargetIDFunc = getTargetIDForClickEvent;
+	    }
+	
+	    if (getTargetIDFunc) {
+	      var targetID = getTargetIDFunc(topLevelType, topLevelTarget, topLevelTargetID);
+	      if (targetID) {
+	        var event = SyntheticEvent.getPooled(eventTypes.change, targetID, nativeEvent, nativeEventTarget);
+	        event.type = 'change';
+	        EventPropagators.accumulateTwoPhaseDispatches(event);
+	        return event;
+	      }
+	    }
+	
+	    if (handleEventFunc) {
+	      handleEventFunc(topLevelType, topLevelTarget, topLevelTargetID);
+	    }
+	  }
+	
+	};
+	
+	module.exports = ChangeEventPlugin;
+
+/***/ },
+/* 97 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getEventTarget
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Gets the target node from a native browser event by accounting for
+	 * inconsistencies in browser DOM APIs.
+	 *
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {DOMEventTarget} Target node.
+	 */
+	function getEventTarget(nativeEvent) {
+	  var target = nativeEvent.target || nativeEvent.srcElement || window;
+	  // Safari may fire events on text nodes (Node.TEXT_NODE is 3).
+	  // @see http://www.quirksmode.org/js/events_properties.html
+	  return target.nodeType === 3 ? target.parentNode : target;
+	}
+	
+	module.exports = getEventTarget;
+
+/***/ },
+/* 98 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule isTextInputElement
+	 */
+	
+	'use strict';
+	
+	/**
+	 * @see http://www.whatwg.org/specs/web-apps/current-work/multipage/the-input-element.html#input-type-attr-summary
+	 */
+	var supportedInputTypes = {
+	  'color': true,
+	  'date': true,
+	  'datetime': true,
+	  'datetime-local': true,
+	  'email': true,
+	  'month': true,
+	  'number': true,
+	  'password': true,
+	  'range': true,
+	  'search': true,
+	  'tel': true,
+	  'text': true,
+	  'time': true,
+	  'url': true,
+	  'week': true
+	};
+	
+	function isTextInputElement(elem) {
+	  var nodeName = elem && elem.nodeName && elem.nodeName.toLowerCase();
+	  return nodeName && (nodeName === 'input' && supportedInputTypes[elem.type] || nodeName === 'textarea');
+	}
+	
+	module.exports = isTextInputElement;
+
+/***/ },
+/* 99 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ClientReactRootIndex
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var nextReactRootIndex = 0;
+	
+	var ClientReactRootIndex = {
+	  createReactRootIndex: function () {
+	    return nextReactRootIndex++;
+	  }
+	};
+	
+	module.exports = ClientReactRootIndex;
+
+/***/ },
+/* 100 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule DefaultEventPluginOrder
+	 */
+	
+	'use strict';
+	
+	var keyOf = __webpack_require__(95);
+	
+	/**
+	 * Module that is injectable into `EventPluginHub`, that specifies a
+	 * deterministic ordering of `EventPlugin`s. A convenient way to reason about
+	 * plugins, without having to package every one of them. This is better than
+	 * having plugins be ordered in the same order that they are injected because
+	 * that ordering would be influenced by the packaging order.
+	 * `ResponderEventPlugin` must occur before `SimpleEventPlugin` so that
+	 * preventing default on events is convenient in `SimpleEventPlugin` handlers.
+	 */
+	var DefaultEventPluginOrder = [keyOf({ ResponderEventPlugin: null }), keyOf({ SimpleEventPlugin: null }), keyOf({ TapEventPlugin: null }), keyOf({ EnterLeaveEventPlugin: null }), keyOf({ ChangeEventPlugin: null }), keyOf({ SelectEventPlugin: null }), keyOf({ BeforeInputEventPlugin: null })];
+	
+	module.exports = DefaultEventPluginOrder;
+
+/***/ },
+/* 101 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule EnterLeaveEventPlugin
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventPropagators = __webpack_require__(89);
+	var SyntheticMouseEvent = __webpack_require__(102);
+	
+	var ReactMount = __webpack_require__(44);
+	var keyOf = __webpack_require__(95);
+	
+	var topLevelTypes = EventConstants.topLevelTypes;
+	var getFirstReactDOM = ReactMount.getFirstReactDOM;
+	
+	var eventTypes = {
+	  mouseEnter: {
+	    registrationName: keyOf({ onMouseEnter: null }),
+	    dependencies: [topLevelTypes.topMouseOut, topLevelTypes.topMouseOver]
+	  },
+	  mouseLeave: {
+	    registrationName: keyOf({ onMouseLeave: null }),
+	    dependencies: [topLevelTypes.topMouseOut, topLevelTypes.topMouseOver]
+	  }
+	};
+	
+	var extractedEvents = [null, null];
+	
+	var EnterLeaveEventPlugin = {
+	
+	  eventTypes: eventTypes,
+	
+	  /**
+	   * For almost every interaction we care about, there will be both a top-level
+	   * `mouseover` and `mouseout` event that occurs. Only use `mouseout` so that
+	   * we do not extract duplicate events. However, moving the mouse into the
+	   * browser from outside will not fire a `mouseout` event. In this case, we use
+	   * the `mouseover` top-level event.
+	   *
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native browser event.
+	   * @return {*} An accumulation of synthetic events.
+	   * @see {EventPluginHub.extractEvents}
+	   */
+	  extractEvents: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	    if (topLevelType === topLevelTypes.topMouseOver && (nativeEvent.relatedTarget || nativeEvent.fromElement)) {
+	      return null;
+	    }
+	    if (topLevelType !== topLevelTypes.topMouseOut && topLevelType !== topLevelTypes.topMouseOver) {
+	      // Must not be a mouse in or mouse out - ignoring.
+	      return null;
+	    }
+	
+	    var win;
+	    if (topLevelTarget.window === topLevelTarget) {
+	      // `topLevelTarget` is probably a window object.
+	      win = topLevelTarget;
+	    } else {
+	      // TODO: Figure out why `ownerDocument` is sometimes undefined in IE8.
+	      var doc = topLevelTarget.ownerDocument;
+	      if (doc) {
+	        win = doc.defaultView || doc.parentWindow;
+	      } else {
+	        win = window;
+	      }
+	    }
+	
+	    var from;
+	    var to;
+	    var fromID = '';
+	    var toID = '';
+	    if (topLevelType === topLevelTypes.topMouseOut) {
+	      from = topLevelTarget;
+	      fromID = topLevelTargetID;
+	      to = getFirstReactDOM(nativeEvent.relatedTarget || nativeEvent.toElement);
+	      if (to) {
+	        toID = ReactMount.getID(to);
+	      } else {
+	        to = win;
+	      }
+	      to = to || win;
+	    } else {
+	      from = win;
+	      to = topLevelTarget;
+	      toID = topLevelTargetID;
+	    }
+	
+	    if (from === to) {
+	      // Nothing pertains to our managed components.
+	      return null;
+	    }
+	
+	    var leave = SyntheticMouseEvent.getPooled(eventTypes.mouseLeave, fromID, nativeEvent, nativeEventTarget);
+	    leave.type = 'mouseleave';
+	    leave.target = from;
+	    leave.relatedTarget = to;
+	
+	    var enter = SyntheticMouseEvent.getPooled(eventTypes.mouseEnter, toID, nativeEvent, nativeEventTarget);
+	    enter.type = 'mouseenter';
+	    enter.target = to;
+	    enter.relatedTarget = from;
+	
+	    EventPropagators.accumulateEnterLeaveDispatches(leave, enter, fromID, toID);
+	
+	    extractedEvents[0] = leave;
+	    extractedEvents[1] = enter;
+	
+	    return extractedEvents;
+	  }
+	
+	};
+	
+	module.exports = EnterLeaveEventPlugin;
+
+/***/ },
+/* 102 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticMouseEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticUIEvent = __webpack_require__(103);
+	var ViewportMetrics = __webpack_require__(54);
+	
+	var getEventModifierState = __webpack_require__(104);
+	
+	/**
+	 * @interface MouseEvent
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var MouseEventInterface = {
+	  screenX: null,
+	  screenY: null,
+	  clientX: null,
+	  clientY: null,
+	  ctrlKey: null,
+	  shiftKey: null,
+	  altKey: null,
+	  metaKey: null,
+	  getModifierState: getEventModifierState,
+	  button: function (event) {
+	    // Webkit, Firefox, IE9+
+	    // which:  1 2 3
+	    // button: 0 1 2 (standard)
+	    var button = event.button;
+	    if ('which' in event) {
+	      return button;
+	    }
+	    // IE<9
+	    // which:  undefined
+	    // button: 0 0 0
+	    // button: 1 4 2 (onmouseup)
+	    return button === 2 ? 2 : button === 4 ? 1 : 0;
+	  },
+	  buttons: null,
+	  relatedTarget: function (event) {
+	    return event.relatedTarget || (event.fromElement === event.srcElement ? event.toElement : event.fromElement);
+	  },
+	  // "Proprietary" Interface.
+	  pageX: function (event) {
+	    return 'pageX' in event ? event.pageX : event.clientX + ViewportMetrics.currentScrollLeft;
+	  },
+	  pageY: function (event) {
+	    return 'pageY' in event ? event.pageY : event.clientY + ViewportMetrics.currentScrollTop;
+	  }
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticMouseEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticUIEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticUIEvent.augmentClass(SyntheticMouseEvent, MouseEventInterface);
+	
+	module.exports = SyntheticMouseEvent;
+
+/***/ },
+/* 103 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticUIEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticEvent = __webpack_require__(93);
+	
+	var getEventTarget = __webpack_require__(97);
+	
+	/**
+	 * @interface UIEvent
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var UIEventInterface = {
+	  view: function (event) {
+	    if (event.view) {
+	      return event.view;
+	    }
+	
+	    var target = getEventTarget(event);
+	    if (target != null && target.window === target) {
+	      // target is a window object
+	      return target;
+	    }
+	
+	    var doc = target.ownerDocument;
+	    // TODO: Figure out why `ownerDocument` is sometimes undefined in IE8.
+	    if (doc) {
+	      return doc.defaultView || doc.parentWindow;
+	    } else {
+	      return window;
+	    }
+	  },
+	  detail: function (event) {
+	    return event.detail || 0;
+	  }
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticEvent}
+	 */
+	function SyntheticUIEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticEvent.augmentClass(SyntheticUIEvent, UIEventInterface);
+	
+	module.exports = SyntheticUIEvent;
+
+/***/ },
+/* 104 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getEventModifierState
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Translation from modifier key to the associated property in the event.
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/#keys-Modifiers
+	 */
+	
+	var modifierKeyToProp = {
+	  'Alt': 'altKey',
+	  'Control': 'ctrlKey',
+	  'Meta': 'metaKey',
+	  'Shift': 'shiftKey'
+	};
+	
+	// IE8 does not implement getModifierState so we simply map it to the only
+	// modifier keys exposed by the event itself, does not support Lock-keys.
+	// Currently, all major browsers except Chrome seems to support Lock-keys.
+	function modifierStateGetter(keyArg) {
+	  var syntheticEvent = this;
+	  var nativeEvent = syntheticEvent.nativeEvent;
+	  if (nativeEvent.getModifierState) {
+	    return nativeEvent.getModifierState(keyArg);
+	  }
+	  var keyProp = modifierKeyToProp[keyArg];
+	  return keyProp ? !!nativeEvent[keyProp] : false;
+	}
+	
+	function getEventModifierState(nativeEvent) {
+	  return modifierStateGetter;
+	}
+	
+	module.exports = getEventModifierState;
+
+/***/ },
+/* 105 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule HTMLDOMPropertyConfig
+	 */
+	
+	'use strict';
+	
+	var DOMProperty = __webpack_require__(39);
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var MUST_USE_ATTRIBUTE = DOMProperty.injection.MUST_USE_ATTRIBUTE;
+	var MUST_USE_PROPERTY = DOMProperty.injection.MUST_USE_PROPERTY;
+	var HAS_BOOLEAN_VALUE = DOMProperty.injection.HAS_BOOLEAN_VALUE;
+	var HAS_SIDE_EFFECTS = DOMProperty.injection.HAS_SIDE_EFFECTS;
+	var HAS_NUMERIC_VALUE = DOMProperty.injection.HAS_NUMERIC_VALUE;
+	var HAS_POSITIVE_NUMERIC_VALUE = DOMProperty.injection.HAS_POSITIVE_NUMERIC_VALUE;
+	var HAS_OVERLOADED_BOOLEAN_VALUE = DOMProperty.injection.HAS_OVERLOADED_BOOLEAN_VALUE;
+	
+	var hasSVG;
+	if (ExecutionEnvironment.canUseDOM) {
+	  var implementation = document.implementation;
+	  hasSVG = implementation && implementation.hasFeature && implementation.hasFeature('http://www.w3.org/TR/SVG11/feature#BasicStructure', '1.1');
+	}
+	
+	var HTMLDOMPropertyConfig = {
+	  isCustomAttribute: RegExp.prototype.test.bind(/^(data|aria)-[a-z_][a-z\d_.\-]*$/),
+	  Properties: {
+	    /**
+	     * Standard Properties
+	     */
+	    accept: null,
+	    acceptCharset: null,
+	    accessKey: null,
+	    action: null,
+	    allowFullScreen: MUST_USE_ATTRIBUTE | HAS_BOOLEAN_VALUE,
+	    allowTransparency: MUST_USE_ATTRIBUTE,
+	    alt: null,
+	    async: HAS_BOOLEAN_VALUE,
+	    autoComplete: null,
+	    // autoFocus is polyfilled/normalized by AutoFocusUtils
+	    // autoFocus: HAS_BOOLEAN_VALUE,
+	    autoPlay: HAS_BOOLEAN_VALUE,
+	    capture: MUST_USE_ATTRIBUTE | HAS_BOOLEAN_VALUE,
+	    cellPadding: null,
+	    cellSpacing: null,
+	    charSet: MUST_USE_ATTRIBUTE,
+	    challenge: MUST_USE_ATTRIBUTE,
+	    checked: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    classID: MUST_USE_ATTRIBUTE,
+	    // To set className on SVG elements, it's necessary to use .setAttribute;
+	    // this works on HTML elements too in all browsers except IE8. Conveniently,
+	    // IE8 doesn't support SVG and so we can simply use the attribute in
+	    // browsers that support SVG and the property in browsers that don't,
+	    // regardless of whether the element is HTML or SVG.
+	    className: hasSVG ? MUST_USE_ATTRIBUTE : MUST_USE_PROPERTY,
+	    cols: MUST_USE_ATTRIBUTE | HAS_POSITIVE_NUMERIC_VALUE,
+	    colSpan: null,
+	    content: null,
+	    contentEditable: null,
+	    contextMenu: MUST_USE_ATTRIBUTE,
+	    controls: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    coords: null,
+	    crossOrigin: null,
+	    data: null, // For `<object />` acts as `src`.
+	    dateTime: MUST_USE_ATTRIBUTE,
+	    'default': HAS_BOOLEAN_VALUE,
+	    defer: HAS_BOOLEAN_VALUE,
+	    dir: null,
+	    disabled: MUST_USE_ATTRIBUTE | HAS_BOOLEAN_VALUE,
+	    download: HAS_OVERLOADED_BOOLEAN_VALUE,
+	    draggable: null,
+	    encType: null,
+	    form: MUST_USE_ATTRIBUTE,
+	    formAction: MUST_USE_ATTRIBUTE,
+	    formEncType: MUST_USE_ATTRIBUTE,
+	    formMethod: MUST_USE_ATTRIBUTE,
+	    formNoValidate: HAS_BOOLEAN_VALUE,
+	    formTarget: MUST_USE_ATTRIBUTE,
+	    frameBorder: MUST_USE_ATTRIBUTE,
+	    headers: null,
+	    height: MUST_USE_ATTRIBUTE,
+	    hidden: MUST_USE_ATTRIBUTE | HAS_BOOLEAN_VALUE,
+	    high: null,
+	    href: null,
+	    hrefLang: null,
+	    htmlFor: null,
+	    httpEquiv: null,
+	    icon: null,
+	    id: MUST_USE_PROPERTY,
+	    inputMode: MUST_USE_ATTRIBUTE,
+	    integrity: null,
+	    is: MUST_USE_ATTRIBUTE,
+	    keyParams: MUST_USE_ATTRIBUTE,
+	    keyType: MUST_USE_ATTRIBUTE,
+	    kind: null,
+	    label: null,
+	    lang: null,
+	    list: MUST_USE_ATTRIBUTE,
+	    loop: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    low: null,
+	    manifest: MUST_USE_ATTRIBUTE,
+	    marginHeight: null,
+	    marginWidth: null,
+	    max: null,
+	    maxLength: MUST_USE_ATTRIBUTE,
+	    media: MUST_USE_ATTRIBUTE,
+	    mediaGroup: null,
+	    method: null,
+	    min: null,
+	    minLength: MUST_USE_ATTRIBUTE,
+	    multiple: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    muted: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    name: null,
+	    nonce: MUST_USE_ATTRIBUTE,
+	    noValidate: HAS_BOOLEAN_VALUE,
+	    open: HAS_BOOLEAN_VALUE,
+	    optimum: null,
+	    pattern: null,
+	    placeholder: null,
+	    poster: null,
+	    preload: null,
+	    radioGroup: null,
+	    readOnly: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    rel: null,
+	    required: HAS_BOOLEAN_VALUE,
+	    reversed: HAS_BOOLEAN_VALUE,
+	    role: MUST_USE_ATTRIBUTE,
+	    rows: MUST_USE_ATTRIBUTE | HAS_POSITIVE_NUMERIC_VALUE,
+	    rowSpan: null,
+	    sandbox: null,
+	    scope: null,
+	    scoped: HAS_BOOLEAN_VALUE,
+	    scrolling: null,
+	    seamless: MUST_USE_ATTRIBUTE | HAS_BOOLEAN_VALUE,
+	    selected: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,
+	    shape: null,
+	    size: MUST_USE_ATTRIBUTE | HAS_POSITIVE_NUMERIC_VALUE,
+	    sizes: MUST_USE_ATTRIBUTE,
+	    span: HAS_POSITIVE_NUMERIC_VALUE,
+	    spellCheck: null,
+	    src: null,
+	    srcDoc: MUST_USE_PROPERTY,
+	    srcLang: null,
+	    srcSet: MUST_USE_ATTRIBUTE,
+	    start: HAS_NUMERIC_VALUE,
+	    step: null,
+	    style: null,
+	    summary: null,
+	    tabIndex: null,
+	    target: null,
+	    title: null,
+	    type: null,
+	    useMap: null,
+	    value: MUST_USE_PROPERTY | HAS_SIDE_EFFECTS,
+	    width: MUST_USE_ATTRIBUTE,
+	    wmode: MUST_USE_ATTRIBUTE,
+	    wrap: null,
+	
+	    /**
+	     * RDFa Properties
+	     */
+	    about: MUST_USE_ATTRIBUTE,
+	    datatype: MUST_USE_ATTRIBUTE,
+	    inlist: MUST_USE_ATTRIBUTE,
+	    prefix: MUST_USE_ATTRIBUTE,
+	    // property is also supported for OpenGraph in meta tags.
+	    property: MUST_USE_ATTRIBUTE,
+	    resource: MUST_USE_ATTRIBUTE,
+	    'typeof': MUST_USE_ATTRIBUTE,
+	    vocab: MUST_USE_ATTRIBUTE,
+	
+	    /**
+	     * Non-standard Properties
+	     */
+	    // autoCapitalize and autoCorrect are supported in Mobile Safari for
+	    // keyboard hints.
+	    autoCapitalize: MUST_USE_ATTRIBUTE,
+	    autoCorrect: MUST_USE_ATTRIBUTE,
+	    // autoSave allows WebKit/Blink to persist values of input fields on page reloads
+	    autoSave: null,
+	    // color is for Safari mask-icon link
+	    color: null,
+	    // itemProp, itemScope, itemType are for
+	    // Microdata support. See http://schema.org/docs/gs.html
+	    itemProp: MUST_USE_ATTRIBUTE,
+	    itemScope: MUST_USE_ATTRIBUTE | HAS_BOOLEAN_VALUE,
+	    itemType: MUST_USE_ATTRIBUTE,
+	    // itemID and itemRef are for Microdata support as well but
+	    // only specified in the the WHATWG spec document. See
+	    // https://html.spec.whatwg.org/multipage/microdata.html#microdata-dom-api
+	    itemID: MUST_USE_ATTRIBUTE,
+	    itemRef: MUST_USE_ATTRIBUTE,
+	    // results show looking glass icon and recent searches on input
+	    // search fields in WebKit/Blink
+	    results: null,
+	    // IE-only attribute that specifies security restrictions on an iframe
+	    // as an alternative to the sandbox attribute on IE<10
+	    security: MUST_USE_ATTRIBUTE,
+	    // IE-only attribute that controls focus behavior
+	    unselectable: MUST_USE_ATTRIBUTE
+	  },
+	  DOMAttributeNames: {
+	    acceptCharset: 'accept-charset',
+	    className: 'class',
+	    htmlFor: 'for',
+	    httpEquiv: 'http-equiv'
+	  },
+	  DOMPropertyNames: {
+	    autoComplete: 'autocomplete',
+	    autoFocus: 'autofocus',
+	    autoPlay: 'autoplay',
+	    autoSave: 'autosave',
+	    // `encoding` is equivalent to `enctype`, IE8 lacks an `enctype` setter.
+	    // http://www.w3.org/TR/html5/forms.html#dom-fs-encoding
+	    encType: 'encoding',
+	    hrefLang: 'hreflang',
+	    radioGroup: 'radiogroup',
+	    spellCheck: 'spellcheck',
+	    srcDoc: 'srcdoc',
+	    srcSet: 'srcset'
+	  }
+	};
+	
+	module.exports = HTMLDOMPropertyConfig;
+
+/***/ },
+/* 106 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactBrowserComponentMixin
+	 */
+	
+	'use strict';
+	
+	var ReactInstanceMap = __webpack_require__(63);
+	
+	var findDOMNode = __webpack_require__(107);
+	var warning = __webpack_require__(41);
+	
+	var didWarnKey = '_getDOMNodeDidWarn';
+	
+	var ReactBrowserComponentMixin = {
+	  /**
+	   * Returns the DOM node rendered by this component.
+	   *
+	   * @return {DOMElement} The root node of this component.
+	   * @final
+	   * @protected
+	   */
+	  getDOMNode: function () {
+	     true ? warning(this.constructor[didWarnKey], '%s.getDOMNode(...) is deprecated. Please use ' + 'ReactDOM.findDOMNode(instance) instead.', ReactInstanceMap.get(this).getName() || this.tagName || 'Unknown') : undefined;
+	    this.constructor[didWarnKey] = true;
+	    return findDOMNode(this);
+	  }
+	};
+	
+	module.exports = ReactBrowserComponentMixin;
+
+/***/ },
+/* 107 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule findDOMNode
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactInstanceMap = __webpack_require__(63);
+	var ReactMount = __webpack_require__(44);
+	
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * Returns the DOM node rendered by this element.
+	 *
+	 * @param {ReactComponent|DOMElement} componentOrElement
+	 * @return {?DOMElement} The root node of this element.
+	 */
+	function findDOMNode(componentOrElement) {
+	  if (true) {
+	    var owner = ReactCurrentOwner.current;
+	    if (owner !== null) {
+	       true ? warning(owner._warnedAboutRefsInRender, '%s is accessing getDOMNode or findDOMNode inside its render(). ' + 'render() should be a pure function of props and state. It should ' + 'never access something that requires stale data from the previous ' + 'render, such as refs. Move this logic to componentDidMount and ' + 'componentDidUpdate instead.', owner.getName() || 'A component') : undefined;
+	      owner._warnedAboutRefsInRender = true;
+	    }
+	  }
+	  if (componentOrElement == null) {
+	    return null;
+	  }
+	  if (componentOrElement.nodeType === 1) {
+	    return componentOrElement;
+	  }
+	  if (ReactInstanceMap.has(componentOrElement)) {
+	    return ReactMount.getNodeFromInstance(componentOrElement);
+	  }
+	  !(componentOrElement.render == null || typeof componentOrElement.render !== 'function') ?  true ? invariant(false, 'findDOMNode was called on an unmounted component.') : invariant(false) : undefined;
+	   true ?  true ? invariant(false, 'Element appears to be neither ReactComponent nor DOMNode (keys: %s)', Object.keys(componentOrElement)) : invariant(false) : undefined;
+	}
+	
+	module.exports = findDOMNode;
+
+/***/ },
+/* 108 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDefaultBatchingStrategy
+	 */
+	
+	'use strict';
+	
+	var ReactUpdates = __webpack_require__(70);
+	var Transaction = __webpack_require__(73);
+	
+	var assign = __webpack_require__(55);
+	var emptyFunction = __webpack_require__(31);
+	
+	var RESET_BATCHED_UPDATES = {
+	  initialize: emptyFunction,
+	  close: function () {
+	    ReactDefaultBatchingStrategy.isBatchingUpdates = false;
+	  }
+	};
+	
+	var FLUSH_BATCHED_UPDATES = {
+	  initialize: emptyFunction,
+	  close: ReactUpdates.flushBatchedUpdates.bind(ReactUpdates)
+	};
+	
+	var TRANSACTION_WRAPPERS = [FLUSH_BATCHED_UPDATES, RESET_BATCHED_UPDATES];
+	
+	function ReactDefaultBatchingStrategyTransaction() {
+	  this.reinitializeTransaction();
+	}
+	
+	assign(ReactDefaultBatchingStrategyTransaction.prototype, Transaction.Mixin, {
+	  getTransactionWrappers: function () {
+	    return TRANSACTION_WRAPPERS;
+	  }
+	});
+	
+	var transaction = new ReactDefaultBatchingStrategyTransaction();
+	
+	var ReactDefaultBatchingStrategy = {
+	  isBatchingUpdates: false,
+	
+	  /**
+	   * Call the provided function in a context within which calls to `setState`
+	   * and friends are batched such that components aren't updated unnecessarily.
+	   */
+	  batchedUpdates: function (callback, a, b, c, d, e) {
+	    var alreadyBatchingUpdates = ReactDefaultBatchingStrategy.isBatchingUpdates;
+	
+	    ReactDefaultBatchingStrategy.isBatchingUpdates = true;
+	
+	    // The code is written this way to avoid extra allocations
+	    if (alreadyBatchingUpdates) {
+	      callback(a, b, c, d, e);
+	    } else {
+	      transaction.perform(callback, null, a, b, c, d, e);
+	    }
+	  }
+	};
+	
+	module.exports = ReactDefaultBatchingStrategy;
+
+/***/ },
+/* 109 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMComponent
+	 * @typechecks static-only
+	 */
+	
+	/* global hasOwnProperty:true */
+	
+	'use strict';
+	
+	var AutoFocusUtils = __webpack_require__(110);
+	var CSSPropertyOperations = __webpack_require__(112);
+	var DOMProperty = __webpack_require__(39);
+	var DOMPropertyOperations = __webpack_require__(38);
+	var EventConstants = __webpack_require__(46);
+	var ReactBrowserEventEmitter = __webpack_require__(45);
+	var ReactComponentBrowserEnvironment = __webpack_require__(42);
+	var ReactDOMButton = __webpack_require__(120);
+	var ReactDOMInput = __webpack_require__(121);
+	var ReactDOMOption = __webpack_require__(125);
+	var ReactDOMSelect = __webpack_require__(128);
+	var ReactDOMTextarea = __webpack_require__(129);
+	var ReactMount = __webpack_require__(44);
+	var ReactMultiChild = __webpack_require__(130);
+	var ReactPerf = __webpack_require__(34);
+	var ReactUpdateQueue = __webpack_require__(69);
+	
+	var assign = __webpack_require__(55);
+	var canDefineProperty = __webpack_require__(59);
+	var escapeTextContentForBrowser = __webpack_require__(37);
+	var invariant = __webpack_require__(29);
+	var isEventSupported = __webpack_require__(56);
+	var keyOf = __webpack_require__(95);
+	var setInnerHTML = __webpack_require__(35);
+	var setTextContent = __webpack_require__(36);
+	var shallowEqual = __webpack_require__(133);
+	var validateDOMNesting = __webpack_require__(86);
+	var warning = __webpack_require__(41);
+	
+	var deleteListener = ReactBrowserEventEmitter.deleteListener;
+	var listenTo = ReactBrowserEventEmitter.listenTo;
+	var registrationNameModules = ReactBrowserEventEmitter.registrationNameModules;
+	
+	// For quickly matching children type, to test if can be treated as content.
+	var CONTENT_TYPES = { 'string': true, 'number': true };
+	
+	var CHILDREN = keyOf({ children: null });
+	var STYLE = keyOf({ style: null });
+	var HTML = keyOf({ __html: null });
+	
+	var ELEMENT_NODE_TYPE = 1;
+	
+	function getDeclarationErrorAddendum(internalInstance) {
+	  if (internalInstance) {
+	    var owner = internalInstance._currentElement._owner || null;
+	    if (owner) {
+	      var name = owner.getName();
+	      if (name) {
+	        return ' This DOM node was rendered by `' + name + '`.';
+	      }
+	    }
+	  }
+	  return '';
+	}
+	
+	var legacyPropsDescriptor;
+	if (true) {
+	  legacyPropsDescriptor = {
+	    props: {
+	      enumerable: false,
+	      get: function () {
+	        var component = this._reactInternalComponent;
+	         true ? warning(false, 'ReactDOMComponent: Do not access .props of a DOM node; instead, ' + 'recreate the props as `render` did originally or read the DOM ' + 'properties/attributes directly from this node (e.g., ' + 'this.refs.box.className).%s', getDeclarationErrorAddendum(component)) : undefined;
+	        return component._currentElement.props;
+	      }
+	    }
+	  };
+	}
+	
+	function legacyGetDOMNode() {
+	  if (true) {
+	    var component = this._reactInternalComponent;
+	     true ? warning(false, 'ReactDOMComponent: Do not access .getDOMNode() of a DOM node; ' + 'instead, use the node directly.%s', getDeclarationErrorAddendum(component)) : undefined;
+	  }
+	  return this;
+	}
+	
+	function legacyIsMounted() {
+	  var component = this._reactInternalComponent;
+	  if (true) {
+	     true ? warning(false, 'ReactDOMComponent: Do not access .isMounted() of a DOM node.%s', getDeclarationErrorAddendum(component)) : undefined;
+	  }
+	  return !!component;
+	}
+	
+	function legacySetStateEtc() {
+	  if (true) {
+	    var component = this._reactInternalComponent;
+	     true ? warning(false, 'ReactDOMComponent: Do not access .setState(), .replaceState(), or ' + '.forceUpdate() of a DOM node. This is a no-op.%s', getDeclarationErrorAddendum(component)) : undefined;
+	  }
+	}
+	
+	function legacySetProps(partialProps, callback) {
+	  var component = this._reactInternalComponent;
+	  if (true) {
+	     true ? warning(false, 'ReactDOMComponent: Do not access .setProps() of a DOM node. ' + 'Instead, call ReactDOM.render again at the top level.%s', getDeclarationErrorAddendum(component)) : undefined;
+	  }
+	  if (!component) {
+	    return;
+	  }
+	  ReactUpdateQueue.enqueueSetPropsInternal(component, partialProps);
+	  if (callback) {
+	    ReactUpdateQueue.enqueueCallbackInternal(component, callback);
+	  }
+	}
+	
+	function legacyReplaceProps(partialProps, callback) {
+	  var component = this._reactInternalComponent;
+	  if (true) {
+	     true ? warning(false, 'ReactDOMComponent: Do not access .replaceProps() of a DOM node. ' + 'Instead, call ReactDOM.render again at the top level.%s', getDeclarationErrorAddendum(component)) : undefined;
+	  }
+	  if (!component) {
+	    return;
+	  }
+	  ReactUpdateQueue.enqueueReplacePropsInternal(component, partialProps);
+	  if (callback) {
+	    ReactUpdateQueue.enqueueCallbackInternal(component, callback);
+	  }
+	}
+	
+	function friendlyStringify(obj) {
+	  if (typeof obj === 'object') {
+	    if (Array.isArray(obj)) {
+	      return '[' + obj.map(friendlyStringify).join(', ') + ']';
+	    } else {
+	      var pairs = [];
+	      for (var key in obj) {
+	        if (Object.prototype.hasOwnProperty.call(obj, key)) {
+	          var keyEscaped = /^[a-z$_][\w$_]*$/i.test(key) ? key : JSON.stringify(key);
+	          pairs.push(keyEscaped + ': ' + friendlyStringify(obj[key]));
+	        }
+	      }
+	      return '{' + pairs.join(', ') + '}';
+	    }
+	  } else if (typeof obj === 'string') {
+	    return JSON.stringify(obj);
+	  } else if (typeof obj === 'function') {
+	    return '[function object]';
+	  }
+	  // Differs from JSON.stringify in that undefined becauses undefined and that
+	  // inf and nan don't become null
+	  return String(obj);
+	}
+	
+	var styleMutationWarning = {};
+	
+	function checkAndWarnForMutatedStyle(style1, style2, component) {
+	  if (style1 == null || style2 == null) {
+	    return;
+	  }
+	  if (shallowEqual(style1, style2)) {
+	    return;
+	  }
+	
+	  var componentName = component._tag;
+	  var owner = component._currentElement._owner;
+	  var ownerName;
+	  if (owner) {
+	    ownerName = owner.getName();
+	  }
+	
+	  var hash = ownerName + '|' + componentName;
+	
+	  if (styleMutationWarning.hasOwnProperty(hash)) {
+	    return;
+	  }
+	
+	  styleMutationWarning[hash] = true;
+	
+	   true ? warning(false, '`%s` was passed a style object that has previously been mutated. ' + 'Mutating `style` is deprecated. Consider cloning it beforehand. Check ' + 'the `render` %s. Previous style: %s. Mutated style: %s.', componentName, owner ? 'of `' + ownerName + '`' : 'using <' + componentName + '>', friendlyStringify(style1), friendlyStringify(style2)) : undefined;
+	}
+	
+	/**
+	 * @param {object} component
+	 * @param {?object} props
+	 */
+	function assertValidProps(component, props) {
+	  if (!props) {
+	    return;
+	  }
+	  // Note the use of `==` which checks for null or undefined.
+	  if (true) {
+	    if (voidElementTags[component._tag]) {
+	       true ? warning(props.children == null && props.dangerouslySetInnerHTML == null, '%s is a void element tag and must not have `children` or ' + 'use `props.dangerouslySetInnerHTML`.%s', component._tag, component._currentElement._owner ? ' Check the render method of ' + component._currentElement._owner.getName() + '.' : '') : undefined;
+	    }
+	  }
+	  if (props.dangerouslySetInnerHTML != null) {
+	    !(props.children == null) ?  true ? invariant(false, 'Can only set one of `children` or `props.dangerouslySetInnerHTML`.') : invariant(false) : undefined;
+	    !(typeof props.dangerouslySetInnerHTML === 'object' && HTML in props.dangerouslySetInnerHTML) ?  true ? invariant(false, '`props.dangerouslySetInnerHTML` must be in the form `{__html: ...}`. ' + 'Please visit https://fb.me/react-invariant-dangerously-set-inner-html ' + 'for more information.') : invariant(false) : undefined;
+	  }
+	  if (true) {
+	     true ? warning(props.innerHTML == null, 'Directly setting property `innerHTML` is not permitted. ' + 'For more information, lookup documentation on `dangerouslySetInnerHTML`.') : undefined;
+	     true ? warning(!props.contentEditable || props.children == null, 'A component is `contentEditable` and contains `children` managed by ' + 'React. It is now your responsibility to guarantee that none of ' + 'those nodes are unexpectedly modified or duplicated. This is ' + 'probably not intentional.') : undefined;
+	  }
+	  !(props.style == null || typeof props.style === 'object') ?  true ? invariant(false, 'The `style` prop expects a mapping from style properties to values, ' + 'not a string. For example, style={{marginRight: spacing + \'em\'}} when ' + 'using JSX.%s', getDeclarationErrorAddendum(component)) : invariant(false) : undefined;
+	}
+	
+	function enqueuePutListener(id, registrationName, listener, transaction) {
+	  if (true) {
+	    // IE8 has no API for event capturing and the `onScroll` event doesn't
+	    // bubble.
+	     true ? warning(registrationName !== 'onScroll' || isEventSupported('scroll', true), 'This browser doesn\'t support the `onScroll` event') : undefined;
+	  }
+	  var container = ReactMount.findReactContainerForID(id);
+	  if (container) {
+	    var doc = container.nodeType === ELEMENT_NODE_TYPE ? container.ownerDocument : container;
+	    listenTo(registrationName, doc);
+	  }
+	  transaction.getReactMountReady().enqueue(putListener, {
+	    id: id,
+	    registrationName: registrationName,
+	    listener: listener
+	  });
+	}
+	
+	function putListener() {
+	  var listenerToPut = this;
+	  ReactBrowserEventEmitter.putListener(listenerToPut.id, listenerToPut.registrationName, listenerToPut.listener);
+	}
+	
+	// There are so many media events, it makes sense to just
+	// maintain a list rather than create a `trapBubbledEvent` for each
+	var mediaEvents = {
+	  topAbort: 'abort',
+	  topCanPlay: 'canplay',
+	  topCanPlayThrough: 'canplaythrough',
+	  topDurationChange: 'durationchange',
+	  topEmptied: 'emptied',
+	  topEncrypted: 'encrypted',
+	  topEnded: 'ended',
+	  topError: 'error',
+	  topLoadedData: 'loadeddata',
+	  topLoadedMetadata: 'loadedmetadata',
+	  topLoadStart: 'loadstart',
+	  topPause: 'pause',
+	  topPlay: 'play',
+	  topPlaying: 'playing',
+	  topProgress: 'progress',
+	  topRateChange: 'ratechange',
+	  topSeeked: 'seeked',
+	  topSeeking: 'seeking',
+	  topStalled: 'stalled',
+	  topSuspend: 'suspend',
+	  topTimeUpdate: 'timeupdate',
+	  topVolumeChange: 'volumechange',
+	  topWaiting: 'waiting'
+	};
+	
+	function trapBubbledEventsLocal() {
+	  var inst = this;
+	  // If a component renders to null or if another component fatals and causes
+	  // the state of the tree to be corrupted, `node` here can be null.
+	  !inst._rootNodeID ?  true ? invariant(false, 'Must be mounted to trap events') : invariant(false) : undefined;
+	  var node = ReactMount.getNode(inst._rootNodeID);
+	  !node ?  true ? invariant(false, 'trapBubbledEvent(...): Requires node to be rendered.') : invariant(false) : undefined;
+	
+	  switch (inst._tag) {
+	    case 'iframe':
+	      inst._wrapperState.listeners = [ReactBrowserEventEmitter.trapBubbledEvent(EventConstants.topLevelTypes.topLoad, 'load', node)];
+	      break;
+	    case 'video':
+	    case 'audio':
+	
+	      inst._wrapperState.listeners = [];
+	      // create listener for each media event
+	      for (var event in mediaEvents) {
+	        if (mediaEvents.hasOwnProperty(event)) {
+	          inst._wrapperState.listeners.push(ReactBrowserEventEmitter.trapBubbledEvent(EventConstants.topLevelTypes[event], mediaEvents[event], node));
+	        }
+	      }
+	
+	      break;
+	    case 'img':
+	      inst._wrapperState.listeners = [ReactBrowserEventEmitter.trapBubbledEvent(EventConstants.topLevelTypes.topError, 'error', node), ReactBrowserEventEmitter.trapBubbledEvent(EventConstants.topLevelTypes.topLoad, 'load', node)];
+	      break;
+	    case 'form':
+	      inst._wrapperState.listeners = [ReactBrowserEventEmitter.trapBubbledEvent(EventConstants.topLevelTypes.topReset, 'reset', node), ReactBrowserEventEmitter.trapBubbledEvent(EventConstants.topLevelTypes.topSubmit, 'submit', node)];
+	      break;
+	  }
+	}
+	
+	function mountReadyInputWrapper() {
+	  ReactDOMInput.mountReadyWrapper(this);
+	}
+	
+	function postUpdateSelectWrapper() {
+	  ReactDOMSelect.postUpdateWrapper(this);
+	}
+	
+	// For HTML, certain tags should omit their close tag. We keep a whitelist for
+	// those special cased tags.
+	
+	var omittedCloseTags = {
+	  'area': true,
+	  'base': true,
+	  'br': true,
+	  'col': true,
+	  'embed': true,
+	  'hr': true,
+	  'img': true,
+	  'input': true,
+	  'keygen': true,
+	  'link': true,
+	  'meta': true,
+	  'param': true,
+	  'source': true,
+	  'track': true,
+	  'wbr': true
+	};
+	
+	// NOTE: menuitem's close tag should be omitted, but that causes problems.
+	var newlineEatingTags = {
+	  'listing': true,
+	  'pre': true,
+	  'textarea': true
+	};
+	
+	// For HTML, certain tags cannot have children. This has the same purpose as
+	// `omittedCloseTags` except that `menuitem` should still have its closing tag.
+	
+	var voidElementTags = assign({
+	  'menuitem': true
+	}, omittedCloseTags);
+	
+	// We accept any tag to be rendered but since this gets injected into arbitrary
+	// HTML, we want to make sure that it's a safe tag.
+	// http://www.w3.org/TR/REC-xml/#NT-Name
+	
+	var VALID_TAG_REGEX = /^[a-zA-Z][a-zA-Z:_\.\-\d]*$/; // Simplified subset
+	var validatedTagCache = {};
+	var hasOwnProperty = ({}).hasOwnProperty;
+	
+	function validateDangerousTag(tag) {
+	  if (!hasOwnProperty.call(validatedTagCache, tag)) {
+	    !VALID_TAG_REGEX.test(tag) ?  true ? invariant(false, 'Invalid tag: %s', tag) : invariant(false) : undefined;
+	    validatedTagCache[tag] = true;
+	  }
+	}
+	
+	function processChildContextDev(context, inst) {
+	  // Pass down our tag name to child components for validation purposes
+	  context = assign({}, context);
+	  var info = context[validateDOMNesting.ancestorInfoContextKey];
+	  context[validateDOMNesting.ancestorInfoContextKey] = validateDOMNesting.updatedAncestorInfo(info, inst._tag, inst);
+	  return context;
+	}
+	
+	function isCustomComponent(tagName, props) {
+	  return tagName.indexOf('-') >= 0 || props.is != null;
+	}
+	
+	/**
+	 * Creates a new React class that is idempotent and capable of containing other
+	 * React components. It accepts event listeners and DOM properties that are
+	 * valid according to `DOMProperty`.
+	 *
+	 *  - Event listeners: `onClick`, `onMouseDown`, etc.
+	 *  - DOM properties: `className`, `name`, `title`, etc.
+	 *
+	 * The `style` property functions differently from the DOM API. It accepts an
+	 * object mapping of style properties to values.
+	 *
+	 * @constructor ReactDOMComponent
+	 * @extends ReactMultiChild
+	 */
+	function ReactDOMComponent(tag) {
+	  validateDangerousTag(tag);
+	  this._tag = tag.toLowerCase();
+	  this._renderedChildren = null;
+	  this._previousStyle = null;
+	  this._previousStyleCopy = null;
+	  this._rootNodeID = null;
+	  this._wrapperState = null;
+	  this._topLevelWrapper = null;
+	  this._nodeWithLegacyProperties = null;
+	  if (true) {
+	    this._unprocessedContextDev = null;
+	    this._processedContextDev = null;
+	  }
+	}
+	
+	ReactDOMComponent.displayName = 'ReactDOMComponent';
+	
+	ReactDOMComponent.Mixin = {
+	
+	  construct: function (element) {
+	    this._currentElement = element;
+	  },
+	
+	  /**
+	   * Generates root tag markup then recurses. This method has side effects and
+	   * is not idempotent.
+	   *
+	   * @internal
+	   * @param {string} rootID The root DOM ID for this node.
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @param {object} context
+	   * @return {string} The computed markup.
+	   */
+	  mountComponent: function (rootID, transaction, context) {
+	    this._rootNodeID = rootID;
+	
+	    var props = this._currentElement.props;
+	
+	    switch (this._tag) {
+	      case 'iframe':
+	      case 'img':
+	      case 'form':
+	      case 'video':
+	      case 'audio':
+	        this._wrapperState = {
+	          listeners: null
+	        };
+	        transaction.getReactMountReady().enqueue(trapBubbledEventsLocal, this);
+	        break;
+	      case 'button':
+	        props = ReactDOMButton.getNativeProps(this, props, context);
+	        break;
+	      case 'input':
+	        ReactDOMInput.mountWrapper(this, props, context);
+	        props = ReactDOMInput.getNativeProps(this, props, context);
+	        break;
+	      case 'option':
+	        ReactDOMOption.mountWrapper(this, props, context);
+	        props = ReactDOMOption.getNativeProps(this, props, context);
+	        break;
+	      case 'select':
+	        ReactDOMSelect.mountWrapper(this, props, context);
+	        props = ReactDOMSelect.getNativeProps(this, props, context);
+	        context = ReactDOMSelect.processChildContext(this, props, context);
+	        break;
+	      case 'textarea':
+	        ReactDOMTextarea.mountWrapper(this, props, context);
+	        props = ReactDOMTextarea.getNativeProps(this, props, context);
+	        break;
+	    }
+	
+	    assertValidProps(this, props);
+	    if (true) {
+	      if (context[validateDOMNesting.ancestorInfoContextKey]) {
+	        validateDOMNesting(this._tag, this, context[validateDOMNesting.ancestorInfoContextKey]);
+	      }
+	    }
+	
+	    if (true) {
+	      this._unprocessedContextDev = context;
+	      this._processedContextDev = processChildContextDev(context, this);
+	      context = this._processedContextDev;
+	    }
+	
+	    var mountImage;
+	    if (transaction.useCreateElement) {
+	      var ownerDocument = context[ReactMount.ownerDocumentContextKey];
+	      var el = ownerDocument.createElement(this._currentElement.type);
+	      DOMPropertyOperations.setAttributeForID(el, this._rootNodeID);
+	      // Populate node cache
+	      ReactMount.getID(el);
+	      this._updateDOMProperties({}, props, transaction, el);
+	      this._createInitialChildren(transaction, props, context, el);
+	      mountImage = el;
+	    } else {
+	      var tagOpen = this._createOpenTagMarkupAndPutListeners(transaction, props);
+	      var tagContent = this._createContentMarkup(transaction, props, context);
+	      if (!tagContent && omittedCloseTags[this._tag]) {
+	        mountImage = tagOpen + '/>';
+	      } else {
+	        mountImage = tagOpen + '>' + tagContent + '</' + this._currentElement.type + '>';
+	      }
+	    }
+	
+	    switch (this._tag) {
+	      case 'input':
+	        transaction.getReactMountReady().enqueue(mountReadyInputWrapper, this);
+	      // falls through
+	      case 'button':
+	      case 'select':
+	      case 'textarea':
+	        if (props.autoFocus) {
+	          transaction.getReactMountReady().enqueue(AutoFocusUtils.focusDOMComponent, this);
+	        }
+	        break;
+	    }
+	
+	    return mountImage;
+	  },
+	
+	  /**
+	   * Creates markup for the open tag and all attributes.
+	   *
+	   * This method has side effects because events get registered.
+	   *
+	   * Iterating over object properties is faster than iterating over arrays.
+	   * @see http://jsperf.com/obj-vs-arr-iteration
+	   *
+	   * @private
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @param {object} props
+	   * @return {string} Markup of opening tag.
+	   */
+	  _createOpenTagMarkupAndPutListeners: function (transaction, props) {
+	    var ret = '<' + this._currentElement.type;
+	
+	    for (var propKey in props) {
+	      if (!props.hasOwnProperty(propKey)) {
+	        continue;
+	      }
+	      var propValue = props[propKey];
+	      if (propValue == null) {
+	        continue;
+	      }
+	      if (registrationNameModules.hasOwnProperty(propKey)) {
+	        if (propValue) {
+	          enqueuePutListener(this._rootNodeID, propKey, propValue, transaction);
+	        }
+	      } else {
+	        if (propKey === STYLE) {
+	          if (propValue) {
+	            if (true) {
+	              // See `_updateDOMProperties`. style block
+	              this._previousStyle = propValue;
+	            }
+	            propValue = this._previousStyleCopy = assign({}, props.style);
+	          }
+	          propValue = CSSPropertyOperations.createMarkupForStyles(propValue);
+	        }
+	        var markup = null;
+	        if (this._tag != null && isCustomComponent(this._tag, props)) {
+	          if (propKey !== CHILDREN) {
+	            markup = DOMPropertyOperations.createMarkupForCustomAttribute(propKey, propValue);
+	          }
+	        } else {
+	          markup = DOMPropertyOperations.createMarkupForProperty(propKey, propValue);
+	        }
+	        if (markup) {
+	          ret += ' ' + markup;
+	        }
+	      }
+	    }
+	
+	    // For static pages, no need to put React ID and checksum. Saves lots of
+	    // bytes.
+	    if (transaction.renderToStaticMarkup) {
+	      return ret;
+	    }
+	
+	    var markupForID = DOMPropertyOperations.createMarkupForID(this._rootNodeID);
+	    return ret + ' ' + markupForID;
+	  },
+	
+	  /**
+	   * Creates markup for the content between the tags.
+	   *
+	   * @private
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @param {object} props
+	   * @param {object} context
+	   * @return {string} Content markup.
+	   */
+	  _createContentMarkup: function (transaction, props, context) {
+	    var ret = '';
+	
+	    // Intentional use of != to avoid catching zero/false.
+	    var innerHTML = props.dangerouslySetInnerHTML;
+	    if (innerHTML != null) {
+	      if (innerHTML.__html != null) {
+	        ret = innerHTML.__html;
+	      }
+	    } else {
+	      var contentToUse = CONTENT_TYPES[typeof props.children] ? props.children : null;
+	      var childrenToUse = contentToUse != null ? null : props.children;
+	      if (contentToUse != null) {
+	        // TODO: Validate that text is allowed as a child of this node
+	        ret = escapeTextContentForBrowser(contentToUse);
+	      } else if (childrenToUse != null) {
+	        var mountImages = this.mountChildren(childrenToUse, transaction, context);
+	        ret = mountImages.join('');
+	      }
+	    }
+	    if (newlineEatingTags[this._tag] && ret.charAt(0) === '\n') {
+	      // text/html ignores the first character in these tags if it's a newline
+	      // Prefer to break application/xml over text/html (for now) by adding
+	      // a newline specifically to get eaten by the parser. (Alternately for
+	      // textareas, replacing "^\n" with "\r\n" doesn't get eaten, and the first
+	      // \r is normalized out by HTMLTextAreaElement#value.)
+	      // See: <http://www.w3.org/TR/html-polyglot/#newlines-in-textarea-and-pre>
+	      // See: <http://www.w3.org/TR/html5/syntax.html#element-restrictions>
+	      // See: <http://www.w3.org/TR/html5/syntax.html#newlines>
+	      // See: Parsing of "textarea" "listing" and "pre" elements
+	      //  from <http://www.w3.org/TR/html5/syntax.html#parsing-main-inbody>
+	      return '\n' + ret;
+	    } else {
+	      return ret;
+	    }
+	  },
+	
+	  _createInitialChildren: function (transaction, props, context, el) {
+	    // Intentional use of != to avoid catching zero/false.
+	    var innerHTML = props.dangerouslySetInnerHTML;
+	    if (innerHTML != null) {
+	      if (innerHTML.__html != null) {
+	        setInnerHTML(el, innerHTML.__html);
+	      }
+	    } else {
+	      var contentToUse = CONTENT_TYPES[typeof props.children] ? props.children : null;
+	      var childrenToUse = contentToUse != null ? null : props.children;
+	      if (contentToUse != null) {
+	        // TODO: Validate that text is allowed as a child of this node
+	        setTextContent(el, contentToUse);
+	      } else if (childrenToUse != null) {
+	        var mountImages = this.mountChildren(childrenToUse, transaction, context);
+	        for (var i = 0; i < mountImages.length; i++) {
+	          el.appendChild(mountImages[i]);
+	        }
+	      }
+	    }
+	  },
+	
+	  /**
+	   * Receives a next element and updates the component.
+	   *
+	   * @internal
+	   * @param {ReactElement} nextElement
+	   * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction
+	   * @param {object} context
+	   */
+	  receiveComponent: function (nextElement, transaction, context) {
+	    var prevElement = this._currentElement;
+	    this._currentElement = nextElement;
+	    this.updateComponent(transaction, prevElement, nextElement, context);
+	  },
+	
+	  /**
+	   * Updates a native DOM component after it has already been allocated and
+	   * attached to the DOM. Reconciles the root DOM node, then recurses.
+	   *
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {ReactElement} prevElement
+	   * @param {ReactElement} nextElement
+	   * @internal
+	   * @overridable
+	   */
+	  updateComponent: function (transaction, prevElement, nextElement, context) {
+	    var lastProps = prevElement.props;
+	    var nextProps = this._currentElement.props;
+	
+	    switch (this._tag) {
+	      case 'button':
+	        lastProps = ReactDOMButton.getNativeProps(this, lastProps);
+	        nextProps = ReactDOMButton.getNativeProps(this, nextProps);
+	        break;
+	      case 'input':
+	        ReactDOMInput.updateWrapper(this);
+	        lastProps = ReactDOMInput.getNativeProps(this, lastProps);
+	        nextProps = ReactDOMInput.getNativeProps(this, nextProps);
+	        break;
+	      case 'option':
+	        lastProps = ReactDOMOption.getNativeProps(this, lastProps);
+	        nextProps = ReactDOMOption.getNativeProps(this, nextProps);
+	        break;
+	      case 'select':
+	        lastProps = ReactDOMSelect.getNativeProps(this, lastProps);
+	        nextProps = ReactDOMSelect.getNativeProps(this, nextProps);
+	        break;
+	      case 'textarea':
+	        ReactDOMTextarea.updateWrapper(this);
+	        lastProps = ReactDOMTextarea.getNativeProps(this, lastProps);
+	        nextProps = ReactDOMTextarea.getNativeProps(this, nextProps);
+	        break;
+	    }
+	
+	    if (true) {
+	      // If the context is reference-equal to the old one, pass down the same
+	      // processed object so the update bailout in ReactReconciler behaves
+	      // correctly (and identically in dev and prod). See #5005.
+	      if (this._unprocessedContextDev !== context) {
+	        this._unprocessedContextDev = context;
+	        this._processedContextDev = processChildContextDev(context, this);
+	      }
+	      context = this._processedContextDev;
+	    }
+	
+	    assertValidProps(this, nextProps);
+	    this._updateDOMProperties(lastProps, nextProps, transaction, null);
+	    this._updateDOMChildren(lastProps, nextProps, transaction, context);
+	
+	    if (!canDefineProperty && this._nodeWithLegacyProperties) {
+	      this._nodeWithLegacyProperties.props = nextProps;
+	    }
+	
+	    if (this._tag === 'select') {
+	      // <select> value update needs to occur after <option> children
+	      // reconciliation
+	      transaction.getReactMountReady().enqueue(postUpdateSelectWrapper, this);
+	    }
+	  },
+	
+	  /**
+	   * Reconciles the properties by detecting differences in property values and
+	   * updating the DOM as necessary. This function is probably the single most
+	   * critical path for performance optimization.
+	   *
+	   * TODO: Benchmark whether checking for changed values in memory actually
+	   *       improves performance (especially statically positioned elements).
+	   * TODO: Benchmark the effects of putting this at the top since 99% of props
+	   *       do not change for a given reconciliation.
+	   * TODO: Benchmark areas that can be improved with caching.
+	   *
+	   * @private
+	   * @param {object} lastProps
+	   * @param {object} nextProps
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {?DOMElement} node
+	   */
+	  _updateDOMProperties: function (lastProps, nextProps, transaction, node) {
+	    var propKey;
+	    var styleName;
+	    var styleUpdates;
+	    for (propKey in lastProps) {
+	      if (nextProps.hasOwnProperty(propKey) || !lastProps.hasOwnProperty(propKey)) {
+	        continue;
+	      }
+	      if (propKey === STYLE) {
+	        var lastStyle = this._previousStyleCopy;
+	        for (styleName in lastStyle) {
+	          if (lastStyle.hasOwnProperty(styleName)) {
+	            styleUpdates = styleUpdates || {};
+	            styleUpdates[styleName] = '';
+	          }
+	        }
+	        this._previousStyleCopy = null;
+	      } else if (registrationNameModules.hasOwnProperty(propKey)) {
+	        if (lastProps[propKey]) {
+	          // Only call deleteListener if there was a listener previously or
+	          // else willDeleteListener gets called when there wasn't actually a
+	          // listener (e.g., onClick={null})
+	          deleteListener(this._rootNodeID, propKey);
+	        }
+	      } else if (DOMProperty.properties[propKey] || DOMProperty.isCustomAttribute(propKey)) {
+	        if (!node) {
+	          node = ReactMount.getNode(this._rootNodeID);
+	        }
+	        DOMPropertyOperations.deleteValueForProperty(node, propKey);
+	      }
+	    }
+	    for (propKey in nextProps) {
+	      var nextProp = nextProps[propKey];
+	      var lastProp = propKey === STYLE ? this._previousStyleCopy : lastProps[propKey];
+	      if (!nextProps.hasOwnProperty(propKey) || nextProp === lastProp) {
+	        continue;
+	      }
+	      if (propKey === STYLE) {
+	        if (nextProp) {
+	          if (true) {
+	            checkAndWarnForMutatedStyle(this._previousStyleCopy, this._previousStyle, this);
+	            this._previousStyle = nextProp;
+	          }
+	          nextProp = this._previousStyleCopy = assign({}, nextProp);
+	        } else {
+	          this._previousStyleCopy = null;
+	        }
+	        if (lastProp) {
+	          // Unset styles on `lastProp` but not on `nextProp`.
+	          for (styleName in lastProp) {
+	            if (lastProp.hasOwnProperty(styleName) && (!nextProp || !nextProp.hasOwnProperty(styleName))) {
+	              styleUpdates = styleUpdates || {};
+	              styleUpdates[styleName] = '';
+	            }
+	          }
+	          // Update styles that changed since `lastProp`.
+	          for (styleName in nextProp) {
+	            if (nextProp.hasOwnProperty(styleName) && lastProp[styleName] !== nextProp[styleName]) {
+	              styleUpdates = styleUpdates || {};
+	              styleUpdates[styleName] = nextProp[styleName];
+	            }
+	          }
+	        } else {
+	          // Relies on `updateStylesByID` not mutating `styleUpdates`.
+	          styleUpdates = nextProp;
+	        }
+	      } else if (registrationNameModules.hasOwnProperty(propKey)) {
+	        if (nextProp) {
+	          enqueuePutListener(this._rootNodeID, propKey, nextProp, transaction);
+	        } else if (lastProp) {
+	          deleteListener(this._rootNodeID, propKey);
+	        }
+	      } else if (isCustomComponent(this._tag, nextProps)) {
+	        if (!node) {
+	          node = ReactMount.getNode(this._rootNodeID);
+	        }
+	        if (propKey === CHILDREN) {
+	          nextProp = null;
+	        }
+	        DOMPropertyOperations.setValueForAttribute(node, propKey, nextProp);
+	      } else if (DOMProperty.properties[propKey] || DOMProperty.isCustomAttribute(propKey)) {
+	        if (!node) {
+	          node = ReactMount.getNode(this._rootNodeID);
+	        }
+	        // If we're updating to null or undefined, we should remove the property
+	        // from the DOM node instead of inadvertantly setting to a string. This
+	        // brings us in line with the same behavior we have on initial render.
+	        if (nextProp != null) {
+	          DOMPropertyOperations.setValueForProperty(node, propKey, nextProp);
+	        } else {
+	          DOMPropertyOperations.deleteValueForProperty(node, propKey);
+	        }
+	      }
+	    }
+	    if (styleUpdates) {
+	      if (!node) {
+	        node = ReactMount.getNode(this._rootNodeID);
+	      }
+	      CSSPropertyOperations.setValueForStyles(node, styleUpdates);
+	    }
+	  },
+	
+	  /**
+	   * Reconciles the children with the various properties that affect the
+	   * children content.
+	   *
+	   * @param {object} lastProps
+	   * @param {object} nextProps
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {object} context
+	   */
+	  _updateDOMChildren: function (lastProps, nextProps, transaction, context) {
+	    var lastContent = CONTENT_TYPES[typeof lastProps.children] ? lastProps.children : null;
+	    var nextContent = CONTENT_TYPES[typeof nextProps.children] ? nextProps.children : null;
+	
+	    var lastHtml = lastProps.dangerouslySetInnerHTML && lastProps.dangerouslySetInnerHTML.__html;
+	    var nextHtml = nextProps.dangerouslySetInnerHTML && nextProps.dangerouslySetInnerHTML.__html;
+	
+	    // Note the use of `!=` which checks for null or undefined.
+	    var lastChildren = lastContent != null ? null : lastProps.children;
+	    var nextChildren = nextContent != null ? null : nextProps.children;
+	
+	    // If we're switching from children to content/html or vice versa, remove
+	    // the old content
+	    var lastHasContentOrHtml = lastContent != null || lastHtml != null;
+	    var nextHasContentOrHtml = nextContent != null || nextHtml != null;
+	    if (lastChildren != null && nextChildren == null) {
+	      this.updateChildren(null, transaction, context);
+	    } else if (lastHasContentOrHtml && !nextHasContentOrHtml) {
+	      this.updateTextContent('');
+	    }
+	
+	    if (nextContent != null) {
+	      if (lastContent !== nextContent) {
+	        this.updateTextContent('' + nextContent);
+	      }
+	    } else if (nextHtml != null) {
+	      if (lastHtml !== nextHtml) {
+	        this.updateMarkup('' + nextHtml);
+	      }
+	    } else if (nextChildren != null) {
+	      this.updateChildren(nextChildren, transaction, context);
+	    }
+	  },
+	
+	  /**
+	   * Destroys all event registrations for this instance. Does not remove from
+	   * the DOM. That must be done by the parent.
+	   *
+	   * @internal
+	   */
+	  unmountComponent: function () {
+	    switch (this._tag) {
+	      case 'iframe':
+	      case 'img':
+	      case 'form':
+	      case 'video':
+	      case 'audio':
+	        var listeners = this._wrapperState.listeners;
+	        if (listeners) {
+	          for (var i = 0; i < listeners.length; i++) {
+	            listeners[i].remove();
+	          }
+	        }
+	        break;
+	      case 'input':
+	        ReactDOMInput.unmountWrapper(this);
+	        break;
+	      case 'html':
+	      case 'head':
+	      case 'body':
+	        /**
+	         * Components like <html> <head> and <body> can't be removed or added
+	         * easily in a cross-browser way, however it's valuable to be able to
+	         * take advantage of React's reconciliation for styling and <title>
+	         * management. So we just document it and throw in dangerous cases.
+	         */
+	         true ?  true ? invariant(false, '<%s> tried to unmount. Because of cross-browser quirks it is ' + 'impossible to unmount some top-level components (eg <html>, ' + '<head>, and <body>) reliably and efficiently. To fix this, have a ' + 'single top-level component that never unmounts render these ' + 'elements.', this._tag) : invariant(false) : undefined;
+	        break;
+	    }
+	
+	    this.unmountChildren();
+	    ReactBrowserEventEmitter.deleteAllListeners(this._rootNodeID);
+	    ReactComponentBrowserEnvironment.unmountIDFromEnvironment(this._rootNodeID);
+	    this._rootNodeID = null;
+	    this._wrapperState = null;
+	    if (this._nodeWithLegacyProperties) {
+	      var node = this._nodeWithLegacyProperties;
+	      node._reactInternalComponent = null;
+	      this._nodeWithLegacyProperties = null;
+	    }
+	  },
+	
+	  getPublicInstance: function () {
+	    if (!this._nodeWithLegacyProperties) {
+	      var node = ReactMount.getNode(this._rootNodeID);
+	
+	      node._reactInternalComponent = this;
+	      node.getDOMNode = legacyGetDOMNode;
+	      node.isMounted = legacyIsMounted;
+	      node.setState = legacySetStateEtc;
+	      node.replaceState = legacySetStateEtc;
+	      node.forceUpdate = legacySetStateEtc;
+	      node.setProps = legacySetProps;
+	      node.replaceProps = legacyReplaceProps;
+	
+	      if (true) {
+	        if (canDefineProperty) {
+	          Object.defineProperties(node, legacyPropsDescriptor);
+	        } else {
+	          // updateComponent will update this property on subsequent renders
+	          node.props = this._currentElement.props;
+	        }
+	      } else {
+	        // updateComponent will update this property on subsequent renders
+	        node.props = this._currentElement.props;
+	      }
+	
+	      this._nodeWithLegacyProperties = node;
+	    }
+	    return this._nodeWithLegacyProperties;
+	  }
+	
+	};
+	
+	ReactPerf.measureMethods(ReactDOMComponent, 'ReactDOMComponent', {
+	  mountComponent: 'mountComponent',
+	  updateComponent: 'updateComponent'
+	});
+	
+	assign(ReactDOMComponent.prototype, ReactDOMComponent.Mixin, ReactMultiChild.Mixin);
+	
+	module.exports = ReactDOMComponent;
+
+/***/ },
+/* 110 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule AutoFocusUtils
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactMount = __webpack_require__(44);
+	
+	var findDOMNode = __webpack_require__(107);
+	var focusNode = __webpack_require__(111);
+	
+	var Mixin = {
+	  componentDidMount: function () {
+	    if (this.props.autoFocus) {
+	      focusNode(findDOMNode(this));
+	    }
+	  }
+	};
+	
+	var AutoFocusUtils = {
+	  Mixin: Mixin,
+	
+	  focusDOMComponent: function () {
+	    focusNode(ReactMount.getNode(this._rootNodeID));
+	  }
+	};
+	
+	module.exports = AutoFocusUtils;
+
+/***/ },
+/* 111 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule focusNode
+	 */
+	
+	'use strict';
+	
+	/**
+	 * @param {DOMElement} node input/textarea to focus
+	 */
+	function focusNode(node) {
+	  // IE8 can throw "Can't move focus to the control because it is invisible,
+	  // not enabled, or of a type that does not accept the focus." for all kinds of
+	  // reasons that are too expensive and fragile to test.
+	  try {
+	    node.focus();
+	  } catch (e) {}
+	}
+	
+	module.exports = focusNode;
+
+/***/ },
+/* 112 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule CSSPropertyOperations
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var CSSProperty = __webpack_require__(113);
+	var ExecutionEnvironment = __webpack_require__(25);
+	var ReactPerf = __webpack_require__(34);
+	
+	var camelizeStyleName = __webpack_require__(114);
+	var dangerousStyleValue = __webpack_require__(116);
+	var hyphenateStyleName = __webpack_require__(117);
+	var memoizeStringOnly = __webpack_require__(119);
+	var warning = __webpack_require__(41);
+	
+	var processStyleName = memoizeStringOnly(function (styleName) {
+	  return hyphenateStyleName(styleName);
+	});
+	
+	var hasShorthandPropertyBug = false;
+	var styleFloatAccessor = 'cssFloat';
+	if (ExecutionEnvironment.canUseDOM) {
+	  var tempStyle = document.createElement('div').style;
+	  try {
+	    // IE8 throws "Invalid argument." if resetting shorthand style properties.
+	    tempStyle.font = '';
+	  } catch (e) {
+	    hasShorthandPropertyBug = true;
+	  }
+	  // IE8 only supports accessing cssFloat (standard) as styleFloat
+	  if (document.documentElement.style.cssFloat === undefined) {
+	    styleFloatAccessor = 'styleFloat';
+	  }
+	}
+	
+	if (true) {
+	  // 'msTransform' is correct, but the other prefixes should be capitalized
+	  var badVendoredStyleNamePattern = /^(?:webkit|moz|o)[A-Z]/;
+	
+	  // style values shouldn't contain a semicolon
+	  var badStyleValueWithSemicolonPattern = /;\s*$/;
+	
+	  var warnedStyleNames = {};
+	  var warnedStyleValues = {};
+	
+	  var warnHyphenatedStyleName = function (name) {
+	    if (warnedStyleNames.hasOwnProperty(name) && warnedStyleNames[name]) {
+	      return;
+	    }
+	
+	    warnedStyleNames[name] = true;
+	     true ? warning(false, 'Unsupported style property %s. Did you mean %s?', name, camelizeStyleName(name)) : undefined;
+	  };
+	
+	  var warnBadVendoredStyleName = function (name) {
+	    if (warnedStyleNames.hasOwnProperty(name) && warnedStyleNames[name]) {
+	      return;
+	    }
+	
+	    warnedStyleNames[name] = true;
+	     true ? warning(false, 'Unsupported vendor-prefixed style property %s. Did you mean %s?', name, name.charAt(0).toUpperCase() + name.slice(1)) : undefined;
+	  };
+	
+	  var warnStyleValueWithSemicolon = function (name, value) {
+	    if (warnedStyleValues.hasOwnProperty(value) && warnedStyleValues[value]) {
+	      return;
+	    }
+	
+	    warnedStyleValues[value] = true;
+	     true ? warning(false, 'Style property values shouldn\'t contain a semicolon. ' + 'Try "%s: %s" instead.', name, value.replace(badStyleValueWithSemicolonPattern, '')) : undefined;
+	  };
+	
+	  /**
+	   * @param {string} name
+	   * @param {*} value
+	   */
+	  var warnValidStyle = function (name, value) {
+	    if (name.indexOf('-') > -1) {
+	      warnHyphenatedStyleName(name);
+	    } else if (badVendoredStyleNamePattern.test(name)) {
+	      warnBadVendoredStyleName(name);
+	    } else if (badStyleValueWithSemicolonPattern.test(value)) {
+	      warnStyleValueWithSemicolon(name, value);
+	    }
+	  };
+	}
+	
+	/**
+	 * Operations for dealing with CSS properties.
+	 */
+	var CSSPropertyOperations = {
+	
+	  /**
+	   * Serializes a mapping of style properties for use as inline styles:
+	   *
+	   *   > createMarkupForStyles({width: '200px', height: 0})
+	   *   "width:200px;height:0;"
+	   *
+	   * Undefined values are ignored so that declarative programming is easier.
+	   * The result should be HTML-escaped before insertion into the DOM.
+	   *
+	   * @param {object} styles
+	   * @return {?string}
+	   */
+	  createMarkupForStyles: function (styles) {
+	    var serialized = '';
+	    for (var styleName in styles) {
+	      if (!styles.hasOwnProperty(styleName)) {
+	        continue;
+	      }
+	      var styleValue = styles[styleName];
+	      if (true) {
+	        warnValidStyle(styleName, styleValue);
+	      }
+	      if (styleValue != null) {
+	        serialized += processStyleName(styleName) + ':';
+	        serialized += dangerousStyleValue(styleName, styleValue) + ';';
+	      }
+	    }
+	    return serialized || null;
+	  },
+	
+	  /**
+	   * Sets the value for multiple styles on a node.  If a value is specified as
+	   * '' (empty string), the corresponding style property will be unset.
+	   *
+	   * @param {DOMElement} node
+	   * @param {object} styles
+	   */
+	  setValueForStyles: function (node, styles) {
+	    var style = node.style;
+	    for (var styleName in styles) {
+	      if (!styles.hasOwnProperty(styleName)) {
+	        continue;
+	      }
+	      if (true) {
+	        warnValidStyle(styleName, styles[styleName]);
+	      }
+	      var styleValue = dangerousStyleValue(styleName, styles[styleName]);
+	      if (styleName === 'float') {
+	        styleName = styleFloatAccessor;
+	      }
+	      if (styleValue) {
+	        style[styleName] = styleValue;
+	      } else {
+	        var expansion = hasShorthandPropertyBug && CSSProperty.shorthandPropertyExpansions[styleName];
+	        if (expansion) {
+	          // Shorthand property that IE8 won't like unsetting, so unset each
+	          // component to placate it
+	          for (var individualStyleName in expansion) {
+	            style[individualStyleName] = '';
+	          }
+	        } else {
+	          style[styleName] = '';
+	        }
+	      }
+	    }
+	  }
+	
+	};
+	
+	ReactPerf.measureMethods(CSSPropertyOperations, 'CSSPropertyOperations', {
+	  setValueForStyles: 'setValueForStyles'
+	});
+	
+	module.exports = CSSPropertyOperations;
+
+/***/ },
+/* 113 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule CSSProperty
+	 */
+	
+	'use strict';
+	
+	/**
+	 * CSS properties which accept numbers but are not in units of "px".
+	 */
+	var isUnitlessNumber = {
+	  animationIterationCount: true,
+	  boxFlex: true,
+	  boxFlexGroup: true,
+	  boxOrdinalGroup: true,
+	  columnCount: true,
+	  flex: true,
+	  flexGrow: true,
+	  flexPositive: true,
+	  flexShrink: true,
+	  flexNegative: true,
+	  flexOrder: true,
+	  fontWeight: true,
+	  lineClamp: true,
+	  lineHeight: true,
+	  opacity: true,
+	  order: true,
+	  orphans: true,
+	  tabSize: true,
+	  widows: true,
+	  zIndex: true,
+	  zoom: true,
+	
+	  // SVG-related properties
+	  fillOpacity: true,
+	  stopOpacity: true,
+	  strokeDashoffset: true,
+	  strokeOpacity: true,
+	  strokeWidth: true
+	};
+	
+	/**
+	 * @param {string} prefix vendor-specific prefix, eg: Webkit
+	 * @param {string} key style name, eg: transitionDuration
+	 * @return {string} style name prefixed with `prefix`, properly camelCased, eg:
+	 * WebkitTransitionDuration
+	 */
+	function prefixKey(prefix, key) {
+	  return prefix + key.charAt(0).toUpperCase() + key.substring(1);
+	}
+	
+	/**
+	 * Support style names that may come passed in prefixed by adding permutations
+	 * of vendor prefixes.
+	 */
+	var prefixes = ['Webkit', 'ms', 'Moz', 'O'];
+	
+	// Using Object.keys here, or else the vanilla for-in loop makes IE8 go into an
+	// infinite loop, because it iterates over the newly added props too.
+	Object.keys(isUnitlessNumber).forEach(function (prop) {
+	  prefixes.forEach(function (prefix) {
+	    isUnitlessNumber[prefixKey(prefix, prop)] = isUnitlessNumber[prop];
+	  });
+	});
+	
+	/**
+	 * Most style properties can be unset by doing .style[prop] = '' but IE8
+	 * doesn't like doing that with shorthand properties so for the properties that
+	 * IE8 breaks on, which are listed here, we instead unset each of the
+	 * individual properties. See http://bugs.jquery.com/ticket/12385.
+	 * The 4-value 'clock' properties like margin, padding, border-width seem to
+	 * behave without any problems. Curiously, list-style works too without any
+	 * special prodding.
+	 */
+	var shorthandPropertyExpansions = {
+	  background: {
+	    backgroundAttachment: true,
+	    backgroundColor: true,
+	    backgroundImage: true,
+	    backgroundPositionX: true,
+	    backgroundPositionY: true,
+	    backgroundRepeat: true
+	  },
+	  backgroundPosition: {
+	    backgroundPositionX: true,
+	    backgroundPositionY: true
+	  },
+	  border: {
+	    borderWidth: true,
+	    borderStyle: true,
+	    borderColor: true
+	  },
+	  borderBottom: {
+	    borderBottomWidth: true,
+	    borderBottomStyle: true,
+	    borderBottomColor: true
+	  },
+	  borderLeft: {
+	    borderLeftWidth: true,
+	    borderLeftStyle: true,
+	    borderLeftColor: true
+	  },
+	  borderRight: {
+	    borderRightWidth: true,
+	    borderRightStyle: true,
+	    borderRightColor: true
+	  },
+	  borderTop: {
+	    borderTopWidth: true,
+	    borderTopStyle: true,
+	    borderTopColor: true
+	  },
+	  font: {
+	    fontStyle: true,
+	    fontVariant: true,
+	    fontWeight: true,
+	    fontSize: true,
+	    lineHeight: true,
+	    fontFamily: true
+	  },
+	  outline: {
+	    outlineWidth: true,
+	    outlineStyle: true,
+	    outlineColor: true
+	  }
+	};
+	
+	var CSSProperty = {
+	  isUnitlessNumber: isUnitlessNumber,
+	  shorthandPropertyExpansions: shorthandPropertyExpansions
+	};
+	
+	module.exports = CSSProperty;
+
+/***/ },
+/* 114 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule camelizeStyleName
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var camelize = __webpack_require__(115);
+	
+	var msPattern = /^-ms-/;
+	
+	/**
+	 * Camelcases a hyphenated CSS property name, for example:
+	 *
+	 *   > camelizeStyleName('background-color')
+	 *   < "backgroundColor"
+	 *   > camelizeStyleName('-moz-transition')
+	 *   < "MozTransition"
+	 *   > camelizeStyleName('-ms-transition')
+	 *   < "msTransition"
+	 *
+	 * As Andi Smith suggests
+	 * (http://www.andismith.com/blog/2012/02/modernizr-prefixed/), an `-ms` prefix
+	 * is converted to lowercase `ms`.
+	 *
+	 * @param {string} string
+	 * @return {string}
+	 */
+	function camelizeStyleName(string) {
+	  return camelize(string.replace(msPattern, 'ms-'));
+	}
+	
+	module.exports = camelizeStyleName;
+
+/***/ },
+/* 115 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule camelize
+	 * @typechecks
+	 */
+	
+	"use strict";
+	
+	var _hyphenPattern = /-(.)/g;
+	
+	/**
+	 * Camelcases a hyphenated string, for example:
+	 *
+	 *   > camelize('background-color')
+	 *   < "backgroundColor"
+	 *
+	 * @param {string} string
+	 * @return {string}
+	 */
+	function camelize(string) {
+	  return string.replace(_hyphenPattern, function (_, character) {
+	    return character.toUpperCase();
+	  });
+	}
+	
+	module.exports = camelize;
+
+/***/ },
+/* 116 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule dangerousStyleValue
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var CSSProperty = __webpack_require__(113);
+	
+	var isUnitlessNumber = CSSProperty.isUnitlessNumber;
+	
+	/**
+	 * Convert a value into the proper css writable value. The style name `name`
+	 * should be logical (no hyphens), as specified
+	 * in `CSSProperty.isUnitlessNumber`.
+	 *
+	 * @param {string} name CSS property name such as `topMargin`.
+	 * @param {*} value CSS property value such as `10px`.
+	 * @return {string} Normalized style value with dimensions applied.
+	 */
+	function dangerousStyleValue(name, value) {
+	  // Note that we've removed escapeTextForBrowser() calls here since the
+	  // whole string will be escaped when the attribute is injected into
+	  // the markup. If you provide unsafe user data here they can inject
+	  // arbitrary CSS which may be problematic (I couldn't repro this):
+	  // https://www.owasp.org/index.php/XSS_Filter_Evasion_Cheat_Sheet
+	  // http://www.thespanner.co.uk/2007/11/26/ultimate-xss-css-injection/
+	  // This is not an XSS hole but instead a potential CSS injection issue
+	  // which has lead to a greater discussion about how we're going to
+	  // trust URLs moving forward. See #2115901
+	
+	  var isEmpty = value == null || typeof value === 'boolean' || value === '';
+	  if (isEmpty) {
+	    return '';
+	  }
+	
+	  var isNonNumeric = isNaN(value);
+	  if (isNonNumeric || value === 0 || isUnitlessNumber.hasOwnProperty(name) && isUnitlessNumber[name]) {
+	    return '' + value; // cast to string
+	  }
+	
+	  if (typeof value === 'string') {
+	    value = value.trim();
+	  }
+	  return value + 'px';
+	}
+	
+	module.exports = dangerousStyleValue;
+
+/***/ },
+/* 117 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule hyphenateStyleName
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var hyphenate = __webpack_require__(118);
+	
+	var msPattern = /^ms-/;
+	
+	/**
+	 * Hyphenates a camelcased CSS property name, for example:
+	 *
+	 *   > hyphenateStyleName('backgroundColor')
+	 *   < "background-color"
+	 *   > hyphenateStyleName('MozTransition')
+	 *   < "-moz-transition"
+	 *   > hyphenateStyleName('msTransition')
+	 *   < "-ms-transition"
+	 *
+	 * As Modernizr suggests (http://modernizr.com/docs/#prefixed), an `ms` prefix
+	 * is converted to `-ms-`.
+	 *
+	 * @param {string} string
+	 * @return {string}
+	 */
+	function hyphenateStyleName(string) {
+	  return hyphenate(string).replace(msPattern, '-ms-');
+	}
+	
+	module.exports = hyphenateStyleName;
+
+/***/ },
+/* 118 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule hyphenate
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var _uppercasePattern = /([A-Z])/g;
+	
+	/**
+	 * Hyphenates a camelcased string, for example:
+	 *
+	 *   > hyphenate('backgroundColor')
+	 *   < "background-color"
+	 *
+	 * For CSS style names, use `hyphenateStyleName` instead which works properly
+	 * with all vendor prefixes, including `ms`.
+	 *
+	 * @param {string} string
+	 * @return {string}
+	 */
+	function hyphenate(string) {
+	  return string.replace(_uppercasePattern, '-$1').toLowerCase();
+	}
+	
+	module.exports = hyphenate;
+
+/***/ },
+/* 119 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule memoizeStringOnly
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Memoizes the return value of a function that accepts one string argument.
+	 *
+	 * @param {function} callback
+	 * @return {function}
+	 */
+	function memoizeStringOnly(callback) {
+	  var cache = {};
+	  return function (string) {
+	    if (!cache.hasOwnProperty(string)) {
+	      cache[string] = callback.call(this, string);
+	    }
+	    return cache[string];
+	  };
+	}
+	
+	module.exports = memoizeStringOnly;
+
+/***/ },
+/* 120 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMButton
+	 */
+	
+	'use strict';
+	
+	var mouseListenerNames = {
+	  onClick: true,
+	  onDoubleClick: true,
+	  onMouseDown: true,
+	  onMouseMove: true,
+	  onMouseUp: true,
+	
+	  onClickCapture: true,
+	  onDoubleClickCapture: true,
+	  onMouseDownCapture: true,
+	  onMouseMoveCapture: true,
+	  onMouseUpCapture: true
+	};
+	
+	/**
+	 * Implements a <button> native component that does not receive mouse events
+	 * when `disabled` is set.
+	 */
+	var ReactDOMButton = {
+	  getNativeProps: function (inst, props, context) {
+	    if (!props.disabled) {
+	      return props;
+	    }
+	
+	    // Copy the props, except the mouse listeners
+	    var nativeProps = {};
+	    for (var key in props) {
+	      if (props.hasOwnProperty(key) && !mouseListenerNames[key]) {
+	        nativeProps[key] = props[key];
+	      }
+	    }
+	
+	    return nativeProps;
+	  }
+	};
+	
+	module.exports = ReactDOMButton;
+
+/***/ },
+/* 121 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMInput
+	 */
+	
+	'use strict';
+	
+	var ReactDOMIDOperations = __webpack_require__(43);
+	var LinkedValueUtils = __webpack_require__(122);
+	var ReactMount = __webpack_require__(44);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	
+	var instancesByReactID = {};
+	
+	function forceUpdateIfMounted() {
+	  if (this._rootNodeID) {
+	    // DOM component is still mounted; update
+	    ReactDOMInput.updateWrapper(this);
+	  }
+	}
+	
+	/**
+	 * Implements an <input> native component that allows setting these optional
+	 * props: `checked`, `value`, `defaultChecked`, and `defaultValue`.
+	 *
+	 * If `checked` or `value` are not supplied (or null/undefined), user actions
+	 * that affect the checked state or value will trigger updates to the element.
+	 *
+	 * If they are supplied (and not null/undefined), the rendered element will not
+	 * trigger updates to the element. Instead, the props must change in order for
+	 * the rendered element to be updated.
+	 *
+	 * The rendered element will be initialized as unchecked (or `defaultChecked`)
+	 * with an empty value (or `defaultValue`).
+	 *
+	 * @see http://www.w3.org/TR/2012/WD-html5-20121025/the-input-element.html
+	 */
+	var ReactDOMInput = {
+	  getNativeProps: function (inst, props, context) {
+	    var value = LinkedValueUtils.getValue(props);
+	    var checked = LinkedValueUtils.getChecked(props);
+	
+	    var nativeProps = assign({}, props, {
+	      defaultChecked: undefined,
+	      defaultValue: undefined,
+	      value: value != null ? value : inst._wrapperState.initialValue,
+	      checked: checked != null ? checked : inst._wrapperState.initialChecked,
+	      onChange: inst._wrapperState.onChange
+	    });
+	
+	    return nativeProps;
+	  },
+	
+	  mountWrapper: function (inst, props) {
+	    if (true) {
+	      LinkedValueUtils.checkPropTypes('input', props, inst._currentElement._owner);
+	    }
+	
+	    var defaultValue = props.defaultValue;
+	    inst._wrapperState = {
+	      initialChecked: props.defaultChecked || false,
+	      initialValue: defaultValue != null ? defaultValue : null,
+	      onChange: _handleChange.bind(inst)
+	    };
+	  },
+	
+	  mountReadyWrapper: function (inst) {
+	    // Can't be in mountWrapper or else server rendering leaks.
+	    instancesByReactID[inst._rootNodeID] = inst;
+	  },
+	
+	  unmountWrapper: function (inst) {
+	    delete instancesByReactID[inst._rootNodeID];
+	  },
+	
+	  updateWrapper: function (inst) {
+	    var props = inst._currentElement.props;
+	
+	    // TODO: Shouldn't this be getChecked(props)?
+	    var checked = props.checked;
+	    if (checked != null) {
+	      ReactDOMIDOperations.updatePropertyByID(inst._rootNodeID, 'checked', checked || false);
+	    }
+	
+	    var value = LinkedValueUtils.getValue(props);
+	    if (value != null) {
+	      // Cast `value` to a string to ensure the value is set correctly. While
+	      // browsers typically do this as necessary, jsdom doesn't.
+	      ReactDOMIDOperations.updatePropertyByID(inst._rootNodeID, 'value', '' + value);
+	    }
+	  }
+	};
+	
+	function _handleChange(event) {
+	  var props = this._currentElement.props;
+	
+	  var returnValue = LinkedValueUtils.executeOnChange(props, event);
+	
+	  // Here we use asap to wait until all updates have propagated, which
+	  // is important when using controlled components within layers:
+	  // https://github.com/facebook/react/issues/1698
+	  ReactUpdates.asap(forceUpdateIfMounted, this);
+	
+	  var name = props.name;
+	  if (props.type === 'radio' && name != null) {
+	    var rootNode = ReactMount.getNode(this._rootNodeID);
+	    var queryRoot = rootNode;
+	
+	    while (queryRoot.parentNode) {
+	      queryRoot = queryRoot.parentNode;
+	    }
+	
+	    // If `rootNode.form` was non-null, then we could try `form.elements`,
+	    // but that sometimes behaves strangely in IE8. We could also try using
+	    // `form.getElementsByName`, but that will only return direct children
+	    // and won't include inputs that use the HTML5 `form=` attribute. Since
+	    // the input might not even be in a form, let's just use the global
+	    // `querySelectorAll` to ensure we don't miss anything.
+	    var group = queryRoot.querySelectorAll('input[name=' + JSON.stringify('' + name) + '][type="radio"]');
+	
+	    for (var i = 0; i < group.length; i++) {
+	      var otherNode = group[i];
+	      if (otherNode === rootNode || otherNode.form !== rootNode.form) {
+	        continue;
+	      }
+	      // This will throw if radio buttons rendered by different copies of React
+	      // and the same name are rendered into the same form (same as #1939).
+	      // That's probably okay; we don't support it just as we don't support
+	      // mixing React with non-React.
+	      var otherID = ReactMount.getID(otherNode);
+	      !otherID ?  true ? invariant(false, 'ReactDOMInput: Mixing React and non-React radio inputs with the ' + 'same `name` is not supported.') : invariant(false) : undefined;
+	      var otherInstance = instancesByReactID[otherID];
+	      !otherInstance ?  true ? invariant(false, 'ReactDOMInput: Unknown radio button ID %s.', otherID) : invariant(false) : undefined;
+	      // If this is a controlled radio button group, forcing the input that
+	      // was previously checked to update will cause it to be come re-checked
+	      // as appropriate.
+	      ReactUpdates.asap(forceUpdateIfMounted, otherInstance);
+	    }
+	  }
+	
+	  return returnValue;
+	}
+	
+	module.exports = ReactDOMInput;
+
+/***/ },
+/* 122 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule LinkedValueUtils
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactPropTypes = __webpack_require__(123);
+	var ReactPropTypeLocations = __webpack_require__(81);
+	
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	var hasReadOnlyValue = {
+	  'button': true,
+	  'checkbox': true,
+	  'image': true,
+	  'hidden': true,
+	  'radio': true,
+	  'reset': true,
+	  'submit': true
+	};
+	
+	function _assertSingleLink(inputProps) {
+	  !(inputProps.checkedLink == null || inputProps.valueLink == null) ?  true ? invariant(false, 'Cannot provide a checkedLink and a valueLink. If you want to use ' + 'checkedLink, you probably don\'t want to use valueLink and vice versa.') : invariant(false) : undefined;
+	}
+	function _assertValueLink(inputProps) {
+	  _assertSingleLink(inputProps);
+	  !(inputProps.value == null && inputProps.onChange == null) ?  true ? invariant(false, 'Cannot provide a valueLink and a value or onChange event. If you want ' + 'to use value or onChange, you probably don\'t want to use valueLink.') : invariant(false) : undefined;
+	}
+	
+	function _assertCheckedLink(inputProps) {
+	  _assertSingleLink(inputProps);
+	  !(inputProps.checked == null && inputProps.onChange == null) ?  true ? invariant(false, 'Cannot provide a checkedLink and a checked property or onChange event. ' + 'If you want to use checked or onChange, you probably don\'t want to ' + 'use checkedLink') : invariant(false) : undefined;
+	}
+	
+	var propTypes = {
+	  value: function (props, propName, componentName) {
+	    if (!props[propName] || hasReadOnlyValue[props.type] || props.onChange || props.readOnly || props.disabled) {
+	      return null;
+	    }
+	    return new Error('You provided a `value` prop to a form field without an ' + '`onChange` handler. This will render a read-only field. If ' + 'the field should be mutable use `defaultValue`. Otherwise, ' + 'set either `onChange` or `readOnly`.');
+	  },
+	  checked: function (props, propName, componentName) {
+	    if (!props[propName] || props.onChange || props.readOnly || props.disabled) {
+	      return null;
+	    }
+	    return new Error('You provided a `checked` prop to a form field without an ' + '`onChange` handler. This will render a read-only field. If ' + 'the field should be mutable use `defaultChecked`. Otherwise, ' + 'set either `onChange` or `readOnly`.');
+	  },
+	  onChange: ReactPropTypes.func
+	};
+	
+	var loggedTypeFailures = {};
+	function getDeclarationErrorAddendum(owner) {
+	  if (owner) {
+	    var name = owner.getName();
+	    if (name) {
+	      return ' Check the render method of `' + name + '`.';
+	    }
+	  }
+	  return '';
+	}
+	
+	/**
+	 * Provide a linked `value` attribute for controlled forms. You should not use
+	 * this outside of the ReactDOM controlled form components.
+	 */
+	var LinkedValueUtils = {
+	  checkPropTypes: function (tagName, props, owner) {
+	    for (var propName in propTypes) {
+	      if (propTypes.hasOwnProperty(propName)) {
+	        var error = propTypes[propName](props, propName, tagName, ReactPropTypeLocations.prop);
+	      }
+	      if (error instanceof Error && !(error.message in loggedTypeFailures)) {
+	        // Only monitor this failure once because there tends to be a lot of the
+	        // same error.
+	        loggedTypeFailures[error.message] = true;
+	
+	        var addendum = getDeclarationErrorAddendum(owner);
+	         true ? warning(false, 'Failed form propType: %s%s', error.message, addendum) : undefined;
+	      }
+	    }
+	  },
+	
+	  /**
+	   * @param {object} inputProps Props for form component
+	   * @return {*} current value of the input either from value prop or link.
+	   */
+	  getValue: function (inputProps) {
+	    if (inputProps.valueLink) {
+	      _assertValueLink(inputProps);
+	      return inputProps.valueLink.value;
+	    }
+	    return inputProps.value;
+	  },
+	
+	  /**
+	   * @param {object} inputProps Props for form component
+	   * @return {*} current checked status of the input either from checked prop
+	   *             or link.
+	   */
+	  getChecked: function (inputProps) {
+	    if (inputProps.checkedLink) {
+	      _assertCheckedLink(inputProps);
+	      return inputProps.checkedLink.value;
+	    }
+	    return inputProps.checked;
+	  },
+	
+	  /**
+	   * @param {object} inputProps Props for form component
+	   * @param {SyntheticEvent} event change event to handle
+	   */
+	  executeOnChange: function (inputProps, event) {
+	    if (inputProps.valueLink) {
+	      _assertValueLink(inputProps);
+	      return inputProps.valueLink.requestChange(event.target.value);
+	    } else if (inputProps.checkedLink) {
+	      _assertCheckedLink(inputProps);
+	      return inputProps.checkedLink.requestChange(event.target.checked);
+	    } else if (inputProps.onChange) {
+	      return inputProps.onChange.call(undefined, event);
+	    }
+	  }
+	};
+	
+	module.exports = LinkedValueUtils;
+
+/***/ },
+/* 123 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactPropTypes
+	 */
+	
+	'use strict';
+	
+	var ReactElement = __webpack_require__(58);
+	var ReactPropTypeLocationNames = __webpack_require__(82);
+	
+	var emptyFunction = __webpack_require__(31);
+	var getIteratorFn = __webpack_require__(124);
+	
+	/**
+	 * Collection of methods that allow declaration and validation of props that are
+	 * supplied to React components. Example usage:
+	 *
+	 *   var Props = require('ReactPropTypes');
+	 *   var MyArticle = React.createClass({
+	 *     propTypes: {
+	 *       // An optional string prop named "description".
+	 *       description: Props.string,
+	 *
+	 *       // A required enum prop named "category".
+	 *       category: Props.oneOf(['News','Photos']).isRequired,
+	 *
+	 *       // A prop named "dialog" that requires an instance of Dialog.
+	 *       dialog: Props.instanceOf(Dialog).isRequired
+	 *     },
+	 *     render: function() { ... }
+	 *   });
+	 *
+	 * A more formal specification of how these methods are used:
+	 *
+	 *   type := array|bool|func|object|number|string|oneOf([...])|instanceOf(...)
+	 *   decl := ReactPropTypes.{type}(.isRequired)?
+	 *
+	 * Each and every declaration produces a function with the same signature. This
+	 * allows the creation of custom validation functions. For example:
+	 *
+	 *  var MyLink = React.createClass({
+	 *    propTypes: {
+	 *      // An optional string or URI prop named "href".
+	 *      href: function(props, propName, componentName) {
+	 *        var propValue = props[propName];
+	 *        if (propValue != null && typeof propValue !== 'string' &&
+	 *            !(propValue instanceof URI)) {
+	 *          return new Error(
+	 *            'Expected a string or an URI for ' + propName + ' in ' +
+	 *            componentName
+	 *          );
+	 *        }
+	 *      }
+	 *    },
+	 *    render: function() {...}
+	 *  });
+	 *
+	 * @internal
+	 */
+	
+	var ANONYMOUS = '<<anonymous>>';
+	
+	var ReactPropTypes = {
+	  array: createPrimitiveTypeChecker('array'),
+	  bool: createPrimitiveTypeChecker('boolean'),
+	  func: createPrimitiveTypeChecker('function'),
+	  number: createPrimitiveTypeChecker('number'),
+	  object: createPrimitiveTypeChecker('object'),
+	  string: createPrimitiveTypeChecker('string'),
+	
+	  any: createAnyTypeChecker(),
+	  arrayOf: createArrayOfTypeChecker,
+	  element: createElementTypeChecker(),
+	  instanceOf: createInstanceTypeChecker,
+	  node: createNodeChecker(),
+	  objectOf: createObjectOfTypeChecker,
+	  oneOf: createEnumTypeChecker,
+	  oneOfType: createUnionTypeChecker,
+	  shape: createShapeTypeChecker
+	};
+	
+	function createChainableTypeChecker(validate) {
+	  function checkType(isRequired, props, propName, componentName, location, propFullName) {
+	    componentName = componentName || ANONYMOUS;
+	    propFullName = propFullName || propName;
+	    if (props[propName] == null) {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      if (isRequired) {
+	        return new Error('Required ' + locationName + ' `' + propFullName + '` was not specified in ' + ('`' + componentName + '`.'));
+	      }
+	      return null;
+	    } else {
+	      return validate(props, propName, componentName, location, propFullName);
+	    }
+	  }
+	
+	  var chainedCheckType = checkType.bind(null, false);
+	  chainedCheckType.isRequired = checkType.bind(null, true);
+	
+	  return chainedCheckType;
+	}
+	
+	function createPrimitiveTypeChecker(expectedType) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    var propType = getPropType(propValue);
+	    if (propType !== expectedType) {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      // `propValue` being instance of, say, date/regexp, pass the 'object'
+	      // check, but we can offer a more precise error message here rather than
+	      // 'of type `object`'.
+	      var preciseType = getPreciseType(propValue);
+	
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` of type ' + ('`' + preciseType + '` supplied to `' + componentName + '`, expected ') + ('`' + expectedType + '`.'));
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createAnyTypeChecker() {
+	  return createChainableTypeChecker(emptyFunction.thatReturns(null));
+	}
+	
+	function createArrayOfTypeChecker(typeChecker) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    if (!Array.isArray(propValue)) {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      var propType = getPropType(propValue);
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected an array.'));
+	    }
+	    for (var i = 0; i < propValue.length; i++) {
+	      var error = typeChecker(propValue, i, componentName, location, propFullName + '[' + i + ']');
+	      if (error instanceof Error) {
+	        return error;
+	      }
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createElementTypeChecker() {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    if (!ReactElement.isValidElement(props[propName])) {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`, expected a single ReactElement.'));
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createInstanceTypeChecker(expectedClass) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    if (!(props[propName] instanceof expectedClass)) {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      var expectedClassName = expectedClass.name || ANONYMOUS;
+	      var actualClassName = getClassName(props[propName]);
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` of type ' + ('`' + actualClassName + '` supplied to `' + componentName + '`, expected ') + ('instance of `' + expectedClassName + '`.'));
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createEnumTypeChecker(expectedValues) {
+	  if (!Array.isArray(expectedValues)) {
+	    return createChainableTypeChecker(function () {
+	      return new Error('Invalid argument supplied to oneOf, expected an instance of array.');
+	    });
+	  }
+	
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    for (var i = 0; i < expectedValues.length; i++) {
+	      if (propValue === expectedValues[i]) {
+	        return null;
+	      }
+	    }
+	
+	    var locationName = ReactPropTypeLocationNames[location];
+	    var valuesString = JSON.stringify(expectedValues);
+	    return new Error('Invalid ' + locationName + ' `' + propFullName + '` of value `' + propValue + '` ' + ('supplied to `' + componentName + '`, expected one of ' + valuesString + '.'));
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createObjectOfTypeChecker(typeChecker) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    var propType = getPropType(propValue);
+	    if (propType !== 'object') {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected an object.'));
+	    }
+	    for (var key in propValue) {
+	      if (propValue.hasOwnProperty(key)) {
+	        var error = typeChecker(propValue, key, componentName, location, propFullName + '.' + key);
+	        if (error instanceof Error) {
+	          return error;
+	        }
+	      }
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createUnionTypeChecker(arrayOfTypeCheckers) {
+	  if (!Array.isArray(arrayOfTypeCheckers)) {
+	    return createChainableTypeChecker(function () {
+	      return new Error('Invalid argument supplied to oneOfType, expected an instance of array.');
+	    });
+	  }
+	
+	  function validate(props, propName, componentName, location, propFullName) {
+	    for (var i = 0; i < arrayOfTypeCheckers.length; i++) {
+	      var checker = arrayOfTypeCheckers[i];
+	      if (checker(props, propName, componentName, location, propFullName) == null) {
+	        return null;
+	      }
+	    }
+	
+	    var locationName = ReactPropTypeLocationNames[location];
+	    return new Error('Invalid ' + locationName + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`.'));
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createNodeChecker() {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    if (!isNode(props[propName])) {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`, expected a ReactNode.'));
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createShapeTypeChecker(shapeTypes) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    var propType = getPropType(propValue);
+	    if (propType !== 'object') {
+	      var locationName = ReactPropTypeLocationNames[location];
+	      return new Error('Invalid ' + locationName + ' `' + propFullName + '` of type `' + propType + '` ' + ('supplied to `' + componentName + '`, expected `object`.'));
+	    }
+	    for (var key in shapeTypes) {
+	      var checker = shapeTypes[key];
+	      if (!checker) {
+	        continue;
+	      }
+	      var error = checker(propValue, key, componentName, location, propFullName + '.' + key);
+	      if (error) {
+	        return error;
+	      }
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function isNode(propValue) {
+	  switch (typeof propValue) {
+	    case 'number':
+	    case 'string':
+	    case 'undefined':
+	      return true;
+	    case 'boolean':
+	      return !propValue;
+	    case 'object':
+	      if (Array.isArray(propValue)) {
+	        return propValue.every(isNode);
+	      }
+	      if (propValue === null || ReactElement.isValidElement(propValue)) {
+	        return true;
+	      }
+	
+	      var iteratorFn = getIteratorFn(propValue);
+	      if (iteratorFn) {
+	        var iterator = iteratorFn.call(propValue);
+	        var step;
+	        if (iteratorFn !== propValue.entries) {
+	          while (!(step = iterator.next()).done) {
+	            if (!isNode(step.value)) {
+	              return false;
+	            }
+	          }
+	        } else {
+	          // Iterator will provide entry [k,v] tuples rather than values.
+	          while (!(step = iterator.next()).done) {
+	            var entry = step.value;
+	            if (entry) {
+	              if (!isNode(entry[1])) {
+	                return false;
+	              }
+	            }
+	          }
+	        }
+	      } else {
+	        return false;
+	      }
+	
+	      return true;
+	    default:
+	      return false;
+	  }
+	}
+	
+	// Equivalent of `typeof` but with special handling for array and regexp.
+	function getPropType(propValue) {
+	  var propType = typeof propValue;
+	  if (Array.isArray(propValue)) {
+	    return 'array';
+	  }
+	  if (propValue instanceof RegExp) {
+	    // Old webkits (at least until Android 4.0) return 'function' rather than
+	    // 'object' for typeof a RegExp. We'll normalize this here so that /bla/
+	    // passes PropTypes.object.
+	    return 'object';
+	  }
+	  return propType;
+	}
+	
+	// This handles more types than `getPropType`. Only used for error messages.
+	// See `createPrimitiveTypeChecker`.
+	function getPreciseType(propValue) {
+	  var propType = getPropType(propValue);
+	  if (propType === 'object') {
+	    if (propValue instanceof Date) {
+	      return 'date';
+	    } else if (propValue instanceof RegExp) {
+	      return 'regexp';
+	    }
+	  }
+	  return propType;
+	}
+	
+	// Returns class name of the object, if any.
+	function getClassName(propValue) {
+	  if (!propValue.constructor || !propValue.constructor.name) {
+	    return '<<anonymous>>';
+	  }
+	  return propValue.constructor.name;
+	}
+	
+	module.exports = ReactPropTypes;
+
+/***/ },
+/* 124 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getIteratorFn
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/* global Symbol */
+	var ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator;
+	var FAUX_ITERATOR_SYMBOL = '@@iterator'; // Before Symbol spec.
+	
+	/**
+	 * Returns the iterator method function contained on the iterable object.
+	 *
+	 * Be sure to invoke the function with the iterable as context:
+	 *
+	 *     var iteratorFn = getIteratorFn(myIterable);
+	 *     if (iteratorFn) {
+	 *       var iterator = iteratorFn.call(myIterable);
+	 *       ...
+	 *     }
+	 *
+	 * @param {?object} maybeIterable
+	 * @return {?function}
+	 */
+	function getIteratorFn(maybeIterable) {
+	  var iteratorFn = maybeIterable && (ITERATOR_SYMBOL && maybeIterable[ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL]);
+	  if (typeof iteratorFn === 'function') {
+	    return iteratorFn;
+	  }
+	}
+	
+	module.exports = getIteratorFn;
+
+/***/ },
+/* 125 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMOption
+	 */
+	
+	'use strict';
+	
+	var ReactChildren = __webpack_require__(126);
+	var ReactDOMSelect = __webpack_require__(128);
+	
+	var assign = __webpack_require__(55);
+	var warning = __webpack_require__(41);
+	
+	var valueContextKey = ReactDOMSelect.valueContextKey;
+	
+	/**
+	 * Implements an <option> native component that warns when `selected` is set.
+	 */
+	var ReactDOMOption = {
+	  mountWrapper: function (inst, props, context) {
+	    // TODO (yungsters): Remove support for `selected` in <option>.
+	    if (true) {
+	       true ? warning(props.selected == null, 'Use the `defaultValue` or `value` props on <select> instead of ' + 'setting `selected` on <option>.') : undefined;
+	    }
+	
+	    // Look up whether this option is 'selected' via context
+	    var selectValue = context[valueContextKey];
+	
+	    // If context key is null (e.g., no specified value or after initial mount)
+	    // or missing (e.g., for <datalist>), we don't change props.selected
+	    var selected = null;
+	    if (selectValue != null) {
+	      selected = false;
+	      if (Array.isArray(selectValue)) {
+	        // multiple
+	        for (var i = 0; i < selectValue.length; i++) {
+	          if ('' + selectValue[i] === '' + props.value) {
+	            selected = true;
+	            break;
+	          }
+	        }
+	      } else {
+	        selected = '' + selectValue === '' + props.value;
+	      }
+	    }
+	
+	    inst._wrapperState = { selected: selected };
+	  },
+	
+	  getNativeProps: function (inst, props, context) {
+	    var nativeProps = assign({ selected: undefined, children: undefined }, props);
+	
+	    // Read state only from initial mount because <select> updates value
+	    // manually; we need the initial state only for server rendering
+	    if (inst._wrapperState.selected != null) {
+	      nativeProps.selected = inst._wrapperState.selected;
+	    }
+	
+	    var content = '';
+	
+	    // Flatten children and warn if they aren't strings or numbers;
+	    // invalid types are ignored.
+	    ReactChildren.forEach(props.children, function (child) {
+	      if (child == null) {
+	        return;
+	      }
+	      if (typeof child === 'string' || typeof child === 'number') {
+	        content += child;
+	      } else {
+	         true ? warning(false, 'Only strings and numbers are supported as <option> children.') : undefined;
+	      }
+	    });
+	
+	    if (content) {
+	      nativeProps.children = content;
+	    }
+	
+	    return nativeProps;
+	  }
+	
+	};
+	
+	module.exports = ReactDOMOption;
+
+/***/ },
+/* 126 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactChildren
+	 */
+	
+	'use strict';
+	
+	var PooledClass = __webpack_require__(72);
+	var ReactElement = __webpack_require__(58);
+	
+	var emptyFunction = __webpack_require__(31);
+	var traverseAllChildren = __webpack_require__(127);
+	
+	var twoArgumentPooler = PooledClass.twoArgumentPooler;
+	var fourArgumentPooler = PooledClass.fourArgumentPooler;
+	
+	var userProvidedKeyEscapeRegex = /\/(?!\/)/g;
+	function escapeUserProvidedKey(text) {
+	  return ('' + text).replace(userProvidedKeyEscapeRegex, '//');
+	}
+	
+	/**
+	 * PooledClass representing the bookkeeping associated with performing a child
+	 * traversal. Allows avoiding binding callbacks.
+	 *
+	 * @constructor ForEachBookKeeping
+	 * @param {!function} forEachFunction Function to perform traversal with.
+	 * @param {?*} forEachContext Context to perform context with.
+	 */
+	function ForEachBookKeeping(forEachFunction, forEachContext) {
+	  this.func = forEachFunction;
+	  this.context = forEachContext;
+	  this.count = 0;
+	}
+	ForEachBookKeeping.prototype.destructor = function () {
+	  this.func = null;
+	  this.context = null;
+	  this.count = 0;
+	};
+	PooledClass.addPoolingTo(ForEachBookKeeping, twoArgumentPooler);
+	
+	function forEachSingleChild(bookKeeping, child, name) {
+	  var func = bookKeeping.func;
+	  var context = bookKeeping.context;
+	
+	  func.call(context, child, bookKeeping.count++);
+	}
+	
+	/**
+	 * Iterates through children that are typically specified as `props.children`.
+	 *
+	 * The provided forEachFunc(child, index) will be called for each
+	 * leaf child.
+	 *
+	 * @param {?*} children Children tree container.
+	 * @param {function(*, int)} forEachFunc
+	 * @param {*} forEachContext Context for forEachContext.
+	 */
+	function forEachChildren(children, forEachFunc, forEachContext) {
+	  if (children == null) {
+	    return children;
+	  }
+	  var traverseContext = ForEachBookKeeping.getPooled(forEachFunc, forEachContext);
+	  traverseAllChildren(children, forEachSingleChild, traverseContext);
+	  ForEachBookKeeping.release(traverseContext);
+	}
+	
+	/**
+	 * PooledClass representing the bookkeeping associated with performing a child
+	 * mapping. Allows avoiding binding callbacks.
+	 *
+	 * @constructor MapBookKeeping
+	 * @param {!*} mapResult Object containing the ordered map of results.
+	 * @param {!function} mapFunction Function to perform mapping with.
+	 * @param {?*} mapContext Context to perform mapping with.
+	 */
+	function MapBookKeeping(mapResult, keyPrefix, mapFunction, mapContext) {
+	  this.result = mapResult;
+	  this.keyPrefix = keyPrefix;
+	  this.func = mapFunction;
+	  this.context = mapContext;
+	  this.count = 0;
+	}
+	MapBookKeeping.prototype.destructor = function () {
+	  this.result = null;
+	  this.keyPrefix = null;
+	  this.func = null;
+	  this.context = null;
+	  this.count = 0;
+	};
+	PooledClass.addPoolingTo(MapBookKeeping, fourArgumentPooler);
+	
+	function mapSingleChildIntoContext(bookKeeping, child, childKey) {
+	  var result = bookKeeping.result;
+	  var keyPrefix = bookKeeping.keyPrefix;
+	  var func = bookKeeping.func;
+	  var context = bookKeeping.context;
+	
+	  var mappedChild = func.call(context, child, bookKeeping.count++);
+	  if (Array.isArray(mappedChild)) {
+	    mapIntoWithKeyPrefixInternal(mappedChild, result, childKey, emptyFunction.thatReturnsArgument);
+	  } else if (mappedChild != null) {
+	    if (ReactElement.isValidElement(mappedChild)) {
+	      mappedChild = ReactElement.cloneAndReplaceKey(mappedChild,
+	      // Keep both the (mapped) and old keys if they differ, just as
+	      // traverseAllChildren used to do for objects as children
+	      keyPrefix + (mappedChild !== child ? escapeUserProvidedKey(mappedChild.key || '') + '/' : '') + childKey);
+	    }
+	    result.push(mappedChild);
+	  }
+	}
+	
+	function mapIntoWithKeyPrefixInternal(children, array, prefix, func, context) {
+	  var escapedPrefix = '';
+	  if (prefix != null) {
+	    escapedPrefix = escapeUserProvidedKey(prefix) + '/';
+	  }
+	  var traverseContext = MapBookKeeping.getPooled(array, escapedPrefix, func, context);
+	  traverseAllChildren(children, mapSingleChildIntoContext, traverseContext);
+	  MapBookKeeping.release(traverseContext);
+	}
+	
+	/**
+	 * Maps children that are typically specified as `props.children`.
+	 *
+	 * The provided mapFunction(child, key, index) will be called for each
+	 * leaf child.
+	 *
+	 * @param {?*} children Children tree container.
+	 * @param {function(*, int)} func The map function.
+	 * @param {*} context Context for mapFunction.
+	 * @return {object} Object containing the ordered map of results.
+	 */
+	function mapChildren(children, func, context) {
+	  if (children == null) {
+	    return children;
+	  }
+	  var result = [];
+	  mapIntoWithKeyPrefixInternal(children, result, null, func, context);
+	  return result;
+	}
+	
+	function forEachSingleChildDummy(traverseContext, child, name) {
+	  return null;
+	}
+	
+	/**
+	 * Count the number of children that are typically specified as
+	 * `props.children`.
+	 *
+	 * @param {?*} children Children tree container.
+	 * @return {number} The number of children.
+	 */
+	function countChildren(children, context) {
+	  return traverseAllChildren(children, forEachSingleChildDummy, null);
+	}
+	
+	/**
+	 * Flatten a children object (typically specified as `props.children`) and
+	 * return an array with appropriately re-keyed children.
+	 */
+	function toArray(children) {
+	  var result = [];
+	  mapIntoWithKeyPrefixInternal(children, result, null, emptyFunction.thatReturnsArgument);
+	  return result;
+	}
+	
+	var ReactChildren = {
+	  forEach: forEachChildren,
+	  map: mapChildren,
+	  mapIntoWithKeyPrefixInternal: mapIntoWithKeyPrefixInternal,
+	  count: countChildren,
+	  toArray: toArray
+	};
+	
+	module.exports = ReactChildren;
+
+/***/ },
+/* 127 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule traverseAllChildren
+	 */
+	
+	'use strict';
+	
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactElement = __webpack_require__(58);
+	var ReactInstanceHandles = __webpack_require__(61);
+	
+	var getIteratorFn = __webpack_require__(124);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	var SEPARATOR = ReactInstanceHandles.SEPARATOR;
+	var SUBSEPARATOR = ':';
+	
+	/**
+	 * TODO: Test that a single child and an array with one item have the same key
+	 * pattern.
+	 */
+	
+	var userProvidedKeyEscaperLookup = {
+	  '=': '=0',
+	  '.': '=1',
+	  ':': '=2'
+	};
+	
+	var userProvidedKeyEscapeRegex = /[=.:]/g;
+	
+	var didWarnAboutMaps = false;
+	
+	function userProvidedKeyEscaper(match) {
+	  return userProvidedKeyEscaperLookup[match];
+	}
+	
+	/**
+	 * Generate a key string that identifies a component within a set.
+	 *
+	 * @param {*} component A component that could contain a manual key.
+	 * @param {number} index Index that is used if a manual key is not provided.
+	 * @return {string}
+	 */
+	function getComponentKey(component, index) {
+	  if (component && component.key != null) {
+	    // Explicit key
+	    return wrapUserProvidedKey(component.key);
+	  }
+	  // Implicit key determined by the index in the set
+	  return index.toString(36);
+	}
+	
+	/**
+	 * Escape a component key so that it is safe to use in a reactid.
+	 *
+	 * @param {*} text Component key to be escaped.
+	 * @return {string} An escaped string.
+	 */
+	function escapeUserProvidedKey(text) {
+	  return ('' + text).replace(userProvidedKeyEscapeRegex, userProvidedKeyEscaper);
+	}
+	
+	/**
+	 * Wrap a `key` value explicitly provided by the user to distinguish it from
+	 * implicitly-generated keys generated by a component's index in its parent.
+	 *
+	 * @param {string} key Value of a user-provided `key` attribute
+	 * @return {string}
+	 */
+	function wrapUserProvidedKey(key) {
+	  return '$' + escapeUserProvidedKey(key);
+	}
+	
+	/**
+	 * @param {?*} children Children tree container.
+	 * @param {!string} nameSoFar Name of the key path so far.
+	 * @param {!function} callback Callback to invoke with each child found.
+	 * @param {?*} traverseContext Used to pass information throughout the traversal
+	 * process.
+	 * @return {!number} The number of children in this subtree.
+	 */
+	function traverseAllChildrenImpl(children, nameSoFar, callback, traverseContext) {
+	  var type = typeof children;
+	
+	  if (type === 'undefined' || type === 'boolean') {
+	    // All of the above are perceived as null.
+	    children = null;
+	  }
+	
+	  if (children === null || type === 'string' || type === 'number' || ReactElement.isValidElement(children)) {
+	    callback(traverseContext, children,
+	    // If it's the only child, treat the name as if it was wrapped in an array
+	    // so that it's consistent if the number of children grows.
+	    nameSoFar === '' ? SEPARATOR + getComponentKey(children, 0) : nameSoFar);
+	    return 1;
+	  }
+	
+	  var child;
+	  var nextName;
+	  var subtreeCount = 0; // Count of children found in the current subtree.
+	  var nextNamePrefix = nameSoFar === '' ? SEPARATOR : nameSoFar + SUBSEPARATOR;
+	
+	  if (Array.isArray(children)) {
+	    for (var i = 0; i < children.length; i++) {
+	      child = children[i];
+	      nextName = nextNamePrefix + getComponentKey(child, i);
+	      subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);
+	    }
+	  } else {
+	    var iteratorFn = getIteratorFn(children);
+	    if (iteratorFn) {
+	      var iterator = iteratorFn.call(children);
+	      var step;
+	      if (iteratorFn !== children.entries) {
+	        var ii = 0;
+	        while (!(step = iterator.next()).done) {
+	          child = step.value;
+	          nextName = nextNamePrefix + getComponentKey(child, ii++);
+	          subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);
+	        }
+	      } else {
+	        if (true) {
+	           true ? warning(didWarnAboutMaps, 'Using Maps as children is not yet fully supported. It is an ' + 'experimental feature that might be removed. Convert it to a ' + 'sequence / iterable of keyed ReactElements instead.') : undefined;
+	          didWarnAboutMaps = true;
+	        }
+	        // Iterator will provide entry [k,v] tuples rather than values.
+	        while (!(step = iterator.next()).done) {
+	          var entry = step.value;
+	          if (entry) {
+	            child = entry[1];
+	            nextName = nextNamePrefix + wrapUserProvidedKey(entry[0]) + SUBSEPARATOR + getComponentKey(child, 0);
+	            subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);
+	          }
+	        }
+	      }
+	    } else if (type === 'object') {
+	      var addendum = '';
+	      if (true) {
+	        addendum = ' If you meant to render a collection of children, use an array ' + 'instead or wrap the object using createFragment(object) from the ' + 'React add-ons.';
+	        if (children._isReactElement) {
+	          addendum = ' It looks like you\'re using an element created by a different ' + 'version of React. Make sure to use only one copy of React.';
+	        }
+	        if (ReactCurrentOwner.current) {
+	          var name = ReactCurrentOwner.current.getName();
+	          if (name) {
+	            addendum += ' Check the render method of `' + name + '`.';
+	          }
+	        }
+	      }
+	      var childrenString = String(children);
+	       true ?  true ? invariant(false, 'Objects are not valid as a React child (found: %s).%s', childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString, addendum) : invariant(false) : undefined;
+	    }
+	  }
+	
+	  return subtreeCount;
+	}
+	
+	/**
+	 * Traverses children that are typically specified as `props.children`, but
+	 * might also be specified through attributes:
+	 *
+	 * - `traverseAllChildren(this.props.children, ...)`
+	 * - `traverseAllChildren(this.props.leftPanelChildren, ...)`
+	 *
+	 * The `traverseContext` is an optional argument that is passed through the
+	 * entire traversal. It can be used to store accumulations or anything else that
+	 * the callback might find relevant.
+	 *
+	 * @param {?*} children Children tree object.
+	 * @param {!function} callback To invoke upon traversing each child.
+	 * @param {?*} traverseContext Context for traversal.
+	 * @return {!number} The number of children in this subtree.
+	 */
+	function traverseAllChildren(children, callback, traverseContext) {
+	  if (children == null) {
+	    return 0;
+	  }
+	
+	  return traverseAllChildrenImpl(children, '', callback, traverseContext);
+	}
+	
+	module.exports = traverseAllChildren;
+
+/***/ },
+/* 128 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMSelect
+	 */
+	
+	'use strict';
+	
+	var LinkedValueUtils = __webpack_require__(122);
+	var ReactMount = __webpack_require__(44);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var assign = __webpack_require__(55);
+	var warning = __webpack_require__(41);
+	
+	var valueContextKey = '__ReactDOMSelect_value$' + Math.random().toString(36).slice(2);
+	
+	function updateOptionsIfPendingUpdateAndMounted() {
+	  if (this._rootNodeID && this._wrapperState.pendingUpdate) {
+	    this._wrapperState.pendingUpdate = false;
+	
+	    var props = this._currentElement.props;
+	    var value = LinkedValueUtils.getValue(props);
+	
+	    if (value != null) {
+	      updateOptions(this, Boolean(props.multiple), value);
+	    }
+	  }
+	}
+	
+	function getDeclarationErrorAddendum(owner) {
+	  if (owner) {
+	    var name = owner.getName();
+	    if (name) {
+	      return ' Check the render method of `' + name + '`.';
+	    }
+	  }
+	  return '';
+	}
+	
+	var valuePropNames = ['value', 'defaultValue'];
+	
+	/**
+	 * Validation function for `value` and `defaultValue`.
+	 * @private
+	 */
+	function checkSelectPropTypes(inst, props) {
+	  var owner = inst._currentElement._owner;
+	  LinkedValueUtils.checkPropTypes('select', props, owner);
+	
+	  for (var i = 0; i < valuePropNames.length; i++) {
+	    var propName = valuePropNames[i];
+	    if (props[propName] == null) {
+	      continue;
+	    }
+	    if (props.multiple) {
+	       true ? warning(Array.isArray(props[propName]), 'The `%s` prop supplied to <select> must be an array if ' + '`multiple` is true.%s', propName, getDeclarationErrorAddendum(owner)) : undefined;
+	    } else {
+	       true ? warning(!Array.isArray(props[propName]), 'The `%s` prop supplied to <select> must be a scalar ' + 'value if `multiple` is false.%s', propName, getDeclarationErrorAddendum(owner)) : undefined;
+	    }
+	  }
+	}
+	
+	/**
+	 * @param {ReactDOMComponent} inst
+	 * @param {boolean} multiple
+	 * @param {*} propValue A stringable (with `multiple`, a list of stringables).
+	 * @private
+	 */
+	function updateOptions(inst, multiple, propValue) {
+	  var selectedValue, i;
+	  var options = ReactMount.getNode(inst._rootNodeID).options;
+	
+	  if (multiple) {
+	    selectedValue = {};
+	    for (i = 0; i < propValue.length; i++) {
+	      selectedValue['' + propValue[i]] = true;
+	    }
+	    for (i = 0; i < options.length; i++) {
+	      var selected = selectedValue.hasOwnProperty(options[i].value);
+	      if (options[i].selected !== selected) {
+	        options[i].selected = selected;
+	      }
+	    }
+	  } else {
+	    // Do not set `select.value` as exact behavior isn't consistent across all
+	    // browsers for all cases.
+	    selectedValue = '' + propValue;
+	    for (i = 0; i < options.length; i++) {
+	      if (options[i].value === selectedValue) {
+	        options[i].selected = true;
+	        return;
+	      }
+	    }
+	    if (options.length) {
+	      options[0].selected = true;
+	    }
+	  }
+	}
+	
+	/**
+	 * Implements a <select> native component that allows optionally setting the
+	 * props `value` and `defaultValue`. If `multiple` is false, the prop must be a
+	 * stringable. If `multiple` is true, the prop must be an array of stringables.
+	 *
+	 * If `value` is not supplied (or null/undefined), user actions that change the
+	 * selected option will trigger updates to the rendered options.
+	 *
+	 * If it is supplied (and not null/undefined), the rendered options will not
+	 * update in response to user actions. Instead, the `value` prop must change in
+	 * order for the rendered options to update.
+	 *
+	 * If `defaultValue` is provided, any options with the supplied values will be
+	 * selected.
+	 */
+	var ReactDOMSelect = {
+	  valueContextKey: valueContextKey,
+	
+	  getNativeProps: function (inst, props, context) {
+	    return assign({}, props, {
+	      onChange: inst._wrapperState.onChange,
+	      value: undefined
+	    });
+	  },
+	
+	  mountWrapper: function (inst, props) {
+	    if (true) {
+	      checkSelectPropTypes(inst, props);
+	    }
+	
+	    var value = LinkedValueUtils.getValue(props);
+	    inst._wrapperState = {
+	      pendingUpdate: false,
+	      initialValue: value != null ? value : props.defaultValue,
+	      onChange: _handleChange.bind(inst),
+	      wasMultiple: Boolean(props.multiple)
+	    };
+	  },
+	
+	  processChildContext: function (inst, props, context) {
+	    // Pass down initial value so initial generated markup has correct
+	    // `selected` attributes
+	    var childContext = assign({}, context);
+	    childContext[valueContextKey] = inst._wrapperState.initialValue;
+	    return childContext;
+	  },
+	
+	  postUpdateWrapper: function (inst) {
+	    var props = inst._currentElement.props;
+	
+	    // After the initial mount, we control selected-ness manually so don't pass
+	    // the context value down
+	    inst._wrapperState.initialValue = undefined;
+	
+	    var wasMultiple = inst._wrapperState.wasMultiple;
+	    inst._wrapperState.wasMultiple = Boolean(props.multiple);
+	
+	    var value = LinkedValueUtils.getValue(props);
+	    if (value != null) {
+	      inst._wrapperState.pendingUpdate = false;
+	      updateOptions(inst, Boolean(props.multiple), value);
+	    } else if (wasMultiple !== Boolean(props.multiple)) {
+	      // For simplicity, reapply `defaultValue` if `multiple` is toggled.
+	      if (props.defaultValue != null) {
+	        updateOptions(inst, Boolean(props.multiple), props.defaultValue);
+	      } else {
+	        // Revert the select back to its default unselected state.
+	        updateOptions(inst, Boolean(props.multiple), props.multiple ? [] : '');
+	      }
+	    }
+	  }
+	};
+	
+	function _handleChange(event) {
+	  var props = this._currentElement.props;
+	  var returnValue = LinkedValueUtils.executeOnChange(props, event);
+	
+	  this._wrapperState.pendingUpdate = true;
+	  ReactUpdates.asap(updateOptionsIfPendingUpdateAndMounted, this);
+	  return returnValue;
+	}
+	
+	module.exports = ReactDOMSelect;
+
+/***/ },
+/* 129 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMTextarea
+	 */
+	
+	'use strict';
+	
+	var LinkedValueUtils = __webpack_require__(122);
+	var ReactDOMIDOperations = __webpack_require__(43);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var assign = __webpack_require__(55);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	function forceUpdateIfMounted() {
+	  if (this._rootNodeID) {
+	    // DOM component is still mounted; update
+	    ReactDOMTextarea.updateWrapper(this);
+	  }
+	}
+	
+	/**
+	 * Implements a <textarea> native component that allows setting `value`, and
+	 * `defaultValue`. This differs from the traditional DOM API because value is
+	 * usually set as PCDATA children.
+	 *
+	 * If `value` is not supplied (or null/undefined), user actions that affect the
+	 * value will trigger updates to the element.
+	 *
+	 * If `value` is supplied (and not null/undefined), the rendered element will
+	 * not trigger updates to the element. Instead, the `value` prop must change in
+	 * order for the rendered element to be updated.
+	 *
+	 * The rendered element will be initialized with an empty value, the prop
+	 * `defaultValue` if specified, or the children content (deprecated).
+	 */
+	var ReactDOMTextarea = {
+	  getNativeProps: function (inst, props, context) {
+	    !(props.dangerouslySetInnerHTML == null) ?  true ? invariant(false, '`dangerouslySetInnerHTML` does not make sense on <textarea>.') : invariant(false) : undefined;
+	
+	    // Always set children to the same thing. In IE9, the selection range will
+	    // get reset if `textContent` is mutated.
+	    var nativeProps = assign({}, props, {
+	      defaultValue: undefined,
+	      value: undefined,
+	      children: inst._wrapperState.initialValue,
+	      onChange: inst._wrapperState.onChange
+	    });
+	
+	    return nativeProps;
+	  },
+	
+	  mountWrapper: function (inst, props) {
+	    if (true) {
+	      LinkedValueUtils.checkPropTypes('textarea', props, inst._currentElement._owner);
+	    }
+	
+	    var defaultValue = props.defaultValue;
+	    // TODO (yungsters): Remove support for children content in <textarea>.
+	    var children = props.children;
+	    if (children != null) {
+	      if (true) {
+	         true ? warning(false, 'Use the `defaultValue` or `value` props instead of setting ' + 'children on <textarea>.') : undefined;
+	      }
+	      !(defaultValue == null) ?  true ? invariant(false, 'If you supply `defaultValue` on a <textarea>, do not pass children.') : invariant(false) : undefined;
+	      if (Array.isArray(children)) {
+	        !(children.length <= 1) ?  true ? invariant(false, '<textarea> can only have at most one child.') : invariant(false) : undefined;
+	        children = children[0];
+	      }
+	
+	      defaultValue = '' + children;
+	    }
+	    if (defaultValue == null) {
+	      defaultValue = '';
+	    }
+	    var value = LinkedValueUtils.getValue(props);
+	
+	    inst._wrapperState = {
+	      // We save the initial value so that `ReactDOMComponent` doesn't update
+	      // `textContent` (unnecessary since we update value).
+	      // The initial value can be a boolean or object so that's why it's
+	      // forced to be a string.
+	      initialValue: '' + (value != null ? value : defaultValue),
+	      onChange: _handleChange.bind(inst)
+	    };
+	  },
+	
+	  updateWrapper: function (inst) {
+	    var props = inst._currentElement.props;
+	    var value = LinkedValueUtils.getValue(props);
+	    if (value != null) {
+	      // Cast `value` to a string to ensure the value is set correctly. While
+	      // browsers typically do this as necessary, jsdom doesn't.
+	      ReactDOMIDOperations.updatePropertyByID(inst._rootNodeID, 'value', '' + value);
+	    }
+	  }
+	};
+	
+	function _handleChange(event) {
+	  var props = this._currentElement.props;
+	  var returnValue = LinkedValueUtils.executeOnChange(props, event);
+	  ReactUpdates.asap(forceUpdateIfMounted, this);
+	  return returnValue;
+	}
+	
+	module.exports = ReactDOMTextarea;
+
+/***/ },
+/* 130 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactMultiChild
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactComponentEnvironment = __webpack_require__(80);
+	var ReactMultiChildUpdateTypes = __webpack_require__(32);
+	
+	var ReactCurrentOwner = __webpack_require__(21);
+	var ReactReconciler = __webpack_require__(66);
+	var ReactChildReconciler = __webpack_require__(131);
+	
+	var flattenChildren = __webpack_require__(132);
+	
+	/**
+	 * Updating children of a component may trigger recursive updates. The depth is
+	 * used to batch recursive updates to render markup more efficiently.
+	 *
+	 * @type {number}
+	 * @private
+	 */
+	var updateDepth = 0;
+	
+	/**
+	 * Queue of update configuration objects.
+	 *
+	 * Each object has a `type` property that is in `ReactMultiChildUpdateTypes`.
+	 *
+	 * @type {array<object>}
+	 * @private
+	 */
+	var updateQueue = [];
+	
+	/**
+	 * Queue of markup to be rendered.
+	 *
+	 * @type {array<string>}
+	 * @private
+	 */
+	var markupQueue = [];
+	
+	/**
+	 * Enqueues markup to be rendered and inserted at a supplied index.
+	 *
+	 * @param {string} parentID ID of the parent component.
+	 * @param {string} markup Markup that renders into an element.
+	 * @param {number} toIndex Destination index.
+	 * @private
+	 */
+	function enqueueInsertMarkup(parentID, markup, toIndex) {
+	  // NOTE: Null values reduce hidden classes.
+	  updateQueue.push({
+	    parentID: parentID,
+	    parentNode: null,
+	    type: ReactMultiChildUpdateTypes.INSERT_MARKUP,
+	    markupIndex: markupQueue.push(markup) - 1,
+	    content: null,
+	    fromIndex: null,
+	    toIndex: toIndex
+	  });
+	}
+	
+	/**
+	 * Enqueues moving an existing element to another index.
+	 *
+	 * @param {string} parentID ID of the parent component.
+	 * @param {number} fromIndex Source index of the existing element.
+	 * @param {number} toIndex Destination index of the element.
+	 * @private
+	 */
+	function enqueueMove(parentID, fromIndex, toIndex) {
+	  // NOTE: Null values reduce hidden classes.
+	  updateQueue.push({
+	    parentID: parentID,
+	    parentNode: null,
+	    type: ReactMultiChildUpdateTypes.MOVE_EXISTING,
+	    markupIndex: null,
+	    content: null,
+	    fromIndex: fromIndex,
+	    toIndex: toIndex
+	  });
+	}
+	
+	/**
+	 * Enqueues removing an element at an index.
+	 *
+	 * @param {string} parentID ID of the parent component.
+	 * @param {number} fromIndex Index of the element to remove.
+	 * @private
+	 */
+	function enqueueRemove(parentID, fromIndex) {
+	  // NOTE: Null values reduce hidden classes.
+	  updateQueue.push({
+	    parentID: parentID,
+	    parentNode: null,
+	    type: ReactMultiChildUpdateTypes.REMOVE_NODE,
+	    markupIndex: null,
+	    content: null,
+	    fromIndex: fromIndex,
+	    toIndex: null
+	  });
+	}
+	
+	/**
+	 * Enqueues setting the markup of a node.
+	 *
+	 * @param {string} parentID ID of the parent component.
+	 * @param {string} markup Markup that renders into an element.
+	 * @private
+	 */
+	function enqueueSetMarkup(parentID, markup) {
+	  // NOTE: Null values reduce hidden classes.
+	  updateQueue.push({
+	    parentID: parentID,
+	    parentNode: null,
+	    type: ReactMultiChildUpdateTypes.SET_MARKUP,
+	    markupIndex: null,
+	    content: markup,
+	    fromIndex: null,
+	    toIndex: null
+	  });
+	}
+	
+	/**
+	 * Enqueues setting the text content.
+	 *
+	 * @param {string} parentID ID of the parent component.
+	 * @param {string} textContent Text content to set.
+	 * @private
+	 */
+	function enqueueTextContent(parentID, textContent) {
+	  // NOTE: Null values reduce hidden classes.
+	  updateQueue.push({
+	    parentID: parentID,
+	    parentNode: null,
+	    type: ReactMultiChildUpdateTypes.TEXT_CONTENT,
+	    markupIndex: null,
+	    content: textContent,
+	    fromIndex: null,
+	    toIndex: null
+	  });
+	}
+	
+	/**
+	 * Processes any enqueued updates.
+	 *
+	 * @private
+	 */
+	function processQueue() {
+	  if (updateQueue.length) {
+	    ReactComponentEnvironment.processChildrenUpdates(updateQueue, markupQueue);
+	    clearQueue();
+	  }
+	}
+	
+	/**
+	 * Clears any enqueued updates.
+	 *
+	 * @private
+	 */
+	function clearQueue() {
+	  updateQueue.length = 0;
+	  markupQueue.length = 0;
+	}
+	
+	/**
+	 * ReactMultiChild are capable of reconciling multiple children.
+	 *
+	 * @class ReactMultiChild
+	 * @internal
+	 */
+	var ReactMultiChild = {
+	
+	  /**
+	   * Provides common functionality for components that must reconcile multiple
+	   * children. This is used by `ReactDOMComponent` to mount, update, and
+	   * unmount child components.
+	   *
+	   * @lends {ReactMultiChild.prototype}
+	   */
+	  Mixin: {
+	
+	    _reconcilerInstantiateChildren: function (nestedChildren, transaction, context) {
+	      if (true) {
+	        if (this._currentElement) {
+	          try {
+	            ReactCurrentOwner.current = this._currentElement._owner;
+	            return ReactChildReconciler.instantiateChildren(nestedChildren, transaction, context);
+	          } finally {
+	            ReactCurrentOwner.current = null;
+	          }
+	        }
+	      }
+	      return ReactChildReconciler.instantiateChildren(nestedChildren, transaction, context);
+	    },
+	
+	    _reconcilerUpdateChildren: function (prevChildren, nextNestedChildrenElements, transaction, context) {
+	      var nextChildren;
+	      if (true) {
+	        if (this._currentElement) {
+	          try {
+	            ReactCurrentOwner.current = this._currentElement._owner;
+	            nextChildren = flattenChildren(nextNestedChildrenElements);
+	          } finally {
+	            ReactCurrentOwner.current = null;
+	          }
+	          return ReactChildReconciler.updateChildren(prevChildren, nextChildren, transaction, context);
+	        }
+	      }
+	      nextChildren = flattenChildren(nextNestedChildrenElements);
+	      return ReactChildReconciler.updateChildren(prevChildren, nextChildren, transaction, context);
+	    },
+	
+	    /**
+	     * Generates a "mount image" for each of the supplied children. In the case
+	     * of `ReactDOMComponent`, a mount image is a string of markup.
+	     *
+	     * @param {?object} nestedChildren Nested child maps.
+	     * @return {array} An array of mounted representations.
+	     * @internal
+	     */
+	    mountChildren: function (nestedChildren, transaction, context) {
+	      var children = this._reconcilerInstantiateChildren(nestedChildren, transaction, context);
+	      this._renderedChildren = children;
+	      var mountImages = [];
+	      var index = 0;
+	      for (var name in children) {
+	        if (children.hasOwnProperty(name)) {
+	          var child = children[name];
+	          // Inlined for performance, see `ReactInstanceHandles.createReactID`.
+	          var rootID = this._rootNodeID + name;
+	          var mountImage = ReactReconciler.mountComponent(child, rootID, transaction, context);
+	          child._mountIndex = index++;
+	          mountImages.push(mountImage);
+	        }
+	      }
+	      return mountImages;
+	    },
+	
+	    /**
+	     * Replaces any rendered children with a text content string.
+	     *
+	     * @param {string} nextContent String of content.
+	     * @internal
+	     */
+	    updateTextContent: function (nextContent) {
+	      updateDepth++;
+	      var errorThrown = true;
+	      try {
+	        var prevChildren = this._renderedChildren;
+	        // Remove any rendered children.
+	        ReactChildReconciler.unmountChildren(prevChildren);
+	        // TODO: The setTextContent operation should be enough
+	        for (var name in prevChildren) {
+	          if (prevChildren.hasOwnProperty(name)) {
+	            this._unmountChild(prevChildren[name]);
+	          }
+	        }
+	        // Set new text content.
+	        this.setTextContent(nextContent);
+	        errorThrown = false;
+	      } finally {
+	        updateDepth--;
+	        if (!updateDepth) {
+	          if (errorThrown) {
+	            clearQueue();
+	          } else {
+	            processQueue();
+	          }
+	        }
+	      }
+	    },
+	
+	    /**
+	     * Replaces any rendered children with a markup string.
+	     *
+	     * @param {string} nextMarkup String of markup.
+	     * @internal
+	     */
+	    updateMarkup: function (nextMarkup) {
+	      updateDepth++;
+	      var errorThrown = true;
+	      try {
+	        var prevChildren = this._renderedChildren;
+	        // Remove any rendered children.
+	        ReactChildReconciler.unmountChildren(prevChildren);
+	        for (var name in prevChildren) {
+	          if (prevChildren.hasOwnProperty(name)) {
+	            this._unmountChildByName(prevChildren[name], name);
+	          }
+	        }
+	        this.setMarkup(nextMarkup);
+	        errorThrown = false;
+	      } finally {
+	        updateDepth--;
+	        if (!updateDepth) {
+	          if (errorThrown) {
+	            clearQueue();
+	          } else {
+	            processQueue();
+	          }
+	        }
+	      }
+	    },
+	
+	    /**
+	     * Updates the rendered children with new children.
+	     *
+	     * @param {?object} nextNestedChildrenElements Nested child element maps.
+	     * @param {ReactReconcileTransaction} transaction
+	     * @internal
+	     */
+	    updateChildren: function (nextNestedChildrenElements, transaction, context) {
+	      updateDepth++;
+	      var errorThrown = true;
+	      try {
+	        this._updateChildren(nextNestedChildrenElements, transaction, context);
+	        errorThrown = false;
+	      } finally {
+	        updateDepth--;
+	        if (!updateDepth) {
+	          if (errorThrown) {
+	            clearQueue();
+	          } else {
+	            processQueue();
+	          }
+	        }
+	      }
+	    },
+	
+	    /**
+	     * Improve performance by isolating this hot code path from the try/catch
+	     * block in `updateChildren`.
+	     *
+	     * @param {?object} nextNestedChildrenElements Nested child element maps.
+	     * @param {ReactReconcileTransaction} transaction
+	     * @final
+	     * @protected
+	     */
+	    _updateChildren: function (nextNestedChildrenElements, transaction, context) {
+	      var prevChildren = this._renderedChildren;
+	      var nextChildren = this._reconcilerUpdateChildren(prevChildren, nextNestedChildrenElements, transaction, context);
+	      this._renderedChildren = nextChildren;
+	      if (!nextChildren && !prevChildren) {
+	        return;
+	      }
+	      var name;
+	      // `nextIndex` will increment for each child in `nextChildren`, but
+	      // `lastIndex` will be the last index visited in `prevChildren`.
+	      var lastIndex = 0;
+	      var nextIndex = 0;
+	      for (name in nextChildren) {
+	        if (!nextChildren.hasOwnProperty(name)) {
+	          continue;
+	        }
+	        var prevChild = prevChildren && prevChildren[name];
+	        var nextChild = nextChildren[name];
+	        if (prevChild === nextChild) {
+	          this.moveChild(prevChild, nextIndex, lastIndex);
+	          lastIndex = Math.max(prevChild._mountIndex, lastIndex);
+	          prevChild._mountIndex = nextIndex;
+	        } else {
+	          if (prevChild) {
+	            // Update `lastIndex` before `_mountIndex` gets unset by unmounting.
+	            lastIndex = Math.max(prevChild._mountIndex, lastIndex);
+	            this._unmountChild(prevChild);
+	          }
+	          // The child must be instantiated before it's mounted.
+	          this._mountChildByNameAtIndex(nextChild, name, nextIndex, transaction, context);
+	        }
+	        nextIndex++;
+	      }
+	      // Remove children that are no longer present.
+	      for (name in prevChildren) {
+	        if (prevChildren.hasOwnProperty(name) && !(nextChildren && nextChildren.hasOwnProperty(name))) {
+	          this._unmountChild(prevChildren[name]);
+	        }
+	      }
+	    },
+	
+	    /**
+	     * Unmounts all rendered children. This should be used to clean up children
+	     * when this component is unmounted.
+	     *
+	     * @internal
+	     */
+	    unmountChildren: function () {
+	      var renderedChildren = this._renderedChildren;
+	      ReactChildReconciler.unmountChildren(renderedChildren);
+	      this._renderedChildren = null;
+	    },
+	
+	    /**
+	     * Moves a child component to the supplied index.
+	     *
+	     * @param {ReactComponent} child Component to move.
+	     * @param {number} toIndex Destination index of the element.
+	     * @param {number} lastIndex Last index visited of the siblings of `child`.
+	     * @protected
+	     */
+	    moveChild: function (child, toIndex, lastIndex) {
+	      // If the index of `child` is less than `lastIndex`, then it needs to
+	      // be moved. Otherwise, we do not need to move it because a child will be
+	      // inserted or moved before `child`.
+	      if (child._mountIndex < lastIndex) {
+	        enqueueMove(this._rootNodeID, child._mountIndex, toIndex);
+	      }
+	    },
+	
+	    /**
+	     * Creates a child component.
+	     *
+	     * @param {ReactComponent} child Component to create.
+	     * @param {string} mountImage Markup to insert.
+	     * @protected
+	     */
+	    createChild: function (child, mountImage) {
+	      enqueueInsertMarkup(this._rootNodeID, mountImage, child._mountIndex);
+	    },
+	
+	    /**
+	     * Removes a child component.
+	     *
+	     * @param {ReactComponent} child Child to remove.
+	     * @protected
+	     */
+	    removeChild: function (child) {
+	      enqueueRemove(this._rootNodeID, child._mountIndex);
+	    },
+	
+	    /**
+	     * Sets this text content string.
+	     *
+	     * @param {string} textContent Text content to set.
+	     * @protected
+	     */
+	    setTextContent: function (textContent) {
+	      enqueueTextContent(this._rootNodeID, textContent);
+	    },
+	
+	    /**
+	     * Sets this markup string.
+	     *
+	     * @param {string} markup Markup to set.
+	     * @protected
+	     */
+	    setMarkup: function (markup) {
+	      enqueueSetMarkup(this._rootNodeID, markup);
+	    },
+	
+	    /**
+	     * Mounts a child with the supplied name.
+	     *
+	     * NOTE: This is part of `updateChildren` and is here for readability.
+	     *
+	     * @param {ReactComponent} child Component to mount.
+	     * @param {string} name Name of the child.
+	     * @param {number} index Index at which to insert the child.
+	     * @param {ReactReconcileTransaction} transaction
+	     * @private
+	     */
+	    _mountChildByNameAtIndex: function (child, name, index, transaction, context) {
+	      // Inlined for performance, see `ReactInstanceHandles.createReactID`.
+	      var rootID = this._rootNodeID + name;
+	      var mountImage = ReactReconciler.mountComponent(child, rootID, transaction, context);
+	      child._mountIndex = index;
+	      this.createChild(child, mountImage);
+	    },
+	
+	    /**
+	     * Unmounts a rendered child.
+	     *
+	     * NOTE: This is part of `updateChildren` and is here for readability.
+	     *
+	     * @param {ReactComponent} child Component to unmount.
+	     * @private
+	     */
+	    _unmountChild: function (child) {
+	      this.removeChild(child);
+	      child._mountIndex = null;
+	    }
+	
+	  }
+	
+	};
+	
+	module.exports = ReactMultiChild;
+
+/***/ },
+/* 131 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactChildReconciler
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactReconciler = __webpack_require__(66);
+	
+	var instantiateReactComponent = __webpack_require__(78);
+	var shouldUpdateReactComponent = __webpack_require__(83);
+	var traverseAllChildren = __webpack_require__(127);
+	var warning = __webpack_require__(41);
+	
+	function instantiateChild(childInstances, child, name) {
+	  // We found a component instance.
+	  var keyUnique = childInstances[name] === undefined;
+	  if (true) {
+	     true ? warning(keyUnique, 'flattenChildren(...): Encountered two children with the same key, ' + '`%s`. Child keys must be unique; when two children share a key, only ' + 'the first child will be used.', name) : undefined;
+	  }
+	  if (child != null && keyUnique) {
+	    childInstances[name] = instantiateReactComponent(child, null);
+	  }
+	}
+	
+	/**
+	 * ReactChildReconciler provides helpers for initializing or updating a set of
+	 * children. Its output is suitable for passing it onto ReactMultiChild which
+	 * does diffed reordering and insertion.
+	 */
+	var ReactChildReconciler = {
+	  /**
+	   * Generates a "mount image" for each of the supplied children. In the case
+	   * of `ReactDOMComponent`, a mount image is a string of markup.
+	   *
+	   * @param {?object} nestedChildNodes Nested child maps.
+	   * @return {?object} A set of child instances.
+	   * @internal
+	   */
+	  instantiateChildren: function (nestedChildNodes, transaction, context) {
+	    if (nestedChildNodes == null) {
+	      return null;
+	    }
+	    var childInstances = {};
+	    traverseAllChildren(nestedChildNodes, instantiateChild, childInstances);
+	    return childInstances;
+	  },
+	
+	  /**
+	   * Updates the rendered children and returns a new set of children.
+	   *
+	   * @param {?object} prevChildren Previously initialized set of children.
+	   * @param {?object} nextChildren Flat child element maps.
+	   * @param {ReactReconcileTransaction} transaction
+	   * @param {object} context
+	   * @return {?object} A new set of child instances.
+	   * @internal
+	   */
+	  updateChildren: function (prevChildren, nextChildren, transaction, context) {
+	    // We currently don't have a way to track moves here but if we use iterators
+	    // instead of for..in we can zip the iterators and check if an item has
+	    // moved.
+	    // TODO: If nothing has changed, return the prevChildren object so that we
+	    // can quickly bailout if nothing has changed.
+	    if (!nextChildren && !prevChildren) {
+	      return null;
+	    }
+	    var name;
+	    for (name in nextChildren) {
+	      if (!nextChildren.hasOwnProperty(name)) {
+	        continue;
+	      }
+	      var prevChild = prevChildren && prevChildren[name];
+	      var prevElement = prevChild && prevChild._currentElement;
+	      var nextElement = nextChildren[name];
+	      if (prevChild != null && shouldUpdateReactComponent(prevElement, nextElement)) {
+	        ReactReconciler.receiveComponent(prevChild, nextElement, transaction, context);
+	        nextChildren[name] = prevChild;
+	      } else {
+	        if (prevChild) {
+	          ReactReconciler.unmountComponent(prevChild, name);
+	        }
+	        // The child must be instantiated before it's mounted.
+	        var nextChildInstance = instantiateReactComponent(nextElement, null);
+	        nextChildren[name] = nextChildInstance;
+	      }
+	    }
+	    // Unmount children that are no longer present.
+	    for (name in prevChildren) {
+	      if (prevChildren.hasOwnProperty(name) && !(nextChildren && nextChildren.hasOwnProperty(name))) {
+	        ReactReconciler.unmountComponent(prevChildren[name]);
+	      }
+	    }
+	    return nextChildren;
+	  },
+	
+	  /**
+	   * Unmounts all rendered children. This should be used to clean up children
+	   * when this component is unmounted.
+	   *
+	   * @param {?object} renderedChildren Previously initialized set of children.
+	   * @internal
+	   */
+	  unmountChildren: function (renderedChildren) {
+	    for (var name in renderedChildren) {
+	      if (renderedChildren.hasOwnProperty(name)) {
+	        var renderedChild = renderedChildren[name];
+	        ReactReconciler.unmountComponent(renderedChild);
+	      }
+	    }
+	  }
+	
+	};
+	
+	module.exports = ReactChildReconciler;
+
+/***/ },
+/* 132 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule flattenChildren
+	 */
+	
+	'use strict';
+	
+	var traverseAllChildren = __webpack_require__(127);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * @param {function} traverseContext Context passed through traversal.
+	 * @param {?ReactComponent} child React child component.
+	 * @param {!string} name String name of key path to child.
+	 */
+	function flattenSingleChildIntoContext(traverseContext, child, name) {
+	  // We found a component instance.
+	  var result = traverseContext;
+	  var keyUnique = result[name] === undefined;
+	  if (true) {
+	     true ? warning(keyUnique, 'flattenChildren(...): Encountered two children with the same key, ' + '`%s`. Child keys must be unique; when two children share a key, only ' + 'the first child will be used.', name) : undefined;
+	  }
+	  if (keyUnique && child != null) {
+	    result[name] = child;
+	  }
+	}
+	
+	/**
+	 * Flattens children that are typically specified as `props.children`. Any null
+	 * children will not be included in the resulting object.
+	 * @return {!object} flattened children keyed by name.
+	 */
+	function flattenChildren(children) {
+	  if (children == null) {
+	    return children;
+	  }
+	  var result = {};
+	  traverseAllChildren(children, flattenSingleChildIntoContext, result);
+	  return result;
+	}
+	
+	module.exports = flattenChildren;
+
+/***/ },
+/* 133 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule shallowEqual
+	 * @typechecks
+	 * 
+	 */
+	
+	'use strict';
+	
+	var hasOwnProperty = Object.prototype.hasOwnProperty;
+	
+	/**
+	 * Performs equality by iterating through keys on an object and returning false
+	 * when any key has values which are not strictly equal between the arguments.
+	 * Returns true when the values of all keys are strictly equal.
+	 */
+	function shallowEqual(objA, objB) {
+	  if (objA === objB) {
+	    return true;
+	  }
+	
+	  if (typeof objA !== 'object' || objA === null || typeof objB !== 'object' || objB === null) {
+	    return false;
+	  }
+	
+	  var keysA = Object.keys(objA);
+	  var keysB = Object.keys(objB);
+	
+	  if (keysA.length !== keysB.length) {
+	    return false;
+	  }
+	
+	  // Test for A's keys different from B.
+	  var bHasOwnProperty = hasOwnProperty.bind(objB);
+	  for (var i = 0; i < keysA.length; i++) {
+	    if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {
+	      return false;
+	    }
+	  }
+	
+	  return true;
+	}
+	
+	module.exports = shallowEqual;
+
+/***/ },
+/* 134 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactEventListener
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var EventListener = __webpack_require__(135);
+	var ExecutionEnvironment = __webpack_require__(25);
+	var PooledClass = __webpack_require__(72);
+	var ReactInstanceHandles = __webpack_require__(61);
+	var ReactMount = __webpack_require__(44);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var assign = __webpack_require__(55);
+	var getEventTarget = __webpack_require__(97);
+	var getUnboundedScrollPosition = __webpack_require__(136);
+	
+	var DOCUMENT_FRAGMENT_NODE_TYPE = 11;
+	
+	/**
+	 * Finds the parent React component of `node`.
+	 *
+	 * @param {*} node
+	 * @return {?DOMEventTarget} Parent container, or `null` if the specified node
+	 *                           is not nested.
+	 */
+	function findParent(node) {
+	  // TODO: It may be a good idea to cache this to prevent unnecessary DOM
+	  // traversal, but caching is difficult to do correctly without using a
+	  // mutation observer to listen for all DOM changes.
+	  var nodeID = ReactMount.getID(node);
+	  var rootID = ReactInstanceHandles.getReactRootIDFromNodeID(nodeID);
+	  var container = ReactMount.findReactContainerForID(rootID);
+	  var parent = ReactMount.getFirstReactDOM(container);
+	  return parent;
+	}
+	
+	// Used to store ancestor hierarchy in top level callback
+	function TopLevelCallbackBookKeeping(topLevelType, nativeEvent) {
+	  this.topLevelType = topLevelType;
+	  this.nativeEvent = nativeEvent;
+	  this.ancestors = [];
+	}
+	assign(TopLevelCallbackBookKeeping.prototype, {
+	  destructor: function () {
+	    this.topLevelType = null;
+	    this.nativeEvent = null;
+	    this.ancestors.length = 0;
+	  }
+	});
+	PooledClass.addPoolingTo(TopLevelCallbackBookKeeping, PooledClass.twoArgumentPooler);
+	
+	function handleTopLevelImpl(bookKeeping) {
+	  // TODO: Re-enable event.path handling
+	  //
+	  // if (bookKeeping.nativeEvent.path && bookKeeping.nativeEvent.path.length > 1) {
+	  //   // New browsers have a path attribute on native events
+	  //   handleTopLevelWithPath(bookKeeping);
+	  // } else {
+	  //   // Legacy browsers don't have a path attribute on native events
+	  //   handleTopLevelWithoutPath(bookKeeping);
+	  // }
+	
+	  void handleTopLevelWithPath; // temporarily unused
+	  handleTopLevelWithoutPath(bookKeeping);
+	}
+	
+	// Legacy browsers don't have a path attribute on native events
+	function handleTopLevelWithoutPath(bookKeeping) {
+	  var topLevelTarget = ReactMount.getFirstReactDOM(getEventTarget(bookKeeping.nativeEvent)) || window;
+	
+	  // Loop through the hierarchy, in case there's any nested components.
+	  // It's important that we build the array of ancestors before calling any
+	  // event handlers, because event handlers can modify the DOM, leading to
+	  // inconsistencies with ReactMount's node cache. See #1105.
+	  var ancestor = topLevelTarget;
+	  while (ancestor) {
+	    bookKeeping.ancestors.push(ancestor);
+	    ancestor = findParent(ancestor);
+	  }
+	
+	  for (var i = 0; i < bookKeeping.ancestors.length; i++) {
+	    topLevelTarget = bookKeeping.ancestors[i];
+	    var topLevelTargetID = ReactMount.getID(topLevelTarget) || '';
+	    ReactEventListener._handleTopLevel(bookKeeping.topLevelType, topLevelTarget, topLevelTargetID, bookKeeping.nativeEvent, getEventTarget(bookKeeping.nativeEvent));
+	  }
+	}
+	
+	// New browsers have a path attribute on native events
+	function handleTopLevelWithPath(bookKeeping) {
+	  var path = bookKeeping.nativeEvent.path;
+	  var currentNativeTarget = path[0];
+	  var eventsFired = 0;
+	  for (var i = 0; i < path.length; i++) {
+	    var currentPathElement = path[i];
+	    if (currentPathElement.nodeType === DOCUMENT_FRAGMENT_NODE_TYPE) {
+	      currentNativeTarget = path[i + 1];
+	    }
+	    // TODO: slow
+	    var reactParent = ReactMount.getFirstReactDOM(currentPathElement);
+	    if (reactParent === currentPathElement) {
+	      var currentPathElementID = ReactMount.getID(currentPathElement);
+	      var newRootID = ReactInstanceHandles.getReactRootIDFromNodeID(currentPathElementID);
+	      bookKeeping.ancestors.push(currentPathElement);
+	
+	      var topLevelTargetID = ReactMount.getID(currentPathElement) || '';
+	      eventsFired++;
+	      ReactEventListener._handleTopLevel(bookKeeping.topLevelType, currentPathElement, topLevelTargetID, bookKeeping.nativeEvent, currentNativeTarget);
+	
+	      // Jump to the root of this React render tree
+	      while (currentPathElementID !== newRootID) {
+	        i++;
+	        currentPathElement = path[i];
+	        currentPathElementID = ReactMount.getID(currentPathElement);
+	      }
+	    }
+	  }
+	  if (eventsFired === 0) {
+	    ReactEventListener._handleTopLevel(bookKeeping.topLevelType, window, '', bookKeeping.nativeEvent, getEventTarget(bookKeeping.nativeEvent));
+	  }
+	}
+	
+	function scrollValueMonitor(cb) {
+	  var scrollPosition = getUnboundedScrollPosition(window);
+	  cb(scrollPosition);
+	}
+	
+	var ReactEventListener = {
+	  _enabled: true,
+	  _handleTopLevel: null,
+	
+	  WINDOW_HANDLE: ExecutionEnvironment.canUseDOM ? window : null,
+	
+	  setHandleTopLevel: function (handleTopLevel) {
+	    ReactEventListener._handleTopLevel = handleTopLevel;
+	  },
+	
+	  setEnabled: function (enabled) {
+	    ReactEventListener._enabled = !!enabled;
+	  },
+	
+	  isEnabled: function () {
+	    return ReactEventListener._enabled;
+	  },
+	
+	  /**
+	   * Traps top-level events by using event bubbling.
+	   *
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {string} handlerBaseName Event name (e.g. "click").
+	   * @param {object} handle Element on which to attach listener.
+	   * @return {?object} An object with a remove function which will forcefully
+	   *                  remove the listener.
+	   * @internal
+	   */
+	  trapBubbledEvent: function (topLevelType, handlerBaseName, handle) {
+	    var element = handle;
+	    if (!element) {
+	      return null;
+	    }
+	    return EventListener.listen(element, handlerBaseName, ReactEventListener.dispatchEvent.bind(null, topLevelType));
+	  },
+	
+	  /**
+	   * Traps a top-level event by using event capturing.
+	   *
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {string} handlerBaseName Event name (e.g. "click").
+	   * @param {object} handle Element on which to attach listener.
+	   * @return {?object} An object with a remove function which will forcefully
+	   *                  remove the listener.
+	   * @internal
+	   */
+	  trapCapturedEvent: function (topLevelType, handlerBaseName, handle) {
+	    var element = handle;
+	    if (!element) {
+	      return null;
+	    }
+	    return EventListener.capture(element, handlerBaseName, ReactEventListener.dispatchEvent.bind(null, topLevelType));
+	  },
+	
+	  monitorScrollValue: function (refresh) {
+	    var callback = scrollValueMonitor.bind(null, refresh);
+	    EventListener.listen(window, 'scroll', callback);
+	  },
+	
+	  dispatchEvent: function (topLevelType, nativeEvent) {
+	    if (!ReactEventListener._enabled) {
+	      return;
+	    }
+	
+	    var bookKeeping = TopLevelCallbackBookKeeping.getPooled(topLevelType, nativeEvent);
+	    try {
+	      // Event queue being processed in the same cycle allows
+	      // `preventDefault`.
+	      ReactUpdates.batchedUpdates(handleTopLevelImpl, bookKeeping);
+	    } finally {
+	      TopLevelCallbackBookKeeping.release(bookKeeping);
+	    }
+	  }
+	};
+	
+	module.exports = ReactEventListener;
+
+/***/ },
+/* 135 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 *
+	 * Licensed under the Apache License, Version 2.0 (the "License");
+	 * you may not use this file except in compliance with the License.
+	 * You may obtain a copy of the License at
+	 *
+	 * http://www.apache.org/licenses/LICENSE-2.0
+	 *
+	 * Unless required by applicable law or agreed to in writing, software
+	 * distributed under the License is distributed on an "AS IS" BASIS,
+	 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+	 * See the License for the specific language governing permissions and
+	 * limitations under the License.
+	 *
+	 * @providesModule EventListener
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var emptyFunction = __webpack_require__(31);
+	
+	/**
+	 * Upstream version of event listener. Does not take into account specific
+	 * nature of platform.
+	 */
+	var EventListener = {
+	  /**
+	   * Listen to DOM events during the bubble phase.
+	   *
+	   * @param {DOMEventTarget} target DOM element to register listener on.
+	   * @param {string} eventType Event type, e.g. 'click' or 'mouseover'.
+	   * @param {function} callback Callback function.
+	   * @return {object} Object with a `remove` method.
+	   */
+	  listen: function (target, eventType, callback) {
+	    if (target.addEventListener) {
+	      target.addEventListener(eventType, callback, false);
+	      return {
+	        remove: function () {
+	          target.removeEventListener(eventType, callback, false);
+	        }
+	      };
+	    } else if (target.attachEvent) {
+	      target.attachEvent('on' + eventType, callback);
+	      return {
+	        remove: function () {
+	          target.detachEvent('on' + eventType, callback);
+	        }
+	      };
+	    }
+	  },
+	
+	  /**
+	   * Listen to DOM events during the capture phase.
+	   *
+	   * @param {DOMEventTarget} target DOM element to register listener on.
+	   * @param {string} eventType Event type, e.g. 'click' or 'mouseover'.
+	   * @param {function} callback Callback function.
+	   * @return {object} Object with a `remove` method.
+	   */
+	  capture: function (target, eventType, callback) {
+	    if (target.addEventListener) {
+	      target.addEventListener(eventType, callback, true);
+	      return {
+	        remove: function () {
+	          target.removeEventListener(eventType, callback, true);
+	        }
+	      };
+	    } else {
+	      if (true) {
+	        console.error('Attempted to listen to events during the capture phase on a ' + 'browser that does not support the capture phase. Your application ' + 'will not receive some events.');
+	      }
+	      return {
+	        remove: emptyFunction
+	      };
+	    }
+	  },
+	
+	  registerDefault: function () {}
+	};
+	
+	module.exports = EventListener;
+
+/***/ },
+/* 136 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getUnboundedScrollPosition
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Gets the scroll position of the supplied element or window.
+	 *
+	 * The return values are unbounded, unlike `getScrollPosition`. This means they
+	 * may be negative or exceed the element boundaries (which is possible using
+	 * inertial scrolling).
+	 *
+	 * @param {DOMWindow|DOMElement} scrollable
+	 * @return {object} Map with `x` and `y` keys.
+	 */
+	function getUnboundedScrollPosition(scrollable) {
+	  if (scrollable === window) {
+	    return {
+	      x: window.pageXOffset || document.documentElement.scrollLeft,
+	      y: window.pageYOffset || document.documentElement.scrollTop
+	    };
+	  }
+	  return {
+	    x: scrollable.scrollLeft,
+	    y: scrollable.scrollTop
+	  };
+	}
+	
+	module.exports = getUnboundedScrollPosition;
+
+/***/ },
+/* 137 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactInjection
+	 */
+	
+	'use strict';
+	
+	var DOMProperty = __webpack_require__(39);
+	var EventPluginHub = __webpack_require__(47);
+	var ReactComponentEnvironment = __webpack_require__(80);
+	var ReactClass = __webpack_require__(138);
+	var ReactEmptyComponent = __webpack_require__(84);
+	var ReactBrowserEventEmitter = __webpack_require__(45);
+	var ReactNativeComponent = __webpack_require__(85);
+	var ReactPerf = __webpack_require__(34);
+	var ReactRootIndex = __webpack_require__(62);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var ReactInjection = {
+	  Component: ReactComponentEnvironment.injection,
+	  Class: ReactClass.injection,
+	  DOMProperty: DOMProperty.injection,
+	  EmptyComponent: ReactEmptyComponent.injection,
+	  EventPluginHub: EventPluginHub.injection,
+	  EventEmitter: ReactBrowserEventEmitter.injection,
+	  NativeComponent: ReactNativeComponent.injection,
+	  Perf: ReactPerf.injection,
+	  RootIndex: ReactRootIndex.injection,
+	  Updates: ReactUpdates.injection
+	};
+	
+	module.exports = ReactInjection;
+
+/***/ },
+/* 138 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactClass
+	 */
+	
+	'use strict';
+	
+	var ReactComponent = __webpack_require__(139);
+	var ReactElement = __webpack_require__(58);
+	var ReactPropTypeLocations = __webpack_require__(81);
+	var ReactPropTypeLocationNames = __webpack_require__(82);
+	var ReactNoopUpdateQueue = __webpack_require__(140);
+	
+	var assign = __webpack_require__(55);
+	var emptyObject = __webpack_require__(74);
+	var invariant = __webpack_require__(29);
+	var keyMirror = __webpack_require__(33);
+	var keyOf = __webpack_require__(95);
+	var warning = __webpack_require__(41);
+	
+	var MIXINS_KEY = keyOf({ mixins: null });
+	
+	/**
+	 * Policies that describe methods in `ReactClassInterface`.
+	 */
+	var SpecPolicy = keyMirror({
+	  /**
+	   * These methods may be defined only once by the class specification or mixin.
+	   */
+	  DEFINE_ONCE: null,
+	  /**
+	   * These methods may be defined by both the class specification and mixins.
+	   * Subsequent definitions will be chained. These methods must return void.
+	   */
+	  DEFINE_MANY: null,
+	  /**
+	   * These methods are overriding the base class.
+	   */
+	  OVERRIDE_BASE: null,
+	  /**
+	   * These methods are similar to DEFINE_MANY, except we assume they return
+	   * objects. We try to merge the keys of the return values of all the mixed in
+	   * functions. If there is a key conflict we throw.
+	   */
+	  DEFINE_MANY_MERGED: null
+	});
+	
+	var injectedMixins = [];
+	
+	var warnedSetProps = false;
+	function warnSetProps() {
+	  if (!warnedSetProps) {
+	    warnedSetProps = true;
+	     true ? warning(false, 'setProps(...) and replaceProps(...) are deprecated. ' + 'Instead, call render again at the top level.') : undefined;
+	  }
+	}
+	
+	/**
+	 * Composite components are higher-level components that compose other composite
+	 * or native components.
+	 *
+	 * To create a new type of `ReactClass`, pass a specification of
+	 * your new class to `React.createClass`. The only requirement of your class
+	 * specification is that you implement a `render` method.
+	 *
+	 *   var MyComponent = React.createClass({
+	 *     render: function() {
+	 *       return <div>Hello World</div>;
+	 *     }
+	 *   });
+	 *
+	 * The class specification supports a specific protocol of methods that have
+	 * special meaning (e.g. `render`). See `ReactClassInterface` for
+	 * more the comprehensive protocol. Any other properties and methods in the
+	 * class specification will be available on the prototype.
+	 *
+	 * @interface ReactClassInterface
+	 * @internal
+	 */
+	var ReactClassInterface = {
+	
+	  /**
+	   * An array of Mixin objects to include when defining your component.
+	   *
+	   * @type {array}
+	   * @optional
+	   */
+	  mixins: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * An object containing properties and methods that should be defined on
+	   * the component's constructor instead of its prototype (static methods).
+	   *
+	   * @type {object}
+	   * @optional
+	   */
+	  statics: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Definition of prop types for this component.
+	   *
+	   * @type {object}
+	   * @optional
+	   */
+	  propTypes: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Definition of context types for this component.
+	   *
+	   * @type {object}
+	   * @optional
+	   */
+	  contextTypes: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Definition of context types this component sets for its children.
+	   *
+	   * @type {object}
+	   * @optional
+	   */
+	  childContextTypes: SpecPolicy.DEFINE_MANY,
+	
+	  // ==== Definition methods ====
+	
+	  /**
+	   * Invoked when the component is mounted. Values in the mapping will be set on
+	   * `this.props` if that prop is not specified (i.e. using an `in` check).
+	   *
+	   * This method is invoked before `getInitialState` and therefore cannot rely
+	   * on `this.state` or use `this.setState`.
+	   *
+	   * @return {object}
+	   * @optional
+	   */
+	  getDefaultProps: SpecPolicy.DEFINE_MANY_MERGED,
+	
+	  /**
+	   * Invoked once before the component is mounted. The return value will be used
+	   * as the initial value of `this.state`.
+	   *
+	   *   getInitialState: function() {
+	   *     return {
+	   *       isOn: false,
+	   *       fooBaz: new BazFoo()
+	   *     }
+	   *   }
+	   *
+	   * @return {object}
+	   * @optional
+	   */
+	  getInitialState: SpecPolicy.DEFINE_MANY_MERGED,
+	
+	  /**
+	   * @return {object}
+	   * @optional
+	   */
+	  getChildContext: SpecPolicy.DEFINE_MANY_MERGED,
+	
+	  /**
+	   * Uses props from `this.props` and state from `this.state` to render the
+	   * structure of the component.
+	   *
+	   * No guarantees are made about when or how often this method is invoked, so
+	   * it must not have side effects.
+	   *
+	   *   render: function() {
+	   *     var name = this.props.name;
+	   *     return <div>Hello, {name}!</div>;
+	   *   }
+	   *
+	   * @return {ReactComponent}
+	   * @nosideeffects
+	   * @required
+	   */
+	  render: SpecPolicy.DEFINE_ONCE,
+	
+	  // ==== Delegate methods ====
+	
+	  /**
+	   * Invoked when the component is initially created and about to be mounted.
+	   * This may have side effects, but any external subscriptions or data created
+	   * by this method must be cleaned up in `componentWillUnmount`.
+	   *
+	   * @optional
+	   */
+	  componentWillMount: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Invoked when the component has been mounted and has a DOM representation.
+	   * However, there is no guarantee that the DOM node is in the document.
+	   *
+	   * Use this as an opportunity to operate on the DOM when the component has
+	   * been mounted (initialized and rendered) for the first time.
+	   *
+	   * @param {DOMElement} rootNode DOM element representing the component.
+	   * @optional
+	   */
+	  componentDidMount: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Invoked before the component receives new props.
+	   *
+	   * Use this as an opportunity to react to a prop transition by updating the
+	   * state using `this.setState`. Current props are accessed via `this.props`.
+	   *
+	   *   componentWillReceiveProps: function(nextProps, nextContext) {
+	   *     this.setState({
+	   *       likesIncreasing: nextProps.likeCount > this.props.likeCount
+	   *     });
+	   *   }
+	   *
+	   * NOTE: There is no equivalent `componentWillReceiveState`. An incoming prop
+	   * transition may cause a state change, but the opposite is not true. If you
+	   * need it, you are probably looking for `componentWillUpdate`.
+	   *
+	   * @param {object} nextProps
+	   * @optional
+	   */
+	  componentWillReceiveProps: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Invoked while deciding if the component should be updated as a result of
+	   * receiving new props, state and/or context.
+	   *
+	   * Use this as an opportunity to `return false` when you're certain that the
+	   * transition to the new props/state/context will not require a component
+	   * update.
+	   *
+	   *   shouldComponentUpdate: function(nextProps, nextState, nextContext) {
+	   *     return !equal(nextProps, this.props) ||
+	   *       !equal(nextState, this.state) ||
+	   *       !equal(nextContext, this.context);
+	   *   }
+	   *
+	   * @param {object} nextProps
+	   * @param {?object} nextState
+	   * @param {?object} nextContext
+	   * @return {boolean} True if the component should update.
+	   * @optional
+	   */
+	  shouldComponentUpdate: SpecPolicy.DEFINE_ONCE,
+	
+	  /**
+	   * Invoked when the component is about to update due to a transition from
+	   * `this.props`, `this.state` and `this.context` to `nextProps`, `nextState`
+	   * and `nextContext`.
+	   *
+	   * Use this as an opportunity to perform preparation before an update occurs.
+	   *
+	   * NOTE: You **cannot** use `this.setState()` in this method.
+	   *
+	   * @param {object} nextProps
+	   * @param {?object} nextState
+	   * @param {?object} nextContext
+	   * @param {ReactReconcileTransaction} transaction
+	   * @optional
+	   */
+	  componentWillUpdate: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Invoked when the component's DOM representation has been updated.
+	   *
+	   * Use this as an opportunity to operate on the DOM when the component has
+	   * been updated.
+	   *
+	   * @param {object} prevProps
+	   * @param {?object} prevState
+	   * @param {?object} prevContext
+	   * @param {DOMElement} rootNode DOM element representing the component.
+	   * @optional
+	   */
+	  componentDidUpdate: SpecPolicy.DEFINE_MANY,
+	
+	  /**
+	   * Invoked when the component is about to be removed from its parent and have
+	   * its DOM representation destroyed.
+	   *
+	   * Use this as an opportunity to deallocate any external resources.
+	   *
+	   * NOTE: There is no `componentDidUnmount` since your component will have been
+	   * destroyed by that point.
+	   *
+	   * @optional
+	   */
+	  componentWillUnmount: SpecPolicy.DEFINE_MANY,
+	
+	  // ==== Advanced methods ====
+	
+	  /**
+	   * Updates the component's currently mounted DOM representation.
+	   *
+	   * By default, this implements React's rendering and reconciliation algorithm.
+	   * Sophisticated clients may wish to override this.
+	   *
+	   * @param {ReactReconcileTransaction} transaction
+	   * @internal
+	   * @overridable
+	   */
+	  updateComponent: SpecPolicy.OVERRIDE_BASE
+	
+	};
+	
+	/**
+	 * Mapping from class specification keys to special processing functions.
+	 *
+	 * Although these are declared like instance properties in the specification
+	 * when defining classes using `React.createClass`, they are actually static
+	 * and are accessible on the constructor instead of the prototype. Despite
+	 * being static, they must be defined outside of the "statics" key under
+	 * which all other static methods are defined.
+	 */
+	var RESERVED_SPEC_KEYS = {
+	  displayName: function (Constructor, displayName) {
+	    Constructor.displayName = displayName;
+	  },
+	  mixins: function (Constructor, mixins) {
+	    if (mixins) {
+	      for (var i = 0; i < mixins.length; i++) {
+	        mixSpecIntoComponent(Constructor, mixins[i]);
+	      }
+	    }
+	  },
+	  childContextTypes: function (Constructor, childContextTypes) {
+	    if (true) {
+	      validateTypeDef(Constructor, childContextTypes, ReactPropTypeLocations.childContext);
+	    }
+	    Constructor.childContextTypes = assign({}, Constructor.childContextTypes, childContextTypes);
+	  },
+	  contextTypes: function (Constructor, contextTypes) {
+	    if (true) {
+	      validateTypeDef(Constructor, contextTypes, ReactPropTypeLocations.context);
+	    }
+	    Constructor.contextTypes = assign({}, Constructor.contextTypes, contextTypes);
+	  },
+	  /**
+	   * Special case getDefaultProps which should move into statics but requires
+	   * automatic merging.
+	   */
+	  getDefaultProps: function (Constructor, getDefaultProps) {
+	    if (Constructor.getDefaultProps) {
+	      Constructor.getDefaultProps = createMergedResultFunction(Constructor.getDefaultProps, getDefaultProps);
+	    } else {
+	      Constructor.getDefaultProps = getDefaultProps;
+	    }
+	  },
+	  propTypes: function (Constructor, propTypes) {
+	    if (true) {
+	      validateTypeDef(Constructor, propTypes, ReactPropTypeLocations.prop);
+	    }
+	    Constructor.propTypes = assign({}, Constructor.propTypes, propTypes);
+	  },
+	  statics: function (Constructor, statics) {
+	    mixStaticSpecIntoComponent(Constructor, statics);
+	  },
+	  autobind: function () {} };
+	
+	// noop
+	function validateTypeDef(Constructor, typeDef, location) {
+	  for (var propName in typeDef) {
+	    if (typeDef.hasOwnProperty(propName)) {
+	      // use a warning instead of an invariant so components
+	      // don't show up in prod but not in __DEV__
+	       true ? warning(typeof typeDef[propName] === 'function', '%s: %s type `%s` is invalid; it must be a function, usually from ' + 'React.PropTypes.', Constructor.displayName || 'ReactClass', ReactPropTypeLocationNames[location], propName) : undefined;
+	    }
+	  }
+	}
+	
+	function validateMethodOverride(proto, name) {
+	  var specPolicy = ReactClassInterface.hasOwnProperty(name) ? ReactClassInterface[name] : null;
+	
+	  // Disallow overriding of base class methods unless explicitly allowed.
+	  if (ReactClassMixin.hasOwnProperty(name)) {
+	    !(specPolicy === SpecPolicy.OVERRIDE_BASE) ?  true ? invariant(false, 'ReactClassInterface: You are attempting to override ' + '`%s` from your class specification. Ensure that your method names ' + 'do not overlap with React methods.', name) : invariant(false) : undefined;
+	  }
+	
+	  // Disallow defining methods more than once unless explicitly allowed.
+	  if (proto.hasOwnProperty(name)) {
+	    !(specPolicy === SpecPolicy.DEFINE_MANY || specPolicy === SpecPolicy.DEFINE_MANY_MERGED) ?  true ? invariant(false, 'ReactClassInterface: You are attempting to define ' + '`%s` on your component more than once. This conflict may be due ' + 'to a mixin.', name) : invariant(false) : undefined;
+	  }
+	}
+	
+	/**
+	 * Mixin helper which handles policy validation and reserved
+	 * specification keys when building React classses.
+	 */
+	function mixSpecIntoComponent(Constructor, spec) {
+	  if (!spec) {
+	    return;
+	  }
+	
+	  !(typeof spec !== 'function') ?  true ? invariant(false, 'ReactClass: You\'re attempting to ' + 'use a component class as a mixin. Instead, just use a regular object.') : invariant(false) : undefined;
+	  !!ReactElement.isValidElement(spec) ?  true ? invariant(false, 'ReactClass: You\'re attempting to ' + 'use a component as a mixin. Instead, just use a regular object.') : invariant(false) : undefined;
+	
+	  var proto = Constructor.prototype;
+	
+	  // By handling mixins before any other properties, we ensure the same
+	  // chaining order is applied to methods with DEFINE_MANY policy, whether
+	  // mixins are listed before or after these methods in the spec.
+	  if (spec.hasOwnProperty(MIXINS_KEY)) {
+	    RESERVED_SPEC_KEYS.mixins(Constructor, spec.mixins);
+	  }
+	
+	  for (var name in spec) {
+	    if (!spec.hasOwnProperty(name)) {
+	      continue;
+	    }
+	
+	    if (name === MIXINS_KEY) {
+	      // We have already handled mixins in a special case above.
+	      continue;
+	    }
+	
+	    var property = spec[name];
+	    validateMethodOverride(proto, name);
+	
+	    if (RESERVED_SPEC_KEYS.hasOwnProperty(name)) {
+	      RESERVED_SPEC_KEYS[name](Constructor, property);
+	    } else {
+	      // Setup methods on prototype:
+	      // The following member methods should not be automatically bound:
+	      // 1. Expected ReactClass methods (in the "interface").
+	      // 2. Overridden methods (that were mixed in).
+	      var isReactClassMethod = ReactClassInterface.hasOwnProperty(name);
+	      var isAlreadyDefined = proto.hasOwnProperty(name);
+	      var isFunction = typeof property === 'function';
+	      var shouldAutoBind = isFunction && !isReactClassMethod && !isAlreadyDefined && spec.autobind !== false;
+	
+	      if (shouldAutoBind) {
+	        if (!proto.__reactAutoBindMap) {
+	          proto.__reactAutoBindMap = {};
+	        }
+	        proto.__reactAutoBindMap[name] = property;
+	        proto[name] = property;
+	      } else {
+	        if (isAlreadyDefined) {
+	          var specPolicy = ReactClassInterface[name];
+	
+	          // These cases should already be caught by validateMethodOverride.
+	          !(isReactClassMethod && (specPolicy === SpecPolicy.DEFINE_MANY_MERGED || specPolicy === SpecPolicy.DEFINE_MANY)) ?  true ? invariant(false, 'ReactClass: Unexpected spec policy %s for key %s ' + 'when mixing in component specs.', specPolicy, name) : invariant(false) : undefined;
+	
+	          // For methods which are defined more than once, call the existing
+	          // methods before calling the new property, merging if appropriate.
+	          if (specPolicy === SpecPolicy.DEFINE_MANY_MERGED) {
+	            proto[name] = createMergedResultFunction(proto[name], property);
+	          } else if (specPolicy === SpecPolicy.DEFINE_MANY) {
+	            proto[name] = createChainedFunction(proto[name], property);
+	          }
+	        } else {
+	          proto[name] = property;
+	          if (true) {
+	            // Add verbose displayName to the function, which helps when looking
+	            // at profiling tools.
+	            if (typeof property === 'function' && spec.displayName) {
+	              proto[name].displayName = spec.displayName + '_' + name;
+	            }
+	          }
+	        }
+	      }
+	    }
+	  }
+	}
+	
+	function mixStaticSpecIntoComponent(Constructor, statics) {
+	  if (!statics) {
+	    return;
+	  }
+	  for (var name in statics) {
+	    var property = statics[name];
+	    if (!statics.hasOwnProperty(name)) {
+	      continue;
+	    }
+	
+	    var isReserved = (name in RESERVED_SPEC_KEYS);
+	    !!isReserved ?  true ? invariant(false, 'ReactClass: You are attempting to define a reserved ' + 'property, `%s`, that shouldn\'t be on the "statics" key. Define it ' + 'as an instance property instead; it will still be accessible on the ' + 'constructor.', name) : invariant(false) : undefined;
+	
+	    var isInherited = (name in Constructor);
+	    !!isInherited ?  true ? invariant(false, 'ReactClass: You are attempting to define ' + '`%s` on your component more than once. This conflict may be ' + 'due to a mixin.', name) : invariant(false) : undefined;
+	    Constructor[name] = property;
+	  }
+	}
+	
+	/**
+	 * Merge two objects, but throw if both contain the same key.
+	 *
+	 * @param {object} one The first object, which is mutated.
+	 * @param {object} two The second object
+	 * @return {object} one after it has been mutated to contain everything in two.
+	 */
+	function mergeIntoWithNoDuplicateKeys(one, two) {
+	  !(one && two && typeof one === 'object' && typeof two === 'object') ?  true ? invariant(false, 'mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.') : invariant(false) : undefined;
+	
+	  for (var key in two) {
+	    if (two.hasOwnProperty(key)) {
+	      !(one[key] === undefined) ?  true ? invariant(false, 'mergeIntoWithNoDuplicateKeys(): ' + 'Tried to merge two objects with the same key: `%s`. This conflict ' + 'may be due to a mixin; in particular, this may be caused by two ' + 'getInitialState() or getDefaultProps() methods returning objects ' + 'with clashing keys.', key) : invariant(false) : undefined;
+	      one[key] = two[key];
+	    }
+	  }
+	  return one;
+	}
+	
+	/**
+	 * Creates a function that invokes two functions and merges their return values.
+	 *
+	 * @param {function} one Function to invoke first.
+	 * @param {function} two Function to invoke second.
+	 * @return {function} Function that invokes the two argument functions.
+	 * @private
+	 */
+	function createMergedResultFunction(one, two) {
+	  return function mergedResult() {
+	    var a = one.apply(this, arguments);
+	    var b = two.apply(this, arguments);
+	    if (a == null) {
+	      return b;
+	    } else if (b == null) {
+	      return a;
+	    }
+	    var c = {};
+	    mergeIntoWithNoDuplicateKeys(c, a);
+	    mergeIntoWithNoDuplicateKeys(c, b);
+	    return c;
+	  };
+	}
+	
+	/**
+	 * Creates a function that invokes two functions and ignores their return vales.
+	 *
+	 * @param {function} one Function to invoke first.
+	 * @param {function} two Function to invoke second.
+	 * @return {function} Function that invokes the two argument functions.
+	 * @private
+	 */
+	function createChainedFunction(one, two) {
+	  return function chainedFunction() {
+	    one.apply(this, arguments);
+	    two.apply(this, arguments);
+	  };
+	}
+	
+	/**
+	 * Binds a method to the component.
+	 *
+	 * @param {object} component Component whose method is going to be bound.
+	 * @param {function} method Method to be bound.
+	 * @return {function} The bound method.
+	 */
+	function bindAutoBindMethod(component, method) {
+	  var boundMethod = method.bind(component);
+	  if (true) {
+	    boundMethod.__reactBoundContext = component;
+	    boundMethod.__reactBoundMethod = method;
+	    boundMethod.__reactBoundArguments = null;
+	    var componentName = component.constructor.displayName;
+	    var _bind = boundMethod.bind;
+	    /* eslint-disable block-scoped-var, no-undef */
+	    boundMethod.bind = function (newThis) {
+	      for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
+	        args[_key - 1] = arguments[_key];
+	      }
+	
+	      // User is trying to bind() an autobound method; we effectively will
+	      // ignore the value of "this" that the user is trying to use, so
+	      // let's warn.
+	      if (newThis !== component && newThis !== null) {
+	         true ? warning(false, 'bind(): React component methods may only be bound to the ' + 'component instance. See %s', componentName) : undefined;
+	      } else if (!args.length) {
+	         true ? warning(false, 'bind(): You are binding a component method to the component. ' + 'React does this for you automatically in a high-performance ' + 'way, so you can safely remove this call. See %s', componentName) : undefined;
+	        return boundMethod;
+	      }
+	      var reboundMethod = _bind.apply(boundMethod, arguments);
+	      reboundMethod.__reactBoundContext = component;
+	      reboundMethod.__reactBoundMethod = method;
+	      reboundMethod.__reactBoundArguments = args;
+	      return reboundMethod;
+	      /* eslint-enable */
+	    };
+	  }
+	  return boundMethod;
+	}
+	
+	/**
+	 * Binds all auto-bound methods in a component.
+	 *
+	 * @param {object} component Component whose method is going to be bound.
+	 */
+	function bindAutoBindMethods(component) {
+	  for (var autoBindKey in component.__reactAutoBindMap) {
+	    if (component.__reactAutoBindMap.hasOwnProperty(autoBindKey)) {
+	      var method = component.__reactAutoBindMap[autoBindKey];
+	      component[autoBindKey] = bindAutoBindMethod(component, method);
+	    }
+	  }
+	}
+	
+	/**
+	 * Add more to the ReactClass base class. These are all legacy features and
+	 * therefore not already part of the modern ReactComponent.
+	 */
+	var ReactClassMixin = {
+	
+	  /**
+	   * TODO: This will be deprecated because state should always keep a consistent
+	   * type signature and the only use case for this, is to avoid that.
+	   */
+	  replaceState: function (newState, callback) {
+	    this.updater.enqueueReplaceState(this, newState);
+	    if (callback) {
+	      this.updater.enqueueCallback(this, callback);
+	    }
+	  },
+	
+	  /**
+	   * Checks whether or not this composite component is mounted.
+	   * @return {boolean} True if mounted, false otherwise.
+	   * @protected
+	   * @final
+	   */
+	  isMounted: function () {
+	    return this.updater.isMounted(this);
+	  },
+	
+	  /**
+	   * Sets a subset of the props.
+	   *
+	   * @param {object} partialProps Subset of the next props.
+	   * @param {?function} callback Called after props are updated.
+	   * @final
+	   * @public
+	   * @deprecated
+	   */
+	  setProps: function (partialProps, callback) {
+	    if (true) {
+	      warnSetProps();
+	    }
+	    this.updater.enqueueSetProps(this, partialProps);
+	    if (callback) {
+	      this.updater.enqueueCallback(this, callback);
+	    }
+	  },
+	
+	  /**
+	   * Replace all the props.
+	   *
+	   * @param {object} newProps Subset of the next props.
+	   * @param {?function} callback Called after props are updated.
+	   * @final
+	   * @public
+	   * @deprecated
+	   */
+	  replaceProps: function (newProps, callback) {
+	    if (true) {
+	      warnSetProps();
+	    }
+	    this.updater.enqueueReplaceProps(this, newProps);
+	    if (callback) {
+	      this.updater.enqueueCallback(this, callback);
+	    }
+	  }
+	};
+	
+	var ReactClassComponent = function () {};
+	assign(ReactClassComponent.prototype, ReactComponent.prototype, ReactClassMixin);
+	
+	/**
+	 * Module for creating composite components.
+	 *
+	 * @class ReactClass
+	 */
+	var ReactClass = {
+	
+	  /**
+	   * Creates a composite component class given a class specification.
+	   *
+	   * @param {object} spec Class specification (which must define `render`).
+	   * @return {function} Component constructor function.
+	   * @public
+	   */
+	  createClass: function (spec) {
+	    var Constructor = function (props, context, updater) {
+	      // This constructor is overridden by mocks. The argument is used
+	      // by mocks to assert on what gets mounted.
+	
+	      if (true) {
+	         true ? warning(this instanceof Constructor, 'Something is calling a React component directly. Use a factory or ' + 'JSX instead. See: https://fb.me/react-legacyfactory') : undefined;
+	      }
+	
+	      // Wire up auto-binding
+	      if (this.__reactAutoBindMap) {
+	        bindAutoBindMethods(this);
+	      }
+	
+	      this.props = props;
+	      this.context = context;
+	      this.refs = emptyObject;
+	      this.updater = updater || ReactNoopUpdateQueue;
+	
+	      this.state = null;
+	
+	      // ReactClasses doesn't have constructors. Instead, they use the
+	      // getInitialState and componentWillMount methods for initialization.
+	
+	      var initialState = this.getInitialState ? this.getInitialState() : null;
+	      if (true) {
+	        // We allow auto-mocks to proceed as if they're returning null.
+	        if (typeof initialState === 'undefined' && this.getInitialState._isMockFunction) {
+	          // This is probably bad practice. Consider warning here and
+	          // deprecating this convenience.
+	          initialState = null;
+	        }
+	      }
+	      !(typeof initialState === 'object' && !Array.isArray(initialState)) ?  true ? invariant(false, '%s.getInitialState(): must return an object or null', Constructor.displayName || 'ReactCompositeComponent') : invariant(false) : undefined;
+	
+	      this.state = initialState;
+	    };
+	    Constructor.prototype = new ReactClassComponent();
+	    Constructor.prototype.constructor = Constructor;
+	
+	    injectedMixins.forEach(mixSpecIntoComponent.bind(null, Constructor));
+	
+	    mixSpecIntoComponent(Constructor, spec);
+	
+	    // Initialize the defaultProps property after all mixins have been merged.
+	    if (Constructor.getDefaultProps) {
+	      Constructor.defaultProps = Constructor.getDefaultProps();
+	    }
+	
+	    if (true) {
+	      // This is a tag to indicate that the use of these method names is ok,
+	      // since it's used with createClass. If it's not, then it's likely a
+	      // mistake so we'll warn you to use the static property, property
+	      // initializer or constructor respectively.
+	      if (Constructor.getDefaultProps) {
+	        Constructor.getDefaultProps.isReactClassApproved = {};
+	      }
+	      if (Constructor.prototype.getInitialState) {
+	        Constructor.prototype.getInitialState.isReactClassApproved = {};
+	      }
+	    }
+	
+	    !Constructor.prototype.render ?  true ? invariant(false, 'createClass(...): Class specification must implement a `render` method.') : invariant(false) : undefined;
+	
+	    if (true) {
+	       true ? warning(!Constructor.prototype.componentShouldUpdate, '%s has a method called ' + 'componentShouldUpdate(). Did you mean shouldComponentUpdate()? ' + 'The name is phrased as a question because the function is ' + 'expected to return a value.', spec.displayName || 'A component') : undefined;
+	       true ? warning(!Constructor.prototype.componentWillRecieveProps, '%s has a method called ' + 'componentWillRecieveProps(). Did you mean componentWillReceiveProps()?', spec.displayName || 'A component') : undefined;
+	    }
+	
+	    // Reduce time spent doing lookups by setting these on the prototype.
+	    for (var methodName in ReactClassInterface) {
+	      if (!Constructor.prototype[methodName]) {
+	        Constructor.prototype[methodName] = null;
+	      }
+	    }
+	
+	    return Constructor;
+	  },
+	
+	  injection: {
+	    injectMixin: function (mixin) {
+	      injectedMixins.push(mixin);
+	    }
+	  }
+	
+	};
+	
+	module.exports = ReactClass;
+
+/***/ },
+/* 139 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactComponent
+	 */
+	
+	'use strict';
+	
+	var ReactNoopUpdateQueue = __webpack_require__(140);
+	
+	var canDefineProperty = __webpack_require__(59);
+	var emptyObject = __webpack_require__(74);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * Base class helpers for the updating state of a component.
+	 */
+	function ReactComponent(props, context, updater) {
+	  this.props = props;
+	  this.context = context;
+	  this.refs = emptyObject;
+	  // We initialize the default updater but the real one gets injected by the
+	  // renderer.
+	  this.updater = updater || ReactNoopUpdateQueue;
+	}
+	
+	ReactComponent.prototype.isReactComponent = {};
+	
+	/**
+	 * Sets a subset of the state. Always use this to mutate
+	 * state. You should treat `this.state` as immutable.
+	 *
+	 * There is no guarantee that `this.state` will be immediately updated, so
+	 * accessing `this.state` after calling this method may return the old value.
+	 *
+	 * There is no guarantee that calls to `setState` will run synchronously,
+	 * as they may eventually be batched together.  You can provide an optional
+	 * callback that will be executed when the call to setState is actually
+	 * completed.
+	 *
+	 * When a function is provided to setState, it will be called at some point in
+	 * the future (not synchronously). It will be called with the up to date
+	 * component arguments (state, props, context). These values can be different
+	 * from this.* because your function may be called after receiveProps but before
+	 * shouldComponentUpdate, and this new state, props, and context will not yet be
+	 * assigned to this.
+	 *
+	 * @param {object|function} partialState Next partial state or function to
+	 *        produce next partial state to be merged with current state.
+	 * @param {?function} callback Called after state is updated.
+	 * @final
+	 * @protected
+	 */
+	ReactComponent.prototype.setState = function (partialState, callback) {
+	  !(typeof partialState === 'object' || typeof partialState === 'function' || partialState == null) ?  true ? invariant(false, 'setState(...): takes an object of state variables to update or a ' + 'function which returns an object of state variables.') : invariant(false) : undefined;
+	  if (true) {
+	     true ? warning(partialState != null, 'setState(...): You passed an undefined or null state object; ' + 'instead, use forceUpdate().') : undefined;
+	  }
+	  this.updater.enqueueSetState(this, partialState);
+	  if (callback) {
+	    this.updater.enqueueCallback(this, callback);
+	  }
+	};
+	
+	/**
+	 * Forces an update. This should only be invoked when it is known with
+	 * certainty that we are **not** in a DOM transaction.
+	 *
+	 * You may want to call this when you know that some deeper aspect of the
+	 * component's state has changed but `setState` was not called.
+	 *
+	 * This will not invoke `shouldComponentUpdate`, but it will invoke
+	 * `componentWillUpdate` and `componentDidUpdate`.
+	 *
+	 * @param {?function} callback Called after update is complete.
+	 * @final
+	 * @protected
+	 */
+	ReactComponent.prototype.forceUpdate = function (callback) {
+	  this.updater.enqueueForceUpdate(this);
+	  if (callback) {
+	    this.updater.enqueueCallback(this, callback);
+	  }
+	};
+	
+	/**
+	 * Deprecated APIs. These APIs used to exist on classic React classes but since
+	 * we would like to deprecate them, we're not going to move them over to this
+	 * modern base class. Instead, we define a getter that warns if it's accessed.
+	 */
+	if (true) {
+	  var deprecatedAPIs = {
+	    getDOMNode: ['getDOMNode', 'Use ReactDOM.findDOMNode(component) instead.'],
+	    isMounted: ['isMounted', 'Instead, make sure to clean up subscriptions and pending requests in ' + 'componentWillUnmount to prevent memory leaks.'],
+	    replaceProps: ['replaceProps', 'Instead, call render again at the top level.'],
+	    replaceState: ['replaceState', 'Refactor your code to use setState instead (see ' + 'https://github.com/facebook/react/issues/3236).'],
+	    setProps: ['setProps', 'Instead, call render again at the top level.']
+	  };
+	  var defineDeprecationWarning = function (methodName, info) {
+	    if (canDefineProperty) {
+	      Object.defineProperty(ReactComponent.prototype, methodName, {
+	        get: function () {
+	           true ? warning(false, '%s(...) is deprecated in plain JavaScript React classes. %s', info[0], info[1]) : undefined;
+	          return undefined;
+	        }
+	      });
+	    }
+	  };
+	  for (var fnName in deprecatedAPIs) {
+	    if (deprecatedAPIs.hasOwnProperty(fnName)) {
+	      defineDeprecationWarning(fnName, deprecatedAPIs[fnName]);
+	    }
+	  }
+	}
+	
+	module.exports = ReactComponent;
+
+/***/ },
+/* 140 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactNoopUpdateQueue
+	 */
+	
+	'use strict';
+	
+	var warning = __webpack_require__(41);
+	
+	function warnTDZ(publicInstance, callerName) {
+	  if (true) {
+	     true ? warning(false, '%s(...): Can only update a mounted or mounting component. ' + 'This usually means you called %s() on an unmounted component. ' + 'This is a no-op. Please check the code for the %s component.', callerName, callerName, publicInstance.constructor && publicInstance.constructor.displayName || '') : undefined;
+	  }
+	}
+	
+	/**
+	 * This is the abstract API for an update queue.
+	 */
+	var ReactNoopUpdateQueue = {
+	
+	  /**
+	   * Checks whether or not this composite component is mounted.
+	   * @param {ReactClass} publicInstance The instance we want to test.
+	   * @return {boolean} True if mounted, false otherwise.
+	   * @protected
+	   * @final
+	   */
+	  isMounted: function (publicInstance) {
+	    return false;
+	  },
+	
+	  /**
+	   * Enqueue a callback that will be executed after all the pending updates
+	   * have processed.
+	   *
+	   * @param {ReactClass} publicInstance The instance to use as `this` context.
+	   * @param {?function} callback Called after state is updated.
+	   * @internal
+	   */
+	  enqueueCallback: function (publicInstance, callback) {},
+	
+	  /**
+	   * Forces an update. This should only be invoked when it is known with
+	   * certainty that we are **not** in a DOM transaction.
+	   *
+	   * You may want to call this when you know that some deeper aspect of the
+	   * component's state has changed but `setState` was not called.
+	   *
+	   * This will not invoke `shouldComponentUpdate`, but it will invoke
+	   * `componentWillUpdate` and `componentDidUpdate`.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @internal
+	   */
+	  enqueueForceUpdate: function (publicInstance) {
+	    warnTDZ(publicInstance, 'forceUpdate');
+	  },
+	
+	  /**
+	   * Replaces all of the state. Always use this or `setState` to mutate state.
+	   * You should treat `this.state` as immutable.
+	   *
+	   * There is no guarantee that `this.state` will be immediately updated, so
+	   * accessing `this.state` after calling this method may return the old value.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} completeState Next state.
+	   * @internal
+	   */
+	  enqueueReplaceState: function (publicInstance, completeState) {
+	    warnTDZ(publicInstance, 'replaceState');
+	  },
+	
+	  /**
+	   * Sets a subset of the state. This only exists because _pendingState is
+	   * internal. This provides a merging strategy that is not available to deep
+	   * properties which is confusing. TODO: Expose pendingState or don't use it
+	   * during the merge.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} partialState Next partial state to be merged with state.
+	   * @internal
+	   */
+	  enqueueSetState: function (publicInstance, partialState) {
+	    warnTDZ(publicInstance, 'setState');
+	  },
+	
+	  /**
+	   * Sets a subset of the props.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} partialProps Subset of the next props.
+	   * @internal
+	   */
+	  enqueueSetProps: function (publicInstance, partialProps) {
+	    warnTDZ(publicInstance, 'setProps');
+	  },
+	
+	  /**
+	   * Replaces all of the props.
+	   *
+	   * @param {ReactClass} publicInstance The instance that should rerender.
+	   * @param {object} props New props.
+	   * @internal
+	   */
+	  enqueueReplaceProps: function (publicInstance, props) {
+	    warnTDZ(publicInstance, 'replaceProps');
+	  }
+	
+	};
+	
+	module.exports = ReactNoopUpdateQueue;
+
+/***/ },
+/* 141 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactReconcileTransaction
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var CallbackQueue = __webpack_require__(71);
+	var PooledClass = __webpack_require__(72);
+	var ReactBrowserEventEmitter = __webpack_require__(45);
+	var ReactDOMFeatureFlags = __webpack_require__(57);
+	var ReactInputSelection = __webpack_require__(142);
+	var Transaction = __webpack_require__(73);
+	
+	var assign = __webpack_require__(55);
+	
+	/**
+	 * Ensures that, when possible, the selection range (currently selected text
+	 * input) is not disturbed by performing the transaction.
+	 */
+	var SELECTION_RESTORATION = {
+	  /**
+	   * @return {Selection} Selection information.
+	   */
+	  initialize: ReactInputSelection.getSelectionInformation,
+	  /**
+	   * @param {Selection} sel Selection information returned from `initialize`.
+	   */
+	  close: ReactInputSelection.restoreSelection
+	};
+	
+	/**
+	 * Suppresses events (blur/focus) that could be inadvertently dispatched due to
+	 * high level DOM manipulations (like temporarily removing a text input from the
+	 * DOM).
+	 */
+	var EVENT_SUPPRESSION = {
+	  /**
+	   * @return {boolean} The enabled status of `ReactBrowserEventEmitter` before
+	   * the reconciliation.
+	   */
+	  initialize: function () {
+	    var currentlyEnabled = ReactBrowserEventEmitter.isEnabled();
+	    ReactBrowserEventEmitter.setEnabled(false);
+	    return currentlyEnabled;
+	  },
+	
+	  /**
+	   * @param {boolean} previouslyEnabled Enabled status of
+	   *   `ReactBrowserEventEmitter` before the reconciliation occurred. `close`
+	   *   restores the previous value.
+	   */
+	  close: function (previouslyEnabled) {
+	    ReactBrowserEventEmitter.setEnabled(previouslyEnabled);
+	  }
+	};
+	
+	/**
+	 * Provides a queue for collecting `componentDidMount` and
+	 * `componentDidUpdate` callbacks during the the transaction.
+	 */
+	var ON_DOM_READY_QUEUEING = {
+	  /**
+	   * Initializes the internal `onDOMReady` queue.
+	   */
+	  initialize: function () {
+	    this.reactMountReady.reset();
+	  },
+	
+	  /**
+	   * After DOM is flushed, invoke all registered `onDOMReady` callbacks.
+	   */
+	  close: function () {
+	    this.reactMountReady.notifyAll();
+	  }
+	};
+	
+	/**
+	 * Executed within the scope of the `Transaction` instance. Consider these as
+	 * being member methods, but with an implied ordering while being isolated from
+	 * each other.
+	 */
+	var TRANSACTION_WRAPPERS = [SELECTION_RESTORATION, EVENT_SUPPRESSION, ON_DOM_READY_QUEUEING];
+	
+	/**
+	 * Currently:
+	 * - The order that these are listed in the transaction is critical:
+	 * - Suppresses events.
+	 * - Restores selection range.
+	 *
+	 * Future:
+	 * - Restore document/overflow scroll positions that were unintentionally
+	 *   modified via DOM insertions above the top viewport boundary.
+	 * - Implement/integrate with customized constraint based layout system and keep
+	 *   track of which dimensions must be remeasured.
+	 *
+	 * @class ReactReconcileTransaction
+	 */
+	function ReactReconcileTransaction(forceHTML) {
+	  this.reinitializeTransaction();
+	  // Only server-side rendering really needs this option (see
+	  // `ReactServerRendering`), but server-side uses
+	  // `ReactServerRenderingTransaction` instead. This option is here so that it's
+	  // accessible and defaults to false when `ReactDOMComponent` and
+	  // `ReactTextComponent` checks it in `mountComponent`.`
+	  this.renderToStaticMarkup = false;
+	  this.reactMountReady = CallbackQueue.getPooled(null);
+	  this.useCreateElement = !forceHTML && ReactDOMFeatureFlags.useCreateElement;
+	}
+	
+	var Mixin = {
+	  /**
+	   * @see Transaction
+	   * @abstract
+	   * @final
+	   * @return {array<object>} List of operation wrap procedures.
+	   *   TODO: convert to array<TransactionWrapper>
+	   */
+	  getTransactionWrappers: function () {
+	    return TRANSACTION_WRAPPERS;
+	  },
+	
+	  /**
+	   * @return {object} The queue to collect `onDOMReady` callbacks with.
+	   */
+	  getReactMountReady: function () {
+	    return this.reactMountReady;
+	  },
+	
+	  /**
+	   * `PooledClass` looks for this, and will invoke this before allowing this
+	   * instance to be reused.
+	   */
+	  destructor: function () {
+	    CallbackQueue.release(this.reactMountReady);
+	    this.reactMountReady = null;
+	  }
+	};
+	
+	assign(ReactReconcileTransaction.prototype, Transaction.Mixin, Mixin);
+	
+	PooledClass.addPoolingTo(ReactReconcileTransaction);
+	
+	module.exports = ReactReconcileTransaction;
+
+/***/ },
+/* 142 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactInputSelection
+	 */
+	
+	'use strict';
+	
+	var ReactDOMSelection = __webpack_require__(143);
+	
+	var containsNode = __webpack_require__(75);
+	var focusNode = __webpack_require__(111);
+	var getActiveElement = __webpack_require__(145);
+	
+	function isInDocument(node) {
+	  return containsNode(document.documentElement, node);
+	}
+	
+	/**
+	 * @ReactInputSelection: React input selection module. Based on Selection.js,
+	 * but modified to be suitable for react and has a couple of bug fixes (doesn't
+	 * assume buttons have range selections allowed).
+	 * Input selection module for React.
+	 */
+	var ReactInputSelection = {
+	
+	  hasSelectionCapabilities: function (elem) {
+	    var nodeName = elem && elem.nodeName && elem.nodeName.toLowerCase();
+	    return nodeName && (nodeName === 'input' && elem.type === 'text' || nodeName === 'textarea' || elem.contentEditable === 'true');
+	  },
+	
+	  getSelectionInformation: function () {
+	    var focusedElem = getActiveElement();
+	    return {
+	      focusedElem: focusedElem,
+	      selectionRange: ReactInputSelection.hasSelectionCapabilities(focusedElem) ? ReactInputSelection.getSelection(focusedElem) : null
+	    };
+	  },
+	
+	  /**
+	   * @restoreSelection: If any selection information was potentially lost,
+	   * restore it. This is useful when performing operations that could remove dom
+	   * nodes and place them back in, resulting in focus being lost.
+	   */
+	  restoreSelection: function (priorSelectionInformation) {
+	    var curFocusedElem = getActiveElement();
+	    var priorFocusedElem = priorSelectionInformation.focusedElem;
+	    var priorSelectionRange = priorSelectionInformation.selectionRange;
+	    if (curFocusedElem !== priorFocusedElem && isInDocument(priorFocusedElem)) {
+	      if (ReactInputSelection.hasSelectionCapabilities(priorFocusedElem)) {
+	        ReactInputSelection.setSelection(priorFocusedElem, priorSelectionRange);
+	      }
+	      focusNode(priorFocusedElem);
+	    }
+	  },
+	
+	  /**
+	   * @getSelection: Gets the selection bounds of a focused textarea, input or
+	   * contentEditable node.
+	   * -@input: Look up selection bounds of this input
+	   * -@return {start: selectionStart, end: selectionEnd}
+	   */
+	  getSelection: function (input) {
+	    var selection;
+	
+	    if ('selectionStart' in input) {
+	      // Modern browser with input or textarea.
+	      selection = {
+	        start: input.selectionStart,
+	        end: input.selectionEnd
+	      };
+	    } else if (document.selection && (input.nodeName && input.nodeName.toLowerCase() === 'input')) {
+	      // IE8 input.
+	      var range = document.selection.createRange();
+	      // There can only be one selection per document in IE, so it must
+	      // be in our element.
+	      if (range.parentElement() === input) {
+	        selection = {
+	          start: -range.moveStart('character', -input.value.length),
+	          end: -range.moveEnd('character', -input.value.length)
+	        };
+	      }
+	    } else {
+	      // Content editable or old IE textarea.
+	      selection = ReactDOMSelection.getOffsets(input);
+	    }
+	
+	    return selection || { start: 0, end: 0 };
+	  },
+	
+	  /**
+	   * @setSelection: Sets the selection bounds of a textarea or input and focuses
+	   * the input.
+	   * -@input     Set selection bounds of this input or textarea
+	   * -@offsets   Object of same form that is returned from get*
+	   */
+	  setSelection: function (input, offsets) {
+	    var start = offsets.start;
+	    var end = offsets.end;
+	    if (typeof end === 'undefined') {
+	      end = start;
+	    }
+	
+	    if ('selectionStart' in input) {
+	      input.selectionStart = start;
+	      input.selectionEnd = Math.min(end, input.value.length);
+	    } else if (document.selection && (input.nodeName && input.nodeName.toLowerCase() === 'input')) {
+	      var range = input.createTextRange();
+	      range.collapse(true);
+	      range.moveStart('character', start);
+	      range.moveEnd('character', end - start);
+	      range.select();
+	    } else {
+	      ReactDOMSelection.setOffsets(input, offsets);
+	    }
+	  }
+	};
+	
+	module.exports = ReactInputSelection;
+
+/***/ },
+/* 143 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMSelection
+	 */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var getNodeForCharacterOffset = __webpack_require__(144);
+	var getTextContentAccessor = __webpack_require__(91);
+	
+	/**
+	 * While `isCollapsed` is available on the Selection object and `collapsed`
+	 * is available on the Range object, IE11 sometimes gets them wrong.
+	 * If the anchor/focus nodes and offsets are the same, the range is collapsed.
+	 */
+	function isCollapsed(anchorNode, anchorOffset, focusNode, focusOffset) {
+	  return anchorNode === focusNode && anchorOffset === focusOffset;
+	}
+	
+	/**
+	 * Get the appropriate anchor and focus node/offset pairs for IE.
+	 *
+	 * The catch here is that IE's selection API doesn't provide information
+	 * about whether the selection is forward or backward, so we have to
+	 * behave as though it's always forward.
+	 *
+	 * IE text differs from modern selection in that it behaves as though
+	 * block elements end with a new line. This means character offsets will
+	 * differ between the two APIs.
+	 *
+	 * @param {DOMElement} node
+	 * @return {object}
+	 */
+	function getIEOffsets(node) {
+	  var selection = document.selection;
+	  var selectedRange = selection.createRange();
+	  var selectedLength = selectedRange.text.length;
+	
+	  // Duplicate selection so we can move range without breaking user selection.
+	  var fromStart = selectedRange.duplicate();
+	  fromStart.moveToElementText(node);
+	  fromStart.setEndPoint('EndToStart', selectedRange);
+	
+	  var startOffset = fromStart.text.length;
+	  var endOffset = startOffset + selectedLength;
+	
+	  return {
+	    start: startOffset,
+	    end: endOffset
+	  };
+	}
+	
+	/**
+	 * @param {DOMElement} node
+	 * @return {?object}
+	 */
+	function getModernOffsets(node) {
+	  var selection = window.getSelection && window.getSelection();
+	
+	  if (!selection || selection.rangeCount === 0) {
+	    return null;
+	  }
+	
+	  var anchorNode = selection.anchorNode;
+	  var anchorOffset = selection.anchorOffset;
+	  var focusNode = selection.focusNode;
+	  var focusOffset = selection.focusOffset;
+	
+	  var currentRange = selection.getRangeAt(0);
+	
+	  // In Firefox, range.startContainer and range.endContainer can be "anonymous
+	  // divs", e.g. the up/down buttons on an <input type="number">. Anonymous
+	  // divs do not seem to expose properties, triggering a "Permission denied
+	  // error" if any of its properties are accessed. The only seemingly possible
+	  // way to avoid erroring is to access a property that typically works for
+	  // non-anonymous divs and catch any error that may otherwise arise. See
+	  // https://bugzilla.mozilla.org/show_bug.cgi?id=208427
+	  try {
+	    /* eslint-disable no-unused-expressions */
+	    currentRange.startContainer.nodeType;
+	    currentRange.endContainer.nodeType;
+	    /* eslint-enable no-unused-expressions */
+	  } catch (e) {
+	    return null;
+	  }
+	
+	  // If the node and offset values are the same, the selection is collapsed.
+	  // `Selection.isCollapsed` is available natively, but IE sometimes gets
+	  // this value wrong.
+	  var isSelectionCollapsed = isCollapsed(selection.anchorNode, selection.anchorOffset, selection.focusNode, selection.focusOffset);
+	
+	  var rangeLength = isSelectionCollapsed ? 0 : currentRange.toString().length;
+	
+	  var tempRange = currentRange.cloneRange();
+	  tempRange.selectNodeContents(node);
+	  tempRange.setEnd(currentRange.startContainer, currentRange.startOffset);
+	
+	  var isTempRangeCollapsed = isCollapsed(tempRange.startContainer, tempRange.startOffset, tempRange.endContainer, tempRange.endOffset);
+	
+	  var start = isTempRangeCollapsed ? 0 : tempRange.toString().length;
+	  var end = start + rangeLength;
+	
+	  // Detect whether the selection is backward.
+	  var detectionRange = document.createRange();
+	  detectionRange.setStart(anchorNode, anchorOffset);
+	  detectionRange.setEnd(focusNode, focusOffset);
+	  var isBackward = detectionRange.collapsed;
+	
+	  return {
+	    start: isBackward ? end : start,
+	    end: isBackward ? start : end
+	  };
+	}
+	
+	/**
+	 * @param {DOMElement|DOMTextNode} node
+	 * @param {object} offsets
+	 */
+	function setIEOffsets(node, offsets) {
+	  var range = document.selection.createRange().duplicate();
+	  var start, end;
+	
+	  if (typeof offsets.end === 'undefined') {
+	    start = offsets.start;
+	    end = start;
+	  } else if (offsets.start > offsets.end) {
+	    start = offsets.end;
+	    end = offsets.start;
+	  } else {
+	    start = offsets.start;
+	    end = offsets.end;
+	  }
+	
+	  range.moveToElementText(node);
+	  range.moveStart('character', start);
+	  range.setEndPoint('EndToStart', range);
+	  range.moveEnd('character', end - start);
+	  range.select();
+	}
+	
+	/**
+	 * In modern non-IE browsers, we can support both forward and backward
+	 * selections.
+	 *
+	 * Note: IE10+ supports the Selection object, but it does not support
+	 * the `extend` method, which means that even in modern IE, it's not possible
+	 * to programatically create a backward selection. Thus, for all IE
+	 * versions, we use the old IE API to create our selections.
+	 *
+	 * @param {DOMElement|DOMTextNode} node
+	 * @param {object} offsets
+	 */
+	function setModernOffsets(node, offsets) {
+	  if (!window.getSelection) {
+	    return;
+	  }
+	
+	  var selection = window.getSelection();
+	  var length = node[getTextContentAccessor()].length;
+	  var start = Math.min(offsets.start, length);
+	  var end = typeof offsets.end === 'undefined' ? start : Math.min(offsets.end, length);
+	
+	  // IE 11 uses modern selection, but doesn't support the extend method.
+	  // Flip backward selections, so we can set with a single range.
+	  if (!selection.extend && start > end) {
+	    var temp = end;
+	    end = start;
+	    start = temp;
+	  }
+	
+	  var startMarker = getNodeForCharacterOffset(node, start);
+	  var endMarker = getNodeForCharacterOffset(node, end);
+	
+	  if (startMarker && endMarker) {
+	    var range = document.createRange();
+	    range.setStart(startMarker.node, startMarker.offset);
+	    selection.removeAllRanges();
+	
+	    if (start > end) {
+	      selection.addRange(range);
+	      selection.extend(endMarker.node, endMarker.offset);
+	    } else {
+	      range.setEnd(endMarker.node, endMarker.offset);
+	      selection.addRange(range);
+	    }
+	  }
+	}
+	
+	var useIEOffsets = ExecutionEnvironment.canUseDOM && 'selection' in document && !('getSelection' in window);
+	
+	var ReactDOMSelection = {
+	  /**
+	   * @param {DOMElement} node
+	   */
+	  getOffsets: useIEOffsets ? getIEOffsets : getModernOffsets,
+	
+	  /**
+	   * @param {DOMElement|DOMTextNode} node
+	   * @param {object} offsets
+	   */
+	  setOffsets: useIEOffsets ? setIEOffsets : setModernOffsets
+	};
+	
+	module.exports = ReactDOMSelection;
+
+/***/ },
+/* 144 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getNodeForCharacterOffset
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Given any node return the first leaf node without children.
+	 *
+	 * @param {DOMElement|DOMTextNode} node
+	 * @return {DOMElement|DOMTextNode}
+	 */
+	function getLeafNode(node) {
+	  while (node && node.firstChild) {
+	    node = node.firstChild;
+	  }
+	  return node;
+	}
+	
+	/**
+	 * Get the next sibling within a container. This will walk up the
+	 * DOM if a node's siblings have been exhausted.
+	 *
+	 * @param {DOMElement|DOMTextNode} node
+	 * @return {?DOMElement|DOMTextNode}
+	 */
+	function getSiblingNode(node) {
+	  while (node) {
+	    if (node.nextSibling) {
+	      return node.nextSibling;
+	    }
+	    node = node.parentNode;
+	  }
+	}
+	
+	/**
+	 * Get object describing the nodes which contain characters at offset.
+	 *
+	 * @param {DOMElement|DOMTextNode} root
+	 * @param {number} offset
+	 * @return {?object}
+	 */
+	function getNodeForCharacterOffset(root, offset) {
+	  var node = getLeafNode(root);
+	  var nodeStart = 0;
+	  var nodeEnd = 0;
+	
+	  while (node) {
+	    if (node.nodeType === 3) {
+	      nodeEnd = nodeStart + node.textContent.length;
+	
+	      if (nodeStart <= offset && nodeEnd >= offset) {
+	        return {
+	          node: node,
+	          offset: offset - nodeStart
+	        };
+	      }
+	
+	      nodeStart = nodeEnd;
+	    }
+	
+	    node = getLeafNode(getSiblingNode(node));
+	  }
+	}
+	
+	module.exports = getNodeForCharacterOffset;
+
+/***/ },
+/* 145 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getActiveElement
+	 * @typechecks
+	 */
+	
+	/* eslint-disable fb-www/typeof-undefined */
+	
+	/**
+	 * Same as document.activeElement but wraps in a try-catch block. In IE it is
+	 * not safe to call document.activeElement if there is nothing focused.
+	 *
+	 * The activeElement will be null only if the document or document body is not
+	 * yet defined.
+	 */
+	'use strict';
+	
+	function getActiveElement() /*?DOMElement*/{
+	  if (typeof document === 'undefined') {
+	    return null;
+	  }
+	  try {
+	    return document.activeElement || document.body;
+	  } catch (e) {
+	    return document.body;
+	  }
+	}
+	
+	module.exports = getActiveElement;
+
+/***/ },
+/* 146 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SelectEventPlugin
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventPropagators = __webpack_require__(89);
+	var ExecutionEnvironment = __webpack_require__(25);
+	var ReactInputSelection = __webpack_require__(142);
+	var SyntheticEvent = __webpack_require__(93);
+	
+	var getActiveElement = __webpack_require__(145);
+	var isTextInputElement = __webpack_require__(98);
+	var keyOf = __webpack_require__(95);
+	var shallowEqual = __webpack_require__(133);
+	
+	var topLevelTypes = EventConstants.topLevelTypes;
+	
+	var skipSelectionChangeEvent = ExecutionEnvironment.canUseDOM && 'documentMode' in document && document.documentMode <= 11;
+	
+	var eventTypes = {
+	  select: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onSelect: null }),
+	      captured: keyOf({ onSelectCapture: null })
+	    },
+	    dependencies: [topLevelTypes.topBlur, topLevelTypes.topContextMenu, topLevelTypes.topFocus, topLevelTypes.topKeyDown, topLevelTypes.topMouseDown, topLevelTypes.topMouseUp, topLevelTypes.topSelectionChange]
+	  }
+	};
+	
+	var activeElement = null;
+	var activeElementID = null;
+	var lastSelection = null;
+	var mouseDown = false;
+	
+	// Track whether a listener exists for this plugin. If none exist, we do
+	// not extract events.
+	var hasListener = false;
+	var ON_SELECT_KEY = keyOf({ onSelect: null });
+	
+	/**
+	 * Get an object which is a unique representation of the current selection.
+	 *
+	 * The return value will not be consistent across nodes or browsers, but
+	 * two identical selections on the same node will return identical objects.
+	 *
+	 * @param {DOMElement} node
+	 * @return {object}
+	 */
+	function getSelection(node) {
+	  if ('selectionStart' in node && ReactInputSelection.hasSelectionCapabilities(node)) {
+	    return {
+	      start: node.selectionStart,
+	      end: node.selectionEnd
+	    };
+	  } else if (window.getSelection) {
+	    var selection = window.getSelection();
+	    return {
+	      anchorNode: selection.anchorNode,
+	      anchorOffset: selection.anchorOffset,
+	      focusNode: selection.focusNode,
+	      focusOffset: selection.focusOffset
+	    };
+	  } else if (document.selection) {
+	    var range = document.selection.createRange();
+	    return {
+	      parentElement: range.parentElement(),
+	      text: range.text,
+	      top: range.boundingTop,
+	      left: range.boundingLeft
+	    };
+	  }
+	}
+	
+	/**
+	 * Poll selection to see whether it's changed.
+	 *
+	 * @param {object} nativeEvent
+	 * @return {?SyntheticEvent}
+	 */
+	function constructSelectEvent(nativeEvent, nativeEventTarget) {
+	  // Ensure we have the right element, and that the user is not dragging a
+	  // selection (this matches native `select` event behavior). In HTML5, select
+	  // fires only on input and textarea thus if there's no focused element we
+	  // won't dispatch.
+	  if (mouseDown || activeElement == null || activeElement !== getActiveElement()) {
+	    return null;
+	  }
+	
+	  // Only fire when selection has actually changed.
+	  var currentSelection = getSelection(activeElement);
+	  if (!lastSelection || !shallowEqual(lastSelection, currentSelection)) {
+	    lastSelection = currentSelection;
+	
+	    var syntheticEvent = SyntheticEvent.getPooled(eventTypes.select, activeElementID, nativeEvent, nativeEventTarget);
+	
+	    syntheticEvent.type = 'select';
+	    syntheticEvent.target = activeElement;
+	
+	    EventPropagators.accumulateTwoPhaseDispatches(syntheticEvent);
+	
+	    return syntheticEvent;
+	  }
+	
+	  return null;
+	}
+	
+	/**
+	 * This plugin creates an `onSelect` event that normalizes select events
+	 * across form elements.
+	 *
+	 * Supported elements are:
+	 * - input (see `isTextInputElement`)
+	 * - textarea
+	 * - contentEditable
+	 *
+	 * This differs from native browser implementations in the following ways:
+	 * - Fires on contentEditable fields as well as inputs.
+	 * - Fires for collapsed selection.
+	 * - Fires after user input.
+	 */
+	var SelectEventPlugin = {
+	
+	  eventTypes: eventTypes,
+	
+	  /**
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native browser event.
+	   * @return {*} An accumulation of synthetic events.
+	   * @see {EventPluginHub.extractEvents}
+	   */
+	  extractEvents: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	    if (!hasListener) {
+	      return null;
+	    }
+	
+	    switch (topLevelType) {
+	      // Track the input node that has focus.
+	      case topLevelTypes.topFocus:
+	        if (isTextInputElement(topLevelTarget) || topLevelTarget.contentEditable === 'true') {
+	          activeElement = topLevelTarget;
+	          activeElementID = topLevelTargetID;
+	          lastSelection = null;
+	        }
+	        break;
+	      case topLevelTypes.topBlur:
+	        activeElement = null;
+	        activeElementID = null;
+	        lastSelection = null;
+	        break;
+	
+	      // Don't fire the event while the user is dragging. This matches the
+	      // semantics of the native select event.
+	      case topLevelTypes.topMouseDown:
+	        mouseDown = true;
+	        break;
+	      case topLevelTypes.topContextMenu:
+	      case topLevelTypes.topMouseUp:
+	        mouseDown = false;
+	        return constructSelectEvent(nativeEvent, nativeEventTarget);
+	
+	      // Chrome and IE fire non-standard event when selection is changed (and
+	      // sometimes when it hasn't). IE's event fires out of order with respect
+	      // to key and input events on deletion, so we discard it.
+	      //
+	      // Firefox doesn't support selectionchange, so check selection status
+	      // after each key entry. The selection changes after keydown and before
+	      // keyup, but we check on keydown as well in the case of holding down a
+	      // key, when multiple keydown events are fired but only one keyup is.
+	      // This is also our approach for IE handling, for the reason above.
+	      case topLevelTypes.topSelectionChange:
+	        if (skipSelectionChangeEvent) {
+	          break;
+	        }
+	      // falls through
+	      case topLevelTypes.topKeyDown:
+	      case topLevelTypes.topKeyUp:
+	        return constructSelectEvent(nativeEvent, nativeEventTarget);
+	    }
+	
+	    return null;
+	  },
+	
+	  didPutListener: function (id, registrationName, listener) {
+	    if (registrationName === ON_SELECT_KEY) {
+	      hasListener = true;
+	    }
+	  }
+	};
+	
+	module.exports = SelectEventPlugin;
+
+/***/ },
+/* 147 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ServerReactRootIndex
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Size of the reactRoot ID space. We generate random numbers for React root
+	 * IDs and if there's a collision the events and DOM update system will
+	 * get confused. In the future we need a way to generate GUIDs but for
+	 * now this will work on a smaller scale.
+	 */
+	var GLOBAL_MOUNT_POINT_MAX = Math.pow(2, 53);
+	
+	var ServerReactRootIndex = {
+	  createReactRootIndex: function () {
+	    return Math.ceil(Math.random() * GLOBAL_MOUNT_POINT_MAX);
+	  }
+	};
+	
+	module.exports = ServerReactRootIndex;
+
+/***/ },
+/* 148 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SimpleEventPlugin
+	 */
+	
+	'use strict';
+	
+	var EventConstants = __webpack_require__(46);
+	var EventListener = __webpack_require__(135);
+	var EventPropagators = __webpack_require__(89);
+	var ReactMount = __webpack_require__(44);
+	var SyntheticClipboardEvent = __webpack_require__(149);
+	var SyntheticEvent = __webpack_require__(93);
+	var SyntheticFocusEvent = __webpack_require__(150);
+	var SyntheticKeyboardEvent = __webpack_require__(151);
+	var SyntheticMouseEvent = __webpack_require__(102);
+	var SyntheticDragEvent = __webpack_require__(154);
+	var SyntheticTouchEvent = __webpack_require__(155);
+	var SyntheticUIEvent = __webpack_require__(103);
+	var SyntheticWheelEvent = __webpack_require__(156);
+	
+	var emptyFunction = __webpack_require__(31);
+	var getEventCharCode = __webpack_require__(152);
+	var invariant = __webpack_require__(29);
+	var keyOf = __webpack_require__(95);
+	
+	var topLevelTypes = EventConstants.topLevelTypes;
+	
+	var eventTypes = {
+	  abort: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onAbort: true }),
+	      captured: keyOf({ onAbortCapture: true })
+	    }
+	  },
+	  blur: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onBlur: true }),
+	      captured: keyOf({ onBlurCapture: true })
+	    }
+	  },
+	  canPlay: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCanPlay: true }),
+	      captured: keyOf({ onCanPlayCapture: true })
+	    }
+	  },
+	  canPlayThrough: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCanPlayThrough: true }),
+	      captured: keyOf({ onCanPlayThroughCapture: true })
+	    }
+	  },
+	  click: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onClick: true }),
+	      captured: keyOf({ onClickCapture: true })
+	    }
+	  },
+	  contextMenu: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onContextMenu: true }),
+	      captured: keyOf({ onContextMenuCapture: true })
+	    }
+	  },
+	  copy: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCopy: true }),
+	      captured: keyOf({ onCopyCapture: true })
+	    }
+	  },
+	  cut: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onCut: true }),
+	      captured: keyOf({ onCutCapture: true })
+	    }
+	  },
+	  doubleClick: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDoubleClick: true }),
+	      captured: keyOf({ onDoubleClickCapture: true })
+	    }
+	  },
+	  drag: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDrag: true }),
+	      captured: keyOf({ onDragCapture: true })
+	    }
+	  },
+	  dragEnd: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDragEnd: true }),
+	      captured: keyOf({ onDragEndCapture: true })
+	    }
+	  },
+	  dragEnter: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDragEnter: true }),
+	      captured: keyOf({ onDragEnterCapture: true })
+	    }
+	  },
+	  dragExit: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDragExit: true }),
+	      captured: keyOf({ onDragExitCapture: true })
+	    }
+	  },
+	  dragLeave: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDragLeave: true }),
+	      captured: keyOf({ onDragLeaveCapture: true })
+	    }
+	  },
+	  dragOver: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDragOver: true }),
+	      captured: keyOf({ onDragOverCapture: true })
+	    }
+	  },
+	  dragStart: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDragStart: true }),
+	      captured: keyOf({ onDragStartCapture: true })
+	    }
+	  },
+	  drop: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDrop: true }),
+	      captured: keyOf({ onDropCapture: true })
+	    }
+	  },
+	  durationChange: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onDurationChange: true }),
+	      captured: keyOf({ onDurationChangeCapture: true })
+	    }
+	  },
+	  emptied: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onEmptied: true }),
+	      captured: keyOf({ onEmptiedCapture: true })
+	    }
+	  },
+	  encrypted: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onEncrypted: true }),
+	      captured: keyOf({ onEncryptedCapture: true })
+	    }
+	  },
+	  ended: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onEnded: true }),
+	      captured: keyOf({ onEndedCapture: true })
+	    }
+	  },
+	  error: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onError: true }),
+	      captured: keyOf({ onErrorCapture: true })
+	    }
+	  },
+	  focus: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onFocus: true }),
+	      captured: keyOf({ onFocusCapture: true })
+	    }
+	  },
+	  input: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onInput: true }),
+	      captured: keyOf({ onInputCapture: true })
+	    }
+	  },
+	  keyDown: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onKeyDown: true }),
+	      captured: keyOf({ onKeyDownCapture: true })
+	    }
+	  },
+	  keyPress: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onKeyPress: true }),
+	      captured: keyOf({ onKeyPressCapture: true })
+	    }
+	  },
+	  keyUp: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onKeyUp: true }),
+	      captured: keyOf({ onKeyUpCapture: true })
+	    }
+	  },
+	  load: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onLoad: true }),
+	      captured: keyOf({ onLoadCapture: true })
+	    }
+	  },
+	  loadedData: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onLoadedData: true }),
+	      captured: keyOf({ onLoadedDataCapture: true })
+	    }
+	  },
+	  loadedMetadata: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onLoadedMetadata: true }),
+	      captured: keyOf({ onLoadedMetadataCapture: true })
+	    }
+	  },
+	  loadStart: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onLoadStart: true }),
+	      captured: keyOf({ onLoadStartCapture: true })
+	    }
+	  },
+	  // Note: We do not allow listening to mouseOver events. Instead, use the
+	  // onMouseEnter/onMouseLeave created by `EnterLeaveEventPlugin`.
+	  mouseDown: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onMouseDown: true }),
+	      captured: keyOf({ onMouseDownCapture: true })
+	    }
+	  },
+	  mouseMove: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onMouseMove: true }),
+	      captured: keyOf({ onMouseMoveCapture: true })
+	    }
+	  },
+	  mouseOut: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onMouseOut: true }),
+	      captured: keyOf({ onMouseOutCapture: true })
+	    }
+	  },
+	  mouseOver: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onMouseOver: true }),
+	      captured: keyOf({ onMouseOverCapture: true })
+	    }
+	  },
+	  mouseUp: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onMouseUp: true }),
+	      captured: keyOf({ onMouseUpCapture: true })
+	    }
+	  },
+	  paste: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onPaste: true }),
+	      captured: keyOf({ onPasteCapture: true })
+	    }
+	  },
+	  pause: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onPause: true }),
+	      captured: keyOf({ onPauseCapture: true })
+	    }
+	  },
+	  play: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onPlay: true }),
+	      captured: keyOf({ onPlayCapture: true })
+	    }
+	  },
+	  playing: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onPlaying: true }),
+	      captured: keyOf({ onPlayingCapture: true })
+	    }
+	  },
+	  progress: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onProgress: true }),
+	      captured: keyOf({ onProgressCapture: true })
+	    }
+	  },
+	  rateChange: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onRateChange: true }),
+	      captured: keyOf({ onRateChangeCapture: true })
+	    }
+	  },
+	  reset: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onReset: true }),
+	      captured: keyOf({ onResetCapture: true })
+	    }
+	  },
+	  scroll: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onScroll: true }),
+	      captured: keyOf({ onScrollCapture: true })
+	    }
+	  },
+	  seeked: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onSeeked: true }),
+	      captured: keyOf({ onSeekedCapture: true })
+	    }
+	  },
+	  seeking: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onSeeking: true }),
+	      captured: keyOf({ onSeekingCapture: true })
+	    }
+	  },
+	  stalled: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onStalled: true }),
+	      captured: keyOf({ onStalledCapture: true })
+	    }
+	  },
+	  submit: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onSubmit: true }),
+	      captured: keyOf({ onSubmitCapture: true })
+	    }
+	  },
+	  suspend: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onSuspend: true }),
+	      captured: keyOf({ onSuspendCapture: true })
+	    }
+	  },
+	  timeUpdate: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onTimeUpdate: true }),
+	      captured: keyOf({ onTimeUpdateCapture: true })
+	    }
+	  },
+	  touchCancel: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onTouchCancel: true }),
+	      captured: keyOf({ onTouchCancelCapture: true })
+	    }
+	  },
+	  touchEnd: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onTouchEnd: true }),
+	      captured: keyOf({ onTouchEndCapture: true })
+	    }
+	  },
+	  touchMove: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onTouchMove: true }),
+	      captured: keyOf({ onTouchMoveCapture: true })
+	    }
+	  },
+	  touchStart: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onTouchStart: true }),
+	      captured: keyOf({ onTouchStartCapture: true })
+	    }
+	  },
+	  volumeChange: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onVolumeChange: true }),
+	      captured: keyOf({ onVolumeChangeCapture: true })
+	    }
+	  },
+	  waiting: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onWaiting: true }),
+	      captured: keyOf({ onWaitingCapture: true })
+	    }
+	  },
+	  wheel: {
+	    phasedRegistrationNames: {
+	      bubbled: keyOf({ onWheel: true }),
+	      captured: keyOf({ onWheelCapture: true })
+	    }
+	  }
+	};
+	
+	var topLevelEventsToDispatchConfig = {
+	  topAbort: eventTypes.abort,
+	  topBlur: eventTypes.blur,
+	  topCanPlay: eventTypes.canPlay,
+	  topCanPlayThrough: eventTypes.canPlayThrough,
+	  topClick: eventTypes.click,
+	  topContextMenu: eventTypes.contextMenu,
+	  topCopy: eventTypes.copy,
+	  topCut: eventTypes.cut,
+	  topDoubleClick: eventTypes.doubleClick,
+	  topDrag: eventTypes.drag,
+	  topDragEnd: eventTypes.dragEnd,
+	  topDragEnter: eventTypes.dragEnter,
+	  topDragExit: eventTypes.dragExit,
+	  topDragLeave: eventTypes.dragLeave,
+	  topDragOver: eventTypes.dragOver,
+	  topDragStart: eventTypes.dragStart,
+	  topDrop: eventTypes.drop,
+	  topDurationChange: eventTypes.durationChange,
+	  topEmptied: eventTypes.emptied,
+	  topEncrypted: eventTypes.encrypted,
+	  topEnded: eventTypes.ended,
+	  topError: eventTypes.error,
+	  topFocus: eventTypes.focus,
+	  topInput: eventTypes.input,
+	  topKeyDown: eventTypes.keyDown,
+	  topKeyPress: eventTypes.keyPress,
+	  topKeyUp: eventTypes.keyUp,
+	  topLoad: eventTypes.load,
+	  topLoadedData: eventTypes.loadedData,
+	  topLoadedMetadata: eventTypes.loadedMetadata,
+	  topLoadStart: eventTypes.loadStart,
+	  topMouseDown: eventTypes.mouseDown,
+	  topMouseMove: eventTypes.mouseMove,
+	  topMouseOut: eventTypes.mouseOut,
+	  topMouseOver: eventTypes.mouseOver,
+	  topMouseUp: eventTypes.mouseUp,
+	  topPaste: eventTypes.paste,
+	  topPause: eventTypes.pause,
+	  topPlay: eventTypes.play,
+	  topPlaying: eventTypes.playing,
+	  topProgress: eventTypes.progress,
+	  topRateChange: eventTypes.rateChange,
+	  topReset: eventTypes.reset,
+	  topScroll: eventTypes.scroll,
+	  topSeeked: eventTypes.seeked,
+	  topSeeking: eventTypes.seeking,
+	  topStalled: eventTypes.stalled,
+	  topSubmit: eventTypes.submit,
+	  topSuspend: eventTypes.suspend,
+	  topTimeUpdate: eventTypes.timeUpdate,
+	  topTouchCancel: eventTypes.touchCancel,
+	  topTouchEnd: eventTypes.touchEnd,
+	  topTouchMove: eventTypes.touchMove,
+	  topTouchStart: eventTypes.touchStart,
+	  topVolumeChange: eventTypes.volumeChange,
+	  topWaiting: eventTypes.waiting,
+	  topWheel: eventTypes.wheel
+	};
+	
+	for (var type in topLevelEventsToDispatchConfig) {
+	  topLevelEventsToDispatchConfig[type].dependencies = [type];
+	}
+	
+	var ON_CLICK_KEY = keyOf({ onClick: null });
+	var onClickListeners = {};
+	
+	var SimpleEventPlugin = {
+	
+	  eventTypes: eventTypes,
+	
+	  /**
+	   * @param {string} topLevelType Record from `EventConstants`.
+	   * @param {DOMEventTarget} topLevelTarget The listening component root node.
+	   * @param {string} topLevelTargetID ID of `topLevelTarget`.
+	   * @param {object} nativeEvent Native browser event.
+	   * @return {*} An accumulation of synthetic events.
+	   * @see {EventPluginHub.extractEvents}
+	   */
+	  extractEvents: function (topLevelType, topLevelTarget, topLevelTargetID, nativeEvent, nativeEventTarget) {
+	    var dispatchConfig = topLevelEventsToDispatchConfig[topLevelType];
+	    if (!dispatchConfig) {
+	      return null;
+	    }
+	    var EventConstructor;
+	    switch (topLevelType) {
+	      case topLevelTypes.topAbort:
+	      case topLevelTypes.topCanPlay:
+	      case topLevelTypes.topCanPlayThrough:
+	      case topLevelTypes.topDurationChange:
+	      case topLevelTypes.topEmptied:
+	      case topLevelTypes.topEncrypted:
+	      case topLevelTypes.topEnded:
+	      case topLevelTypes.topError:
+	      case topLevelTypes.topInput:
+	      case topLevelTypes.topLoad:
+	      case topLevelTypes.topLoadedData:
+	      case topLevelTypes.topLoadedMetadata:
+	      case topLevelTypes.topLoadStart:
+	      case topLevelTypes.topPause:
+	      case topLevelTypes.topPlay:
+	      case topLevelTypes.topPlaying:
+	      case topLevelTypes.topProgress:
+	      case topLevelTypes.topRateChange:
+	      case topLevelTypes.topReset:
+	      case topLevelTypes.topSeeked:
+	      case topLevelTypes.topSeeking:
+	      case topLevelTypes.topStalled:
+	      case topLevelTypes.topSubmit:
+	      case topLevelTypes.topSuspend:
+	      case topLevelTypes.topTimeUpdate:
+	      case topLevelTypes.topVolumeChange:
+	      case topLevelTypes.topWaiting:
+	        // HTML Events
+	        // @see http://www.w3.org/TR/html5/index.html#events-0
+	        EventConstructor = SyntheticEvent;
+	        break;
+	      case topLevelTypes.topKeyPress:
+	        // FireFox creates a keypress event for function keys too. This removes
+	        // the unwanted keypress events. Enter is however both printable and
+	        // non-printable. One would expect Tab to be as well (but it isn't).
+	        if (getEventCharCode(nativeEvent) === 0) {
+	          return null;
+	        }
+	      /* falls through */
+	      case topLevelTypes.topKeyDown:
+	      case topLevelTypes.topKeyUp:
+	        EventConstructor = SyntheticKeyboardEvent;
+	        break;
+	      case topLevelTypes.topBlur:
+	      case topLevelTypes.topFocus:
+	        EventConstructor = SyntheticFocusEvent;
+	        break;
+	      case topLevelTypes.topClick:
+	        // Firefox creates a click event on right mouse clicks. This removes the
+	        // unwanted click events.
+	        if (nativeEvent.button === 2) {
+	          return null;
+	        }
+	      /* falls through */
+	      case topLevelTypes.topContextMenu:
+	      case topLevelTypes.topDoubleClick:
+	      case topLevelTypes.topMouseDown:
+	      case topLevelTypes.topMouseMove:
+	      case topLevelTypes.topMouseOut:
+	      case topLevelTypes.topMouseOver:
+	      case topLevelTypes.topMouseUp:
+	        EventConstructor = SyntheticMouseEvent;
+	        break;
+	      case topLevelTypes.topDrag:
+	      case topLevelTypes.topDragEnd:
+	      case topLevelTypes.topDragEnter:
+	      case topLevelTypes.topDragExit:
+	      case topLevelTypes.topDragLeave:
+	      case topLevelTypes.topDragOver:
+	      case topLevelTypes.topDragStart:
+	      case topLevelTypes.topDrop:
+	        EventConstructor = SyntheticDragEvent;
+	        break;
+	      case topLevelTypes.topTouchCancel:
+	      case topLevelTypes.topTouchEnd:
+	      case topLevelTypes.topTouchMove:
+	      case topLevelTypes.topTouchStart:
+	        EventConstructor = SyntheticTouchEvent;
+	        break;
+	      case topLevelTypes.topScroll:
+	        EventConstructor = SyntheticUIEvent;
+	        break;
+	      case topLevelTypes.topWheel:
+	        EventConstructor = SyntheticWheelEvent;
+	        break;
+	      case topLevelTypes.topCopy:
+	      case topLevelTypes.topCut:
+	      case topLevelTypes.topPaste:
+	        EventConstructor = SyntheticClipboardEvent;
+	        break;
+	    }
+	    !EventConstructor ?  true ? invariant(false, 'SimpleEventPlugin: Unhandled event type, `%s`.', topLevelType) : invariant(false) : undefined;
+	    var event = EventConstructor.getPooled(dispatchConfig, topLevelTargetID, nativeEvent, nativeEventTarget);
+	    EventPropagators.accumulateTwoPhaseDispatches(event);
+	    return event;
+	  },
+	
+	  didPutListener: function (id, registrationName, listener) {
+	    // Mobile Safari does not fire properly bubble click events on
+	    // non-interactive elements, which means delegated click listeners do not
+	    // fire. The workaround for this bug involves attaching an empty click
+	    // listener on the target node.
+	    if (registrationName === ON_CLICK_KEY) {
+	      var node = ReactMount.getNode(id);
+	      if (!onClickListeners[id]) {
+	        onClickListeners[id] = EventListener.listen(node, 'click', emptyFunction);
+	      }
+	    }
+	  },
+	
+	  willDeleteListener: function (id, registrationName) {
+	    if (registrationName === ON_CLICK_KEY) {
+	      onClickListeners[id].remove();
+	      delete onClickListeners[id];
+	    }
+	  }
+	
+	};
+	
+	module.exports = SimpleEventPlugin;
+
+/***/ },
+/* 149 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticClipboardEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticEvent = __webpack_require__(93);
+	
+	/**
+	 * @interface Event
+	 * @see http://www.w3.org/TR/clipboard-apis/
+	 */
+	var ClipboardEventInterface = {
+	  clipboardData: function (event) {
+	    return 'clipboardData' in event ? event.clipboardData : window.clipboardData;
+	  }
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticClipboardEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticEvent.augmentClass(SyntheticClipboardEvent, ClipboardEventInterface);
+	
+	module.exports = SyntheticClipboardEvent;
+
+/***/ },
+/* 150 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticFocusEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticUIEvent = __webpack_require__(103);
+	
+	/**
+	 * @interface FocusEvent
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var FocusEventInterface = {
+	  relatedTarget: null
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticFocusEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticUIEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticUIEvent.augmentClass(SyntheticFocusEvent, FocusEventInterface);
+	
+	module.exports = SyntheticFocusEvent;
+
+/***/ },
+/* 151 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticKeyboardEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticUIEvent = __webpack_require__(103);
+	
+	var getEventCharCode = __webpack_require__(152);
+	var getEventKey = __webpack_require__(153);
+	var getEventModifierState = __webpack_require__(104);
+	
+	/**
+	 * @interface KeyboardEvent
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var KeyboardEventInterface = {
+	  key: getEventKey,
+	  location: null,
+	  ctrlKey: null,
+	  shiftKey: null,
+	  altKey: null,
+	  metaKey: null,
+	  repeat: null,
+	  locale: null,
+	  getModifierState: getEventModifierState,
+	  // Legacy Interface
+	  charCode: function (event) {
+	    // `charCode` is the result of a KeyPress event and represents the value of
+	    // the actual printable character.
+	
+	    // KeyPress is deprecated, but its replacement is not yet final and not
+	    // implemented in any major browser. Only KeyPress has charCode.
+	    if (event.type === 'keypress') {
+	      return getEventCharCode(event);
+	    }
+	    return 0;
+	  },
+	  keyCode: function (event) {
+	    // `keyCode` is the result of a KeyDown/Up event and represents the value of
+	    // physical keyboard key.
+	
+	    // The actual meaning of the value depends on the users' keyboard layout
+	    // which cannot be detected. Assuming that it is a US keyboard layout
+	    // provides a surprisingly accurate mapping for US and European users.
+	    // Due to this, it is left to the user to implement at this time.
+	    if (event.type === 'keydown' || event.type === 'keyup') {
+	      return event.keyCode;
+	    }
+	    return 0;
+	  },
+	  which: function (event) {
+	    // `which` is an alias for either `keyCode` or `charCode` depending on the
+	    // type of the event.
+	    if (event.type === 'keypress') {
+	      return getEventCharCode(event);
+	    }
+	    if (event.type === 'keydown' || event.type === 'keyup') {
+	      return event.keyCode;
+	    }
+	    return 0;
+	  }
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticKeyboardEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticUIEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticUIEvent.augmentClass(SyntheticKeyboardEvent, KeyboardEventInterface);
+	
+	module.exports = SyntheticKeyboardEvent;
+
+/***/ },
+/* 152 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getEventCharCode
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	/**
+	 * `charCode` represents the actual "character code" and is safe to use with
+	 * `String.fromCharCode`. As such, only keys that correspond to printable
+	 * characters produce a valid `charCode`, the only exception to this is Enter.
+	 * The Tab-key is considered non-printable and does not have a `charCode`,
+	 * presumably because it does not produce a tab-character in browsers.
+	 *
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {number} Normalized `charCode` property.
+	 */
+	function getEventCharCode(nativeEvent) {
+	  var charCode;
+	  var keyCode = nativeEvent.keyCode;
+	
+	  if ('charCode' in nativeEvent) {
+	    charCode = nativeEvent.charCode;
+	
+	    // FF does not set `charCode` for the Enter-key, check against `keyCode`.
+	    if (charCode === 0 && keyCode === 13) {
+	      charCode = 13;
+	    }
+	  } else {
+	    // IE8 does not implement `charCode`, but `keyCode` has the correct value.
+	    charCode = keyCode;
+	  }
+	
+	  // Some non-printable keys are reported in `charCode`/`keyCode`, discard them.
+	  // Must not discard the (non-)printable Enter-key.
+	  if (charCode >= 32 || charCode === 13) {
+	    return charCode;
+	  }
+	
+	  return 0;
+	}
+	
+	module.exports = getEventCharCode;
+
+/***/ },
+/* 153 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule getEventKey
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var getEventCharCode = __webpack_require__(152);
+	
+	/**
+	 * Normalization of deprecated HTML5 `key` values
+	 * @see https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent#Key_names
+	 */
+	var normalizeKey = {
+	  'Esc': 'Escape',
+	  'Spacebar': ' ',
+	  'Left': 'ArrowLeft',
+	  'Up': 'ArrowUp',
+	  'Right': 'ArrowRight',
+	  'Down': 'ArrowDown',
+	  'Del': 'Delete',
+	  'Win': 'OS',
+	  'Menu': 'ContextMenu',
+	  'Apps': 'ContextMenu',
+	  'Scroll': 'ScrollLock',
+	  'MozPrintableKey': 'Unidentified'
+	};
+	
+	/**
+	 * Translation from legacy `keyCode` to HTML5 `key`
+	 * Only special keys supported, all others depend on keyboard layout or browser
+	 * @see https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent#Key_names
+	 */
+	var translateToKey = {
+	  8: 'Backspace',
+	  9: 'Tab',
+	  12: 'Clear',
+	  13: 'Enter',
+	  16: 'Shift',
+	  17: 'Control',
+	  18: 'Alt',
+	  19: 'Pause',
+	  20: 'CapsLock',
+	  27: 'Escape',
+	  32: ' ',
+	  33: 'PageUp',
+	  34: 'PageDown',
+	  35: 'End',
+	  36: 'Home',
+	  37: 'ArrowLeft',
+	  38: 'ArrowUp',
+	  39: 'ArrowRight',
+	  40: 'ArrowDown',
+	  45: 'Insert',
+	  46: 'Delete',
+	  112: 'F1', 113: 'F2', 114: 'F3', 115: 'F4', 116: 'F5', 117: 'F6',
+	  118: 'F7', 119: 'F8', 120: 'F9', 121: 'F10', 122: 'F11', 123: 'F12',
+	  144: 'NumLock',
+	  145: 'ScrollLock',
+	  224: 'Meta'
+	};
+	
+	/**
+	 * @param {object} nativeEvent Native browser event.
+	 * @return {string} Normalized `key` property.
+	 */
+	function getEventKey(nativeEvent) {
+	  if (nativeEvent.key) {
+	    // Normalize inconsistent values reported by browsers due to
+	    // implementations of a working draft specification.
+	
+	    // FireFox implements `key` but returns `MozPrintableKey` for all
+	    // printable characters (normalized to `Unidentified`), ignore it.
+	    var key = normalizeKey[nativeEvent.key] || nativeEvent.key;
+	    if (key !== 'Unidentified') {
+	      return key;
+	    }
+	  }
+	
+	  // Browser does not implement `key`, polyfill as much of it as we can.
+	  if (nativeEvent.type === 'keypress') {
+	    var charCode = getEventCharCode(nativeEvent);
+	
+	    // The enter-key is technically both printable and non-printable and can
+	    // thus be captured by `keypress`, no other non-printable key should.
+	    return charCode === 13 ? 'Enter' : String.fromCharCode(charCode);
+	  }
+	  if (nativeEvent.type === 'keydown' || nativeEvent.type === 'keyup') {
+	    // While user keyboard layout determines the actual meaning of each
+	    // `keyCode` value, almost all function keys have a universal value.
+	    return translateToKey[nativeEvent.keyCode] || 'Unidentified';
+	  }
+	  return '';
+	}
+	
+	module.exports = getEventKey;
+
+/***/ },
+/* 154 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticDragEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticMouseEvent = __webpack_require__(102);
+	
+	/**
+	 * @interface DragEvent
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var DragEventInterface = {
+	  dataTransfer: null
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticDragEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticMouseEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticMouseEvent.augmentClass(SyntheticDragEvent, DragEventInterface);
+	
+	module.exports = SyntheticDragEvent;
+
+/***/ },
+/* 155 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticTouchEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticUIEvent = __webpack_require__(103);
+	
+	var getEventModifierState = __webpack_require__(104);
+	
+	/**
+	 * @interface TouchEvent
+	 * @see http://www.w3.org/TR/touch-events/
+	 */
+	var TouchEventInterface = {
+	  touches: null,
+	  targetTouches: null,
+	  changedTouches: null,
+	  altKey: null,
+	  metaKey: null,
+	  ctrlKey: null,
+	  shiftKey: null,
+	  getModifierState: getEventModifierState
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticUIEvent}
+	 */
+	function SyntheticTouchEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticUIEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticUIEvent.augmentClass(SyntheticTouchEvent, TouchEventInterface);
+	
+	module.exports = SyntheticTouchEvent;
+
+/***/ },
+/* 156 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SyntheticWheelEvent
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var SyntheticMouseEvent = __webpack_require__(102);
+	
+	/**
+	 * @interface WheelEvent
+	 * @see http://www.w3.org/TR/DOM-Level-3-Events/
+	 */
+	var WheelEventInterface = {
+	  deltaX: function (event) {
+	    return 'deltaX' in event ? event.deltaX :
+	    // Fallback to `wheelDeltaX` for Webkit and normalize (right is positive).
+	    'wheelDeltaX' in event ? -event.wheelDeltaX : 0;
+	  },
+	  deltaY: function (event) {
+	    return 'deltaY' in event ? event.deltaY :
+	    // Fallback to `wheelDeltaY` for Webkit and normalize (down is positive).
+	    'wheelDeltaY' in event ? -event.wheelDeltaY :
+	    // Fallback to `wheelDelta` for IE<9 and normalize (down is positive).
+	    'wheelDelta' in event ? -event.wheelDelta : 0;
+	  },
+	  deltaZ: null,
+	
+	  // Browsers without "deltaMode" is reporting in raw wheel delta where one
+	  // notch on the scroll is always +/- 120, roughly equivalent to pixels.
+	  // A good approximation of DOM_DELTA_LINE (1) is 5% of viewport size or
+	  // ~40 pixels, for DOM_DELTA_SCREEN (2) it is 87.5% of viewport size.
+	  deltaMode: null
+	};
+	
+	/**
+	 * @param {object} dispatchConfig Configuration used to dispatch this event.
+	 * @param {string} dispatchMarker Marker identifying the event target.
+	 * @param {object} nativeEvent Native browser event.
+	 * @extends {SyntheticMouseEvent}
+	 */
+	function SyntheticWheelEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {
+	  SyntheticMouseEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);
+	}
+	
+	SyntheticMouseEvent.augmentClass(SyntheticWheelEvent, WheelEventInterface);
+	
+	module.exports = SyntheticWheelEvent;
+
+/***/ },
+/* 157 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule SVGDOMPropertyConfig
+	 */
+	
+	'use strict';
+	
+	var DOMProperty = __webpack_require__(39);
+	
+	var MUST_USE_ATTRIBUTE = DOMProperty.injection.MUST_USE_ATTRIBUTE;
+	
+	var NS = {
+	  xlink: 'http://www.w3.org/1999/xlink',
+	  xml: 'http://www.w3.org/XML/1998/namespace'
+	};
+	
+	var SVGDOMPropertyConfig = {
+	  Properties: {
+	    clipPath: MUST_USE_ATTRIBUTE,
+	    cx: MUST_USE_ATTRIBUTE,
+	    cy: MUST_USE_ATTRIBUTE,
+	    d: MUST_USE_ATTRIBUTE,
+	    dx: MUST_USE_ATTRIBUTE,
+	    dy: MUST_USE_ATTRIBUTE,
+	    fill: MUST_USE_ATTRIBUTE,
+	    fillOpacity: MUST_USE_ATTRIBUTE,
+	    fontFamily: MUST_USE_ATTRIBUTE,
+	    fontSize: MUST_USE_ATTRIBUTE,
+	    fx: MUST_USE_ATTRIBUTE,
+	    fy: MUST_USE_ATTRIBUTE,
+	    gradientTransform: MUST_USE_ATTRIBUTE,
+	    gradientUnits: MUST_USE_ATTRIBUTE,
+	    markerEnd: MUST_USE_ATTRIBUTE,
+	    markerMid: MUST_USE_ATTRIBUTE,
+	    markerStart: MUST_USE_ATTRIBUTE,
+	    offset: MUST_USE_ATTRIBUTE,
+	    opacity: MUST_USE_ATTRIBUTE,
+	    patternContentUnits: MUST_USE_ATTRIBUTE,
+	    patternUnits: MUST_USE_ATTRIBUTE,
+	    points: MUST_USE_ATTRIBUTE,
+	    preserveAspectRatio: MUST_USE_ATTRIBUTE,
+	    r: MUST_USE_ATTRIBUTE,
+	    rx: MUST_USE_ATTRIBUTE,
+	    ry: MUST_USE_ATTRIBUTE,
+	    spreadMethod: MUST_USE_ATTRIBUTE,
+	    stopColor: MUST_USE_ATTRIBUTE,
+	    stopOpacity: MUST_USE_ATTRIBUTE,
+	    stroke: MUST_USE_ATTRIBUTE,
+	    strokeDasharray: MUST_USE_ATTRIBUTE,
+	    strokeLinecap: MUST_USE_ATTRIBUTE,
+	    strokeOpacity: MUST_USE_ATTRIBUTE,
+	    strokeWidth: MUST_USE_ATTRIBUTE,
+	    textAnchor: MUST_USE_ATTRIBUTE,
+	    transform: MUST_USE_ATTRIBUTE,
+	    version: MUST_USE_ATTRIBUTE,
+	    viewBox: MUST_USE_ATTRIBUTE,
+	    x1: MUST_USE_ATTRIBUTE,
+	    x2: MUST_USE_ATTRIBUTE,
+	    x: MUST_USE_ATTRIBUTE,
+	    xlinkActuate: MUST_USE_ATTRIBUTE,
+	    xlinkArcrole: MUST_USE_ATTRIBUTE,
+	    xlinkHref: MUST_USE_ATTRIBUTE,
+	    xlinkRole: MUST_USE_ATTRIBUTE,
+	    xlinkShow: MUST_USE_ATTRIBUTE,
+	    xlinkTitle: MUST_USE_ATTRIBUTE,
+	    xlinkType: MUST_USE_ATTRIBUTE,
+	    xmlBase: MUST_USE_ATTRIBUTE,
+	    xmlLang: MUST_USE_ATTRIBUTE,
+	    xmlSpace: MUST_USE_ATTRIBUTE,
+	    y1: MUST_USE_ATTRIBUTE,
+	    y2: MUST_USE_ATTRIBUTE,
+	    y: MUST_USE_ATTRIBUTE
+	  },
+	  DOMAttributeNamespaces: {
+	    xlinkActuate: NS.xlink,
+	    xlinkArcrole: NS.xlink,
+	    xlinkHref: NS.xlink,
+	    xlinkRole: NS.xlink,
+	    xlinkShow: NS.xlink,
+	    xlinkTitle: NS.xlink,
+	    xlinkType: NS.xlink,
+	    xmlBase: NS.xml,
+	    xmlLang: NS.xml,
+	    xmlSpace: NS.xml
+	  },
+	  DOMAttributeNames: {
+	    clipPath: 'clip-path',
+	    fillOpacity: 'fill-opacity',
+	    fontFamily: 'font-family',
+	    fontSize: 'font-size',
+	    gradientTransform: 'gradientTransform',
+	    gradientUnits: 'gradientUnits',
+	    markerEnd: 'marker-end',
+	    markerMid: 'marker-mid',
+	    markerStart: 'marker-start',
+	    patternContentUnits: 'patternContentUnits',
+	    patternUnits: 'patternUnits',
+	    preserveAspectRatio: 'preserveAspectRatio',
+	    spreadMethod: 'spreadMethod',
+	    stopColor: 'stop-color',
+	    stopOpacity: 'stop-opacity',
+	    strokeDasharray: 'stroke-dasharray',
+	    strokeLinecap: 'stroke-linecap',
+	    strokeOpacity: 'stroke-opacity',
+	    strokeWidth: 'stroke-width',
+	    textAnchor: 'text-anchor',
+	    viewBox: 'viewBox',
+	    xlinkActuate: 'xlink:actuate',
+	    xlinkArcrole: 'xlink:arcrole',
+	    xlinkHref: 'xlink:href',
+	    xlinkRole: 'xlink:role',
+	    xlinkShow: 'xlink:show',
+	    xlinkTitle: 'xlink:title',
+	    xlinkType: 'xlink:type',
+	    xmlBase: 'xml:base',
+	    xmlLang: 'xml:lang',
+	    xmlSpace: 'xml:space'
+	  }
+	};
+	
+	module.exports = SVGDOMPropertyConfig;
+
+/***/ },
+/* 158 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDefaultPerf
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var DOMProperty = __webpack_require__(39);
+	var ReactDefaultPerfAnalysis = __webpack_require__(159);
+	var ReactMount = __webpack_require__(44);
+	var ReactPerf = __webpack_require__(34);
+	
+	var performanceNow = __webpack_require__(160);
+	
+	function roundFloat(val) {
+	  return Math.floor(val * 100) / 100;
+	}
+	
+	function addValue(obj, key, val) {
+	  obj[key] = (obj[key] || 0) + val;
+	}
+	
+	var ReactDefaultPerf = {
+	  _allMeasurements: [], // last item in the list is the current one
+	  _mountStack: [0],
+	  _injected: false,
+	
+	  start: function () {
+	    if (!ReactDefaultPerf._injected) {
+	      ReactPerf.injection.injectMeasure(ReactDefaultPerf.measure);
+	    }
+	
+	    ReactDefaultPerf._allMeasurements.length = 0;
+	    ReactPerf.enableMeasure = true;
+	  },
+	
+	  stop: function () {
+	    ReactPerf.enableMeasure = false;
+	  },
+	
+	  getLastMeasurements: function () {
+	    return ReactDefaultPerf._allMeasurements;
+	  },
+	
+	  printExclusive: function (measurements) {
+	    measurements = measurements || ReactDefaultPerf._allMeasurements;
+	    var summary = ReactDefaultPerfAnalysis.getExclusiveSummary(measurements);
+	    console.table(summary.map(function (item) {
+	      return {
+	        'Component class name': item.componentName,
+	        'Total inclusive time (ms)': roundFloat(item.inclusive),
+	        'Exclusive mount time (ms)': roundFloat(item.exclusive),
+	        'Exclusive render time (ms)': roundFloat(item.render),
+	        'Mount time per instance (ms)': roundFloat(item.exclusive / item.count),
+	        'Render time per instance (ms)': roundFloat(item.render / item.count),
+	        'Instances': item.count
+	      };
+	    }));
+	    // TODO: ReactDefaultPerfAnalysis.getTotalTime() does not return the correct
+	    // number.
+	  },
+	
+	  printInclusive: function (measurements) {
+	    measurements = measurements || ReactDefaultPerf._allMeasurements;
+	    var summary = ReactDefaultPerfAnalysis.getInclusiveSummary(measurements);
+	    console.table(summary.map(function (item) {
+	      return {
+	        'Owner > component': item.componentName,
+	        'Inclusive time (ms)': roundFloat(item.time),
+	        'Instances': item.count
+	      };
+	    }));
+	    console.log('Total time:', ReactDefaultPerfAnalysis.getTotalTime(measurements).toFixed(2) + ' ms');
+	  },
+	
+	  getMeasurementsSummaryMap: function (measurements) {
+	    var summary = ReactDefaultPerfAnalysis.getInclusiveSummary(measurements, true);
+	    return summary.map(function (item) {
+	      return {
+	        'Owner > component': item.componentName,
+	        'Wasted time (ms)': item.time,
+	        'Instances': item.count
+	      };
+	    });
+	  },
+	
+	  printWasted: function (measurements) {
+	    measurements = measurements || ReactDefaultPerf._allMeasurements;
+	    console.table(ReactDefaultPerf.getMeasurementsSummaryMap(measurements));
+	    console.log('Total time:', ReactDefaultPerfAnalysis.getTotalTime(measurements).toFixed(2) + ' ms');
+	  },
+	
+	  printDOM: function (measurements) {
+	    measurements = measurements || ReactDefaultPerf._allMeasurements;
+	    var summary = ReactDefaultPerfAnalysis.getDOMSummary(measurements);
+	    console.table(summary.map(function (item) {
+	      var result = {};
+	      result[DOMProperty.ID_ATTRIBUTE_NAME] = item.id;
+	      result.type = item.type;
+	      result.args = JSON.stringify(item.args);
+	      return result;
+	    }));
+	    console.log('Total time:', ReactDefaultPerfAnalysis.getTotalTime(measurements).toFixed(2) + ' ms');
+	  },
+	
+	  _recordWrite: function (id, fnName, totalTime, args) {
+	    // TODO: totalTime isn't that useful since it doesn't count paints/reflows
+	    var writes = ReactDefaultPerf._allMeasurements[ReactDefaultPerf._allMeasurements.length - 1].writes;
+	    writes[id] = writes[id] || [];
+	    writes[id].push({
+	      type: fnName,
+	      time: totalTime,
+	      args: args
+	    });
+	  },
+	
+	  measure: function (moduleName, fnName, func) {
+	    return function () {
+	      for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {
+	        args[_key] = arguments[_key];
+	      }
+	
+	      var totalTime;
+	      var rv;
+	      var start;
+	
+	      if (fnName === '_renderNewRootComponent' || fnName === 'flushBatchedUpdates') {
+	        // A "measurement" is a set of metrics recorded for each flush. We want
+	        // to group the metrics for a given flush together so we can look at the
+	        // components that rendered and the DOM operations that actually
+	        // happened to determine the amount of "wasted work" performed.
+	        ReactDefaultPerf._allMeasurements.push({
+	          exclusive: {},
+	          inclusive: {},
+	          render: {},
+	          counts: {},
+	          writes: {},
+	          displayNames: {},
+	          totalTime: 0,
+	          created: {}
+	        });
+	        start = performanceNow();
+	        rv = func.apply(this, args);
+	        ReactDefaultPerf._allMeasurements[ReactDefaultPerf._allMeasurements.length - 1].totalTime = performanceNow() - start;
+	        return rv;
+	      } else if (fnName === '_mountImageIntoNode' || moduleName === 'ReactBrowserEventEmitter' || moduleName === 'ReactDOMIDOperations' || moduleName === 'CSSPropertyOperations' || moduleName === 'DOMChildrenOperations' || moduleName === 'DOMPropertyOperations') {
+	        start = performanceNow();
+	        rv = func.apply(this, args);
+	        totalTime = performanceNow() - start;
+	
+	        if (fnName === '_mountImageIntoNode') {
+	          var mountID = ReactMount.getID(args[1]);
+	          ReactDefaultPerf._recordWrite(mountID, fnName, totalTime, args[0]);
+	        } else if (fnName === 'dangerouslyProcessChildrenUpdates') {
+	          // special format
+	          args[0].forEach(function (update) {
+	            var writeArgs = {};
+	            if (update.fromIndex !== null) {
+	              writeArgs.fromIndex = update.fromIndex;
+	            }
+	            if (update.toIndex !== null) {
+	              writeArgs.toIndex = update.toIndex;
+	            }
+	            if (update.textContent !== null) {
+	              writeArgs.textContent = update.textContent;
+	            }
+	            if (update.markupIndex !== null) {
+	              writeArgs.markup = args[1][update.markupIndex];
+	            }
+	            ReactDefaultPerf._recordWrite(update.parentID, update.type, totalTime, writeArgs);
+	          });
+	        } else {
+	          // basic format
+	          var id = args[0];
+	          if (typeof id === 'object') {
+	            id = ReactMount.getID(args[0]);
+	          }
+	          ReactDefaultPerf._recordWrite(id, fnName, totalTime, Array.prototype.slice.call(args, 1));
+	        }
+	        return rv;
+	      } else if (moduleName === 'ReactCompositeComponent' && (fnName === 'mountComponent' || fnName === 'updateComponent' || // TODO: receiveComponent()?
+	      fnName === '_renderValidatedComponent')) {
+	
+	        if (this._currentElement.type === ReactMount.TopLevelWrapper) {
+	          return func.apply(this, args);
+	        }
+	
+	        var rootNodeID = fnName === 'mountComponent' ? args[0] : this._rootNodeID;
+	        var isRender = fnName === '_renderValidatedComponent';
+	        var isMount = fnName === 'mountComponent';
+	
+	        var mountStack = ReactDefaultPerf._mountStack;
+	        var entry = ReactDefaultPerf._allMeasurements[ReactDefaultPerf._allMeasurements.length - 1];
+	
+	        if (isRender) {
+	          addValue(entry.counts, rootNodeID, 1);
+	        } else if (isMount) {
+	          entry.created[rootNodeID] = true;
+	          mountStack.push(0);
+	        }
+	
+	        start = performanceNow();
+	        rv = func.apply(this, args);
+	        totalTime = performanceNow() - start;
+	
+	        if (isRender) {
+	          addValue(entry.render, rootNodeID, totalTime);
+	        } else if (isMount) {
+	          var subMountTime = mountStack.pop();
+	          mountStack[mountStack.length - 1] += totalTime;
+	          addValue(entry.exclusive, rootNodeID, totalTime - subMountTime);
+	          addValue(entry.inclusive, rootNodeID, totalTime);
+	        } else {
+	          addValue(entry.inclusive, rootNodeID, totalTime);
+	        }
+	
+	        entry.displayNames[rootNodeID] = {
+	          current: this.getName(),
+	          owner: this._currentElement._owner ? this._currentElement._owner.getName() : '<root>'
+	        };
+	
+	        return rv;
+	      } else {
+	        return func.apply(this, args);
+	      }
+	    };
+	  }
+	};
+	
+	module.exports = ReactDefaultPerf;
+
+/***/ },
+/* 159 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDefaultPerfAnalysis
+	 */
+	
+	'use strict';
+	
+	var assign = __webpack_require__(55);
+	
+	// Don't try to save users less than 1.2ms (a number I made up)
+	var DONT_CARE_THRESHOLD = 1.2;
+	var DOM_OPERATION_TYPES = {
+	  '_mountImageIntoNode': 'set innerHTML',
+	  INSERT_MARKUP: 'set innerHTML',
+	  MOVE_EXISTING: 'move',
+	  REMOVE_NODE: 'remove',
+	  SET_MARKUP: 'set innerHTML',
+	  TEXT_CONTENT: 'set textContent',
+	  'setValueForProperty': 'update attribute',
+	  'setValueForAttribute': 'update attribute',
+	  'deleteValueForProperty': 'remove attribute',
+	  'setValueForStyles': 'update styles',
+	  'replaceNodeWithMarkup': 'replace',
+	  'updateTextContent': 'set textContent'
+	};
+	
+	function getTotalTime(measurements) {
+	  // TODO: return number of DOM ops? could be misleading.
+	  // TODO: measure dropped frames after reconcile?
+	  // TODO: log total time of each reconcile and the top-level component
+	  // class that triggered it.
+	  var totalTime = 0;
+	  for (var i = 0; i < measurements.length; i++) {
+	    var measurement = measurements[i];
+	    totalTime += measurement.totalTime;
+	  }
+	  return totalTime;
+	}
+	
+	function getDOMSummary(measurements) {
+	  var items = [];
+	  measurements.forEach(function (measurement) {
+	    Object.keys(measurement.writes).forEach(function (id) {
+	      measurement.writes[id].forEach(function (write) {
+	        items.push({
+	          id: id,
+	          type: DOM_OPERATION_TYPES[write.type] || write.type,
+	          args: write.args
+	        });
+	      });
+	    });
+	  });
+	  return items;
+	}
+	
+	function getExclusiveSummary(measurements) {
+	  var candidates = {};
+	  var displayName;
+	
+	  for (var i = 0; i < measurements.length; i++) {
+	    var measurement = measurements[i];
+	    var allIDs = assign({}, measurement.exclusive, measurement.inclusive);
+	
+	    for (var id in allIDs) {
+	      displayName = measurement.displayNames[id].current;
+	
+	      candidates[displayName] = candidates[displayName] || {
+	        componentName: displayName,
+	        inclusive: 0,
+	        exclusive: 0,
+	        render: 0,
+	        count: 0
+	      };
+	      if (measurement.render[id]) {
+	        candidates[displayName].render += measurement.render[id];
+	      }
+	      if (measurement.exclusive[id]) {
+	        candidates[displayName].exclusive += measurement.exclusive[id];
+	      }
+	      if (measurement.inclusive[id]) {
+	        candidates[displayName].inclusive += measurement.inclusive[id];
+	      }
+	      if (measurement.counts[id]) {
+	        candidates[displayName].count += measurement.counts[id];
+	      }
+	    }
+	  }
+	
+	  // Now make a sorted array with the results.
+	  var arr = [];
+	  for (displayName in candidates) {
+	    if (candidates[displayName].exclusive >= DONT_CARE_THRESHOLD) {
+	      arr.push(candidates[displayName]);
+	    }
+	  }
+	
+	  arr.sort(function (a, b) {
+	    return b.exclusive - a.exclusive;
+	  });
+	
+	  return arr;
+	}
+	
+	function getInclusiveSummary(measurements, onlyClean) {
+	  var candidates = {};
+	  var inclusiveKey;
+	
+	  for (var i = 0; i < measurements.length; i++) {
+	    var measurement = measurements[i];
+	    var allIDs = assign({}, measurement.exclusive, measurement.inclusive);
+	    var cleanComponents;
+	
+	    if (onlyClean) {
+	      cleanComponents = getUnchangedComponents(measurement);
+	    }
+	
+	    for (var id in allIDs) {
+	      if (onlyClean && !cleanComponents[id]) {
+	        continue;
+	      }
+	
+	      var displayName = measurement.displayNames[id];
+	
+	      // Inclusive time is not useful for many components without knowing where
+	      // they are instantiated. So we aggregate inclusive time with both the
+	      // owner and current displayName as the key.
+	      inclusiveKey = displayName.owner + ' > ' + displayName.current;
+	
+	      candidates[inclusiveKey] = candidates[inclusiveKey] || {
+	        componentName: inclusiveKey,
+	        time: 0,
+	        count: 0
+	      };
+	
+	      if (measurement.inclusive[id]) {
+	        candidates[inclusiveKey].time += measurement.inclusive[id];
+	      }
+	      if (measurement.counts[id]) {
+	        candidates[inclusiveKey].count += measurement.counts[id];
+	      }
+	    }
+	  }
+	
+	  // Now make a sorted array with the results.
+	  var arr = [];
+	  for (inclusiveKey in candidates) {
+	    if (candidates[inclusiveKey].time >= DONT_CARE_THRESHOLD) {
+	      arr.push(candidates[inclusiveKey]);
+	    }
+	  }
+	
+	  arr.sort(function (a, b) {
+	    return b.time - a.time;
+	  });
+	
+	  return arr;
+	}
+	
+	function getUnchangedComponents(measurement) {
+	  // For a given reconcile, look at which components did not actually
+	  // render anything to the DOM and return a mapping of their ID to
+	  // the amount of time it took to render the entire subtree.
+	  var cleanComponents = {};
+	  var dirtyLeafIDs = Object.keys(measurement.writes);
+	  var allIDs = assign({}, measurement.exclusive, measurement.inclusive);
+	
+	  for (var id in allIDs) {
+	    var isDirty = false;
+	    // For each component that rendered, see if a component that triggered
+	    // a DOM op is in its subtree.
+	    for (var i = 0; i < dirtyLeafIDs.length; i++) {
+	      if (dirtyLeafIDs[i].indexOf(id) === 0) {
+	        isDirty = true;
+	        break;
+	      }
+	    }
+	    // check if component newly created
+	    if (measurement.created[id]) {
+	      isDirty = true;
+	    }
+	    if (!isDirty && measurement.counts[id] > 0) {
+	      cleanComponents[id] = true;
+	    }
+	  }
+	  return cleanComponents;
+	}
+	
+	var ReactDefaultPerfAnalysis = {
+	  getExclusiveSummary: getExclusiveSummary,
+	  getInclusiveSummary: getInclusiveSummary,
+	  getDOMSummary: getDOMSummary,
+	  getTotalTime: getTotalTime
+	};
+	
+	module.exports = ReactDefaultPerfAnalysis;
+
+/***/ },
+/* 160 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule performanceNow
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var performance = __webpack_require__(161);
+	
+	var performanceNow;
+	
+	/**
+	 * Detect if we can use `window.performance.now()` and gracefully fallback to
+	 * `Date.now()` if it doesn't exist. We need to support Firefox < 15 for now
+	 * because of Facebook's testing infrastructure.
+	 */
+	if (performance.now) {
+	  performanceNow = function () {
+	    return performance.now();
+	  };
+	} else {
+	  performanceNow = function () {
+	    return Date.now();
+	  };
+	}
+	
+	module.exports = performanceNow;
+
+/***/ },
+/* 161 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule performance
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var ExecutionEnvironment = __webpack_require__(25);
+	
+	var performance;
+	
+	if (ExecutionEnvironment.canUseDOM) {
+	  performance = window.performance || window.msPerformance || window.webkitPerformance;
+	}
+	
+	module.exports = performance || {};
+
+/***/ },
+/* 162 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactVersion
+	 */
+	
+	'use strict';
+	
+	module.exports = '0.14.7';
+
+/***/ },
+/* 163 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	* @providesModule renderSubtreeIntoContainer
+	*/
+	
+	'use strict';
+	
+	var ReactMount = __webpack_require__(44);
+	
+	module.exports = ReactMount.renderSubtreeIntoContainer;
+
+/***/ },
+/* 164 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMServer
+	 */
+	
+	'use strict';
+	
+	var ReactDefaultInjection = __webpack_require__(87);
+	var ReactServerRendering = __webpack_require__(165);
+	var ReactVersion = __webpack_require__(162);
+	
+	ReactDefaultInjection.inject();
+	
+	var ReactDOMServer = {
+	  renderToString: ReactServerRendering.renderToString,
+	  renderToStaticMarkup: ReactServerRendering.renderToStaticMarkup,
+	  version: ReactVersion
+	};
+	
+	module.exports = ReactDOMServer;
+
+/***/ },
+/* 165 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @typechecks static-only
+	 * @providesModule ReactServerRendering
+	 */
+	'use strict';
+	
+	var ReactDefaultBatchingStrategy = __webpack_require__(108);
+	var ReactElement = __webpack_require__(58);
+	var ReactInstanceHandles = __webpack_require__(61);
+	var ReactMarkupChecksum = __webpack_require__(64);
+	var ReactServerBatchingStrategy = __webpack_require__(166);
+	var ReactServerRenderingTransaction = __webpack_require__(167);
+	var ReactUpdates = __webpack_require__(70);
+	
+	var emptyObject = __webpack_require__(74);
+	var instantiateReactComponent = __webpack_require__(78);
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * @param {ReactElement} element
+	 * @return {string} the HTML markup
+	 */
+	function renderToString(element) {
+	  !ReactElement.isValidElement(element) ?  true ? invariant(false, 'renderToString(): You must pass a valid ReactElement.') : invariant(false) : undefined;
+	
+	  var transaction;
+	  try {
+	    ReactUpdates.injection.injectBatchingStrategy(ReactServerBatchingStrategy);
+	
+	    var id = ReactInstanceHandles.createReactRootID();
+	    transaction = ReactServerRenderingTransaction.getPooled(false);
+	
+	    return transaction.perform(function () {
+	      var componentInstance = instantiateReactComponent(element, null);
+	      var markup = componentInstance.mountComponent(id, transaction, emptyObject);
+	      return ReactMarkupChecksum.addChecksumToMarkup(markup);
+	    }, null);
+	  } finally {
+	    ReactServerRenderingTransaction.release(transaction);
+	    // Revert to the DOM batching strategy since these two renderers
+	    // currently share these stateful modules.
+	    ReactUpdates.injection.injectBatchingStrategy(ReactDefaultBatchingStrategy);
+	  }
+	}
+	
+	/**
+	 * @param {ReactElement} element
+	 * @return {string} the HTML markup, without the extra React ID and checksum
+	 * (for generating static pages)
+	 */
+	function renderToStaticMarkup(element) {
+	  !ReactElement.isValidElement(element) ?  true ? invariant(false, 'renderToStaticMarkup(): You must pass a valid ReactElement.') : invariant(false) : undefined;
+	
+	  var transaction;
+	  try {
+	    ReactUpdates.injection.injectBatchingStrategy(ReactServerBatchingStrategy);
+	
+	    var id = ReactInstanceHandles.createReactRootID();
+	    transaction = ReactServerRenderingTransaction.getPooled(true);
+	
+	    return transaction.perform(function () {
+	      var componentInstance = instantiateReactComponent(element, null);
+	      return componentInstance.mountComponent(id, transaction, emptyObject);
+	    }, null);
+	  } finally {
+	    ReactServerRenderingTransaction.release(transaction);
+	    // Revert to the DOM batching strategy since these two renderers
+	    // currently share these stateful modules.
+	    ReactUpdates.injection.injectBatchingStrategy(ReactDefaultBatchingStrategy);
+	  }
+	}
+	
+	module.exports = {
+	  renderToString: renderToString,
+	  renderToStaticMarkup: renderToStaticMarkup
+	};
+
+/***/ },
+/* 166 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactServerBatchingStrategy
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var ReactServerBatchingStrategy = {
+	  isBatchingUpdates: false,
+	  batchedUpdates: function (callback) {
+	    // Don't do anything here. During the server rendering we don't want to
+	    // schedule any updates. We will simply ignore them.
+	  }
+	};
+	
+	module.exports = ReactServerBatchingStrategy;
+
+/***/ },
+/* 167 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactServerRenderingTransaction
+	 * @typechecks
+	 */
+	
+	'use strict';
+	
+	var PooledClass = __webpack_require__(72);
+	var CallbackQueue = __webpack_require__(71);
+	var Transaction = __webpack_require__(73);
+	
+	var assign = __webpack_require__(55);
+	var emptyFunction = __webpack_require__(31);
+	
+	/**
+	 * Provides a `CallbackQueue` queue for collecting `onDOMReady` callbacks
+	 * during the performing of the transaction.
+	 */
+	var ON_DOM_READY_QUEUEING = {
+	  /**
+	   * Initializes the internal `onDOMReady` queue.
+	   */
+	  initialize: function () {
+	    this.reactMountReady.reset();
+	  },
+	
+	  close: emptyFunction
+	};
+	
+	/**
+	 * Executed within the scope of the `Transaction` instance. Consider these as
+	 * being member methods, but with an implied ordering while being isolated from
+	 * each other.
+	 */
+	var TRANSACTION_WRAPPERS = [ON_DOM_READY_QUEUEING];
+	
+	/**
+	 * @class ReactServerRenderingTransaction
+	 * @param {boolean} renderToStaticMarkup
+	 */
+	function ReactServerRenderingTransaction(renderToStaticMarkup) {
+	  this.reinitializeTransaction();
+	  this.renderToStaticMarkup = renderToStaticMarkup;
+	  this.reactMountReady = CallbackQueue.getPooled(null);
+	  this.useCreateElement = false;
+	}
+	
+	var Mixin = {
+	  /**
+	   * @see Transaction
+	   * @abstract
+	   * @final
+	   * @return {array} Empty list of operation wrap procedures.
+	   */
+	  getTransactionWrappers: function () {
+	    return TRANSACTION_WRAPPERS;
+	  },
+	
+	  /**
+	   * @return {object} The queue to collect `onDOMReady` callbacks with.
+	   */
+	  getReactMountReady: function () {
+	    return this.reactMountReady;
+	  },
+	
+	  /**
+	   * `PooledClass` looks for this, and will invoke this before allowing this
+	   * instance to be reused.
+	   */
+	  destructor: function () {
+	    CallbackQueue.release(this.reactMountReady);
+	    this.reactMountReady = null;
+	  }
+	};
+	
+	assign(ReactServerRenderingTransaction.prototype, Transaction.Mixin, Mixin);
+	
+	PooledClass.addPoolingTo(ReactServerRenderingTransaction);
+	
+	module.exports = ReactServerRenderingTransaction;
+
+/***/ },
+/* 168 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactIsomorphic
+	 */
+	
+	'use strict';
+	
+	var ReactChildren = __webpack_require__(126);
+	var ReactComponent = __webpack_require__(139);
+	var ReactClass = __webpack_require__(138);
+	var ReactDOMFactories = __webpack_require__(169);
+	var ReactElement = __webpack_require__(58);
+	var ReactElementValidator = __webpack_require__(170);
+	var ReactPropTypes = __webpack_require__(123);
+	var ReactVersion = __webpack_require__(162);
+	
+	var assign = __webpack_require__(55);
+	var onlyChild = __webpack_require__(172);
+	
+	var createElement = ReactElement.createElement;
+	var createFactory = ReactElement.createFactory;
+	var cloneElement = ReactElement.cloneElement;
+	
+	if (true) {
+	  createElement = ReactElementValidator.createElement;
+	  createFactory = ReactElementValidator.createFactory;
+	  cloneElement = ReactElementValidator.cloneElement;
+	}
+	
+	var React = {
+	
+	  // Modern
+	
+	  Children: {
+	    map: ReactChildren.map,
+	    forEach: ReactChildren.forEach,
+	    count: ReactChildren.count,
+	    toArray: ReactChildren.toArray,
+	    only: onlyChild
+	  },
+	
+	  Component: ReactComponent,
+	
+	  createElement: createElement,
+	  cloneElement: cloneElement,
+	  isValidElement: ReactElement.isValidElement,
+	
+	  // Classic
+	
+	  PropTypes: ReactPropTypes,
+	  createClass: ReactClass.createClass,
+	  createFactory: createFactory,
+	  createMixin: function (mixin) {
+	    // Currently a noop. Will be used to validate and trace mixins.
+	    return mixin;
+	  },
+	
+	  // This looks DOM specific but these are actually isomorphic helpers
+	  // since they are just generating DOM strings.
+	  DOM: ReactDOMFactories,
+	
+	  version: ReactVersion,
+	
+	  // Hook for JSX spread, don't use this for anything else.
+	  __spread: assign
+	};
+	
+	module.exports = React;
+
+/***/ },
+/* 169 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactDOMFactories
+	 * @typechecks static-only
+	 */
+	
+	'use strict';
+	
+	var ReactElement = __webpack_require__(58);
+	var ReactElementValidator = __webpack_require__(170);
+	
+	var mapObject = __webpack_require__(171);
+	
+	/**
+	 * Create a factory that creates HTML tag elements.
+	 *
+	 * @param {string} tag Tag name (e.g. `div`).
+	 * @private
+	 */
+	function createDOMFactory(tag) {
+	  if (true) {
+	    return ReactElementValidator.createFactory(tag);
+	  }
+	  return ReactElement.createFactory(tag);
+	}
+	
+	/**
+	 * Creates a mapping from supported HTML tags to `ReactDOMComponent` classes.
+	 * This is also accessible via `React.DOM`.
+	 *
+	 * @public
+	 */
+	var ReactDOMFactories = mapObject({
+	  a: 'a',
+	  abbr: 'abbr',
+	  address: 'address',
+	  area: 'area',
+	  article: 'article',
+	  aside: 'aside',
+	  audio: 'audio',
+	  b: 'b',
+	  base: 'base',
+	  bdi: 'bdi',
+	  bdo: 'bdo',
+	  big: 'big',
+	  blockquote: 'blockquote',
+	  body: 'body',
+	  br: 'br',
+	  button: 'button',
+	  canvas: 'canvas',
+	  caption: 'caption',
+	  cite: 'cite',
+	  code: 'code',
+	  col: 'col',
+	  colgroup: 'colgroup',
+	  data: 'data',
+	  datalist: 'datalist',
+	  dd: 'dd',
+	  del: 'del',
+	  details: 'details',
+	  dfn: 'dfn',
+	  dialog: 'dialog',
+	  div: 'div',
+	  dl: 'dl',
+	  dt: 'dt',
+	  em: 'em',
+	  embed: 'embed',
+	  fieldset: 'fieldset',
+	  figcaption: 'figcaption',
+	  figure: 'figure',
+	  footer: 'footer',
+	  form: 'form',
+	  h1: 'h1',
+	  h2: 'h2',
+	  h3: 'h3',
+	  h4: 'h4',
+	  h5: 'h5',
+	  h6: 'h6',
+	  head: 'head',
+	  header: 'header',
+	  hgroup: 'hgroup',
+	  hr: 'hr',
+	  html: 'html',
+	  i: 'i',
+	  iframe: 'iframe',
+	  img: 'img',
+	  input: 'input',
+	  ins: 'ins',
+	  kbd: 'kbd',
+	  keygen: 'keygen',
+	  label: 'label',
+	  legend: 'legend',
+	  li: 'li',
+	  link: 'link',
+	  main: 'main',
+	  map: 'map',
+	  mark: 'mark',
+	  menu: 'menu',
+	  menuitem: 'menuitem',
+	  meta: 'meta',
+	  meter: 'meter',
+	  nav: 'nav',
+	  noscript: 'noscript',
+	  object: 'object',
+	  ol: 'ol',
+	  optgroup: 'optgroup',
+	  option: 'option',
+	  output: 'output',
+	  p: 'p',
+	  param: 'param',
+	  picture: 'picture',
+	  pre: 'pre',
+	  progress: 'progress',
+	  q: 'q',
+	  rp: 'rp',
+	  rt: 'rt',
+	  ruby: 'ruby',
+	  s: 's',
+	  samp: 'samp',
+	  script: 'script',
+	  section: 'section',
+	  select: 'select',
+	  small: 'small',
+	  source: 'source',
+	  span: 'span',
+	  strong: 'strong',
+	  style: 'style',
+	  sub: 'sub',
+	  summary: 'summary',
+	  sup: 'sup',
+	  table: 'table',
+	  tbody: 'tbody',
+	  td: 'td',
+	  textarea: 'textarea',
+	  tfoot: 'tfoot',
+	  th: 'th',
+	  thead: 'thead',
+	  time: 'time',
+	  title: 'title',
+	  tr: 'tr',
+	  track: 'track',
+	  u: 'u',
+	  ul: 'ul',
+	  'var': 'var',
+	  video: 'video',
+	  wbr: 'wbr',
+	
+	  // SVG
+	  circle: 'circle',
+	  clipPath: 'clipPath',
+	  defs: 'defs',
+	  ellipse: 'ellipse',
+	  g: 'g',
+	  image: 'image',
+	  line: 'line',
+	  linearGradient: 'linearGradient',
+	  mask: 'mask',
+	  path: 'path',
+	  pattern: 'pattern',
+	  polygon: 'polygon',
+	  polyline: 'polyline',
+	  radialGradient: 'radialGradient',
+	  rect: 'rect',
+	  stop: 'stop',
+	  svg: 'svg',
+	  text: 'text',
+	  tspan: 'tspan'
+	
+	}, createDOMFactory);
+	
+	module.exports = ReactDOMFactories;
+
+/***/ },
+/* 170 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2014-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule ReactElementValidator
+	 */
+	
+	/**
+	 * ReactElementValidator provides a wrapper around a element factory
+	 * which validates the props passed to the element. This is intended to be
+	 * used only in DEV and could be replaced by a static type checker for languages
+	 * that support it.
+	 */
+	
+	'use strict';
+	
+	var ReactElement = __webpack_require__(58);
+	var ReactPropTypeLocations = __webpack_require__(81);
+	var ReactPropTypeLocationNames = __webpack_require__(82);
+	var ReactCurrentOwner = __webpack_require__(21);
+	
+	var canDefineProperty = __webpack_require__(59);
+	var getIteratorFn = __webpack_require__(124);
+	var invariant = __webpack_require__(29);
+	var warning = __webpack_require__(41);
+	
+	function getDeclarationErrorAddendum() {
+	  if (ReactCurrentOwner.current) {
+	    var name = ReactCurrentOwner.current.getName();
+	    if (name) {
+	      return ' Check the render method of `' + name + '`.';
+	    }
+	  }
+	  return '';
+	}
+	
+	/**
+	 * Warn if there's no key explicitly set on dynamic arrays of children or
+	 * object keys are not valid. This allows us to keep track of children between
+	 * updates.
+	 */
+	var ownerHasKeyUseWarning = {};
+	
+	var loggedTypeFailures = {};
+	
+	/**
+	 * Warn if the element doesn't have an explicit key assigned to it.
+	 * This element is in an array. The array could grow and shrink or be
+	 * reordered. All children that haven't already been validated are required to
+	 * have a "key" property assigned to it.
+	 *
+	 * @internal
+	 * @param {ReactElement} element Element that requires a key.
+	 * @param {*} parentType element's parent's type.
+	 */
+	function validateExplicitKey(element, parentType) {
+	  if (!element._store || element._store.validated || element.key != null) {
+	    return;
+	  }
+	  element._store.validated = true;
+	
+	  var addenda = getAddendaForKeyUse('uniqueKey', element, parentType);
+	  if (addenda === null) {
+	    // we already showed the warning
+	    return;
+	  }
+	   true ? warning(false, 'Each child in an array or iterator should have a unique "key" prop.' + '%s%s%s', addenda.parentOrOwner || '', addenda.childOwner || '', addenda.url || '') : undefined;
+	}
+	
+	/**
+	 * Shared warning and monitoring code for the key warnings.
+	 *
+	 * @internal
+	 * @param {string} messageType A key used for de-duping warnings.
+	 * @param {ReactElement} element Component that requires a key.
+	 * @param {*} parentType element's parent's type.
+	 * @returns {?object} A set of addenda to use in the warning message, or null
+	 * if the warning has already been shown before (and shouldn't be shown again).
+	 */
+	function getAddendaForKeyUse(messageType, element, parentType) {
+	  var addendum = getDeclarationErrorAddendum();
+	  if (!addendum) {
+	    var parentName = typeof parentType === 'string' ? parentType : parentType.displayName || parentType.name;
+	    if (parentName) {
+	      addendum = ' Check the top-level render call using <' + parentName + '>.';
+	    }
+	  }
+	
+	  var memoizer = ownerHasKeyUseWarning[messageType] || (ownerHasKeyUseWarning[messageType] = {});
+	  if (memoizer[addendum]) {
+	    return null;
+	  }
+	  memoizer[addendum] = true;
+	
+	  var addenda = {
+	    parentOrOwner: addendum,
+	    url: ' See https://fb.me/react-warning-keys for more information.',
+	    childOwner: null
+	  };
+	
+	  // Usually the current owner is the offender, but if it accepts children as a
+	  // property, it may be the creator of the child that's responsible for
+	  // assigning it a key.
+	  if (element && element._owner && element._owner !== ReactCurrentOwner.current) {
+	    // Give the component that originally created this child.
+	    addenda.childOwner = ' It was passed a child from ' + element._owner.getName() + '.';
+	  }
+	
+	  return addenda;
+	}
+	
+	/**
+	 * Ensure that every element either is passed in a static location, in an
+	 * array with an explicit keys property defined, or in an object literal
+	 * with valid key property.
+	 *
+	 * @internal
+	 * @param {ReactNode} node Statically passed child of any type.
+	 * @param {*} parentType node's parent's type.
+	 */
+	function validateChildKeys(node, parentType) {
+	  if (typeof node !== 'object') {
+	    return;
+	  }
+	  if (Array.isArray(node)) {
+	    for (var i = 0; i < node.length; i++) {
+	      var child = node[i];
+	      if (ReactElement.isValidElement(child)) {
+	        validateExplicitKey(child, parentType);
+	      }
+	    }
+	  } else if (ReactElement.isValidElement(node)) {
+	    // This element was passed in a valid location.
+	    if (node._store) {
+	      node._store.validated = true;
+	    }
+	  } else if (node) {
+	    var iteratorFn = getIteratorFn(node);
+	    // Entry iterators provide implicit keys.
+	    if (iteratorFn) {
+	      if (iteratorFn !== node.entries) {
+	        var iterator = iteratorFn.call(node);
+	        var step;
+	        while (!(step = iterator.next()).done) {
+	          if (ReactElement.isValidElement(step.value)) {
+	            validateExplicitKey(step.value, parentType);
+	          }
+	        }
+	      }
+	    }
+	  }
+	}
+	
+	/**
+	 * Assert that the props are valid
+	 *
+	 * @param {string} componentName Name of the component for error messages.
+	 * @param {object} propTypes Map of prop name to a ReactPropType
+	 * @param {object} props
+	 * @param {string} location e.g. "prop", "context", "child context"
+	 * @private
+	 */
+	function checkPropTypes(componentName, propTypes, props, location) {
+	  for (var propName in propTypes) {
+	    if (propTypes.hasOwnProperty(propName)) {
+	      var error;
+	      // Prop type validation may throw. In case they do, we don't want to
+	      // fail the render phase where it didn't fail before. So we log it.
+	      // After these have been cleaned up, we'll let them throw.
+	      try {
+	        // This is intentionally an invariant that gets caught. It's the same
+	        // behavior as without this statement except with a better message.
+	        !(typeof propTypes[propName] === 'function') ?  true ? invariant(false, '%s: %s type `%s` is invalid; it must be a function, usually from ' + 'React.PropTypes.', componentName || 'React class', ReactPropTypeLocationNames[location], propName) : invariant(false) : undefined;
+	        error = propTypes[propName](props, propName, componentName, location);
+	      } catch (ex) {
+	        error = ex;
+	      }
+	       true ? warning(!error || error instanceof Error, '%s: type specification of %s `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', ReactPropTypeLocationNames[location], propName, typeof error) : undefined;
+	      if (error instanceof Error && !(error.message in loggedTypeFailures)) {
+	        // Only monitor this failure once because there tends to be a lot of the
+	        // same error.
+	        loggedTypeFailures[error.message] = true;
+	
+	        var addendum = getDeclarationErrorAddendum();
+	         true ? warning(false, 'Failed propType: %s%s', error.message, addendum) : undefined;
+	      }
+	    }
+	  }
+	}
+	
+	/**
+	 * Given an element, validate that its props follow the propTypes definition,
+	 * provided by the type.
+	 *
+	 * @param {ReactElement} element
+	 */
+	function validatePropTypes(element) {
+	  var componentClass = element.type;
+	  if (typeof componentClass !== 'function') {
+	    return;
+	  }
+	  var name = componentClass.displayName || componentClass.name;
+	  if (componentClass.propTypes) {
+	    checkPropTypes(name, componentClass.propTypes, element.props, ReactPropTypeLocations.prop);
+	  }
+	  if (typeof componentClass.getDefaultProps === 'function') {
+	     true ? warning(componentClass.getDefaultProps.isReactClassApproved, 'getDefaultProps is only used on classic React.createClass ' + 'definitions. Use a static property named `defaultProps` instead.') : undefined;
+	  }
+	}
+	
+	var ReactElementValidator = {
+	
+	  createElement: function (type, props, children) {
+	    var validType = typeof type === 'string' || typeof type === 'function';
+	    // We warn in this case but don't throw. We expect the element creation to
+	    // succeed and there will likely be errors in render.
+	     true ? warning(validType, 'React.createElement: type should not be null, undefined, boolean, or ' + 'number. It should be a string (for DOM elements) or a ReactClass ' + '(for composite components).%s', getDeclarationErrorAddendum()) : undefined;
+	
+	    var element = ReactElement.createElement.apply(this, arguments);
+	
+	    // The result can be nullish if a mock or a custom function is used.
+	    // TODO: Drop this when these are no longer allowed as the type argument.
+	    if (element == null) {
+	      return element;
+	    }
+	
+	    // Skip key warning if the type isn't valid since our key validation logic
+	    // doesn't expect a non-string/function type and can throw confusing errors.
+	    // We don't want exception behavior to differ between dev and prod.
+	    // (Rendering will throw with a helpful message and as soon as the type is
+	    // fixed, the key warnings will appear.)
+	    if (validType) {
+	      for (var i = 2; i < arguments.length; i++) {
+	        validateChildKeys(arguments[i], type);
+	      }
+	    }
+	
+	    validatePropTypes(element);
+	
+	    return element;
+	  },
+	
+	  createFactory: function (type) {
+	    var validatedFactory = ReactElementValidator.createElement.bind(null, type);
+	    // Legacy hook TODO: Warn if this is accessed
+	    validatedFactory.type = type;
+	
+	    if (true) {
+	      if (canDefineProperty) {
+	        Object.defineProperty(validatedFactory, 'type', {
+	          enumerable: false,
+	          get: function () {
+	             true ? warning(false, 'Factory.type is deprecated. Access the class directly ' + 'before passing it to createFactory.') : undefined;
+	            Object.defineProperty(this, 'type', {
+	              value: type
+	            });
+	            return type;
+	          }
+	        });
+	      }
+	    }
+	
+	    return validatedFactory;
+	  },
+	
+	  cloneElement: function (element, props, children) {
+	    var newElement = ReactElement.cloneElement.apply(this, arguments);
+	    for (var i = 2; i < arguments.length; i++) {
+	      validateChildKeys(arguments[i], newElement.type);
+	    }
+	    validatePropTypes(newElement);
+	    return newElement;
+	  }
+	
+	};
+	
+	module.exports = ReactElementValidator;
+
+/***/ },
+/* 171 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule mapObject
+	 */
+	
+	'use strict';
+	
+	var hasOwnProperty = Object.prototype.hasOwnProperty;
+	
+	/**
+	 * Executes the provided `callback` once for each enumerable own property in the
+	 * object and constructs a new object from the results. The `callback` is
+	 * invoked with three arguments:
+	 *
+	 *  - the property value
+	 *  - the property name
+	 *  - the object being traversed
+	 *
+	 * Properties that are added after the call to `mapObject` will not be visited
+	 * by `callback`. If the values of existing properties are changed, the value
+	 * passed to `callback` will be the value at the time `mapObject` visits them.
+	 * Properties that are deleted before being visited are not visited.
+	 *
+	 * @grep function objectMap()
+	 * @grep function objMap()
+	 *
+	 * @param {?object} object
+	 * @param {function} callback
+	 * @param {*} context
+	 * @return {?object}
+	 */
+	function mapObject(object, callback, context) {
+	  if (!object) {
+	    return null;
+	  }
+	  var result = {};
+	  for (var name in object) {
+	    if (hasOwnProperty.call(object, name)) {
+	      result[name] = callback.call(context, object[name], name, object);
+	    }
+	  }
+	  return result;
+	}
+	
+	module.exports = mapObject;
+
+/***/ },
+/* 172 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule onlyChild
+	 */
+	'use strict';
+	
+	var ReactElement = __webpack_require__(58);
+	
+	var invariant = __webpack_require__(29);
+	
+	/**
+	 * Returns the first child in a collection of children and verifies that there
+	 * is only one child in the collection. The current implementation of this
+	 * function assumes that a single child gets passed without a wrapper, but the
+	 * purpose of this helper function is to abstract away the particular structure
+	 * of children.
+	 *
+	 * @param {?object} children Child collection structure.
+	 * @return {ReactComponent} The first and only `ReactComponent` contained in the
+	 * structure.
+	 */
+	function onlyChild(children) {
+	  !ReactElement.isValidElement(children) ?  true ? invariant(false, 'onlyChild must be passed a children with exactly one child.') : invariant(false) : undefined;
+	  return children;
+	}
+	
+	module.exports = onlyChild;
+
+/***/ },
+/* 173 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 *
+	 * @providesModule deprecated
+	 */
+	
+	'use strict';
+	
+	var assign = __webpack_require__(55);
+	var warning = __webpack_require__(41);
+	
+	/**
+	 * This will log a single deprecation notice per function and forward the call
+	 * on to the new API.
+	 *
+	 * @param {string} fnName The name of the function
+	 * @param {string} newModule The module that fn will exist in
+	 * @param {string} newPackage The module that fn will exist in
+	 * @param {*} ctx The context this forwarded call should run in
+	 * @param {function} fn The function to forward on to
+	 * @return {function} The function that will warn once and then call fn
+	 */
+	function deprecated(fnName, newModule, newPackage, ctx, fn) {
+	  var warned = false;
+	  if (true) {
+	    var newFn = function () {
+	       true ? warning(warned,
+	      // Require examples in this string must be split to prevent React's
+	      // build tools from mistaking them for real requires.
+	      // Otherwise the build tools will attempt to build a '%s' module.
+	      'React.%s is deprecated. Please use %s.%s from require' + '(\'%s\') ' + 'instead.', fnName, newModule, fnName, newPackage) : undefined;
+	      warned = true;
+	      return fn.apply(ctx, arguments);
+	    };
+	    // We need to make sure all properties of the original fn are copied over.
+	    // In particular, this is needed to support PropTypes
+	    return assign(newFn, fn);
+	  }
+	
+	  return fn;
+	}
+	
+	module.exports = deprecated;
+
+/***/ },
+/* 174 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	
+	var _react = __webpack_require__(18);
+	
+	exports["default"] = _react.PropTypes.shape({
+	  subscribe: _react.PropTypes.func.isRequired,
+	  dispatch: _react.PropTypes.func.isRequired,
+	  getState: _react.PropTypes.func.isRequired
+	});
+
+/***/ },
+/* 175 */
+/***/ function(module, exports) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports["default"] = warning;
+	/**
+	 * Prints a warning in the console if it exists.
+	 *
+	 * @param {String} message The warning message.
+	 * @returns {void}
+	 */
+	function warning(message) {
+	  /* eslint-disable no-console */
+	  if (typeof console !== 'undefined' && typeof console.error === 'function') {
+	    console.error(message);
+	  }
+	  /* eslint-enable no-console */
+	  try {
+	    // This error was thrown as a convenience so that you can use this stack
+	    // to find the callsite that caused this warning to fire.
+	    throw new Error(message);
+	    /* eslint-disable no-empty */
+	  } catch (e) {}
+	  /* eslint-enable no-empty */
+	}
+
+/***/ },
+/* 176 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; };
+	
+	exports.__esModule = true;
+	exports["default"] = connect;
+	
+	var _react = __webpack_require__(18);
+	
+	var _storeShape = __webpack_require__(174);
+	
+	var _storeShape2 = _interopRequireDefault(_storeShape);
+	
+	var _shallowEqual = __webpack_require__(177);
+	
+	var _shallowEqual2 = _interopRequireDefault(_shallowEqual);
+	
+	var _wrapActionCreators = __webpack_require__(178);
+	
+	var _wrapActionCreators2 = _interopRequireDefault(_wrapActionCreators);
+	
+	var _warning = __webpack_require__(175);
+	
+	var _warning2 = _interopRequireDefault(_warning);
+	
+	var _isPlainObject = __webpack_require__(4);
+	
+	var _isPlainObject2 = _interopRequireDefault(_isPlainObject);
+	
+	var _hoistNonReactStatics = __webpack_require__(179);
+	
+	var _hoistNonReactStatics2 = _interopRequireDefault(_hoistNonReactStatics);
+	
+	var _invariant = __webpack_require__(180);
+	
+	var _invariant2 = _interopRequireDefault(_invariant);
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; }
+	
+	function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
+	
+	function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; }
+	
+	function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
+	
+	var defaultMapStateToProps = function defaultMapStateToProps(state) {
+	  return {};
+	}; // eslint-disable-line no-unused-vars
+	var defaultMapDispatchToProps = function defaultMapDispatchToProps(dispatch) {
+	  return { dispatch: dispatch };
+	};
+	var defaultMergeProps = function defaultMergeProps(stateProps, dispatchProps, parentProps) {
+	  return _extends({}, parentProps, stateProps, dispatchProps);
+	};
+	
+	function getDisplayName(WrappedComponent) {
+	  return WrappedComponent.displayName || WrappedComponent.name || 'Component';
+	}
+	
+	var errorObject = { value: null };
+	function tryCatch(fn, ctx) {
+	  try {
+	    return fn.apply(ctx);
+	  } catch (e) {
+	    errorObject.value = e;
+	    return errorObject;
+	  }
+	}
+	
+	// Helps track hot reloading.
+	var nextVersion = 0;
+	
+	function connect(mapStateToProps, mapDispatchToProps, mergeProps) {
+	  var options = arguments.length <= 3 || arguments[3] === undefined ? {} : arguments[3];
+	
+	  var shouldSubscribe = Boolean(mapStateToProps);
+	  var mapState = mapStateToProps || defaultMapStateToProps;
+	
+	  var mapDispatch = undefined;
+	  if (typeof mapDispatchToProps === 'function') {
+	    mapDispatch = mapDispatchToProps;
+	  } else if (!mapDispatchToProps) {
+	    mapDispatch = defaultMapDispatchToProps;
+	  } else {
+	    mapDispatch = (0, _wrapActionCreators2["default"])(mapDispatchToProps);
+	  }
+	
+	  var finalMergeProps = mergeProps || defaultMergeProps;
+	  var _options$pure = options.pure;
+	  var pure = _options$pure === undefined ? true : _options$pure;
+	  var _options$withRef = options.withRef;
+	  var withRef = _options$withRef === undefined ? false : _options$withRef;
+	
+	  var checkMergedEquals = pure && finalMergeProps !== defaultMergeProps;
+	
+	  // Helps track hot reloading.
+	  var version = nextVersion++;
+	
+	  return function wrapWithConnect(WrappedComponent) {
+	    var connectDisplayName = 'Connect(' + getDisplayName(WrappedComponent) + ')';
+	
+	    function checkStateShape(props, methodName) {
+	      if (!(0, _isPlainObject2["default"])(props)) {
+	        (0, _warning2["default"])(methodName + '() in ' + connectDisplayName + ' must return a plain object. ' + ('Instead received ' + props + '.'));
+	      }
+	    }
+	
+	    function computeMergedProps(stateProps, dispatchProps, parentProps) {
+	      var mergedProps = finalMergeProps(stateProps, dispatchProps, parentProps);
+	      if (true) {
+	        checkStateShape(mergedProps, 'mergeProps');
+	      }
+	      return mergedProps;
+	    }
+	
+	    var Connect = function (_Component) {
+	      _inherits(Connect, _Component);
+	
+	      Connect.prototype.shouldComponentUpdate = function shouldComponentUpdate() {
+	        return !pure || this.haveOwnPropsChanged || this.hasStoreStateChanged;
+	      };
+	
+	      function Connect(props, context) {
+	        _classCallCheck(this, Connect);
+	
+	        var _this = _possibleConstructorReturn(this, _Component.call(this, props, context));
+	
+	        _this.version = version;
+	        _this.store = props.store || context.store;
+	
+	        (0, _invariant2["default"])(_this.store, 'Could not find "store" in either the context or ' + ('props of "' + connectDisplayName + '". ') + 'Either wrap the root component in a <Provider>, ' + ('or explicitly pass "store" as a prop to "' + connectDisplayName + '".'));
+	
+	        var storeState = _this.store.getState();
+	        _this.state = { storeState: storeState };
+	        _this.clearCache();
+	        return _this;
+	      }
+	
+	      Connect.prototype.computeStateProps = function computeStateProps(store, props) {
+	        if (!this.finalMapStateToProps) {
+	          return this.configureFinalMapState(store, props);
+	        }
+	
+	        var state = store.getState();
+	        var stateProps = this.doStatePropsDependOnOwnProps ? this.finalMapStateToProps(state, props) : this.finalMapStateToProps(state);
+	
+	        if (true) {
+	          checkStateShape(stateProps, 'mapStateToProps');
+	        }
+	        return stateProps;
+	      };
+	
+	      Connect.prototype.configureFinalMapState = function configureFinalMapState(store, props) {
+	        var mappedState = mapState(store.getState(), props);
+	        var isFactory = typeof mappedState === 'function';
+	
+	        this.finalMapStateToProps = isFactory ? mappedState : mapState;
+	        this.doStatePropsDependOnOwnProps = this.finalMapStateToProps.length !== 1;
+	
+	        if (isFactory) {
+	          return this.computeStateProps(store, props);
+	        }
+	
+	        if (true) {
+	          checkStateShape(mappedState, 'mapStateToProps');
+	        }
+	        return mappedState;
+	      };
+	
+	      Connect.prototype.computeDispatchProps = function computeDispatchProps(store, props) {
+	        if (!this.finalMapDispatchToProps) {
+	          return this.configureFinalMapDispatch(store, props);
+	        }
+	
+	        var dispatch = store.dispatch;
+	
+	        var dispatchProps = this.doDispatchPropsDependOnOwnProps ? this.finalMapDispatchToProps(dispatch, props) : this.finalMapDispatchToProps(dispatch);
+	
+	        if (true) {
+	          checkStateShape(dispatchProps, 'mapDispatchToProps');
+	        }
+	        return dispatchProps;
+	      };
+	
+	      Connect.prototype.configureFinalMapDispatch = function configureFinalMapDispatch(store, props) {
+	        var mappedDispatch = mapDispatch(store.dispatch, props);
+	        var isFactory = typeof mappedDispatch === 'function';
+	
+	        this.finalMapDispatchToProps = isFactory ? mappedDispatch : mapDispatch;
+	        this.doDispatchPropsDependOnOwnProps = this.finalMapDispatchToProps.length !== 1;
+	
+	        if (isFactory) {
+	          return this.computeDispatchProps(store, props);
+	        }
+	
+	        if (true) {
+	          checkStateShape(mappedDispatch, 'mapDispatchToProps');
+	        }
+	        return mappedDispatch;
+	      };
+	
+	      Connect.prototype.updateStatePropsIfNeeded = function updateStatePropsIfNeeded() {
+	        var nextStateProps = this.computeStateProps(this.store, this.props);
+	        if (this.stateProps && (0, _shallowEqual2["default"])(nextStateProps, this.stateProps)) {
+	          return false;
+	        }
+	
+	        this.stateProps = nextStateProps;
+	        return true;
+	      };
+	
+	      Connect.prototype.updateDispatchPropsIfNeeded = function updateDispatchPropsIfNeeded() {
+	        var nextDispatchProps = this.computeDispatchProps(this.store, this.props);
+	        if (this.dispatchProps && (0, _shallowEqual2["default"])(nextDispatchProps, this.dispatchProps)) {
+	          return false;
+	        }
+	
+	        this.dispatchProps = nextDispatchProps;
+	        return true;
+	      };
+	
+	      Connect.prototype.updateMergedPropsIfNeeded = function updateMergedPropsIfNeeded() {
+	        var nextMergedProps = computeMergedProps(this.stateProps, this.dispatchProps, this.props);
+	        if (this.mergedProps && checkMergedEquals && (0, _shallowEqual2["default"])(nextMergedProps, this.mergedProps)) {
+	          return false;
+	        }
+	
+	        this.mergedProps = nextMergedProps;
+	        return true;
+	      };
+	
+	      Connect.prototype.isSubscribed = function isSubscribed() {
+	        return typeof this.unsubscribe === 'function';
+	      };
+	
+	      Connect.prototype.trySubscribe = function trySubscribe() {
+	        if (shouldSubscribe && !this.unsubscribe) {
+	          this.unsubscribe = this.store.subscribe(this.handleChange.bind(this));
+	          this.handleChange();
+	        }
+	      };
+	
+	      Connect.prototype.tryUnsubscribe = function tryUnsubscribe() {
+	        if (this.unsubscribe) {
+	          this.unsubscribe();
+	          this.unsubscribe = null;
+	        }
+	      };
+	
+	      Connect.prototype.componentDidMount = function componentDidMount() {
+	        this.trySubscribe();
+	      };
+	
+	      Connect.prototype.componentWillReceiveProps = function componentWillReceiveProps(nextProps) {
+	        if (!pure || !(0, _shallowEqual2["default"])(nextProps, this.props)) {
+	          this.haveOwnPropsChanged = true;
+	        }
+	      };
+	
+	      Connect.prototype.componentWillUnmount = function componentWillUnmount() {
+	        this.tryUnsubscribe();
+	        this.clearCache();
+	      };
+	
+	      Connect.prototype.clearCache = function clearCache() {
+	        this.dispatchProps = null;
+	        this.stateProps = null;
+	        this.mergedProps = null;
+	        this.haveOwnPropsChanged = true;
+	        this.hasStoreStateChanged = true;
+	        this.haveStatePropsBeenPrecalculated = false;
+	        this.statePropsPrecalculationError = null;
+	        this.renderedElement = null;
+	        this.finalMapDispatchToProps = null;
+	        this.finalMapStateToProps = null;
+	      };
+	
+	      Connect.prototype.handleChange = function handleChange() {
+	        if (!this.unsubscribe) {
+	          return;
+	        }
+	
+	        var storeState = this.store.getState();
+	        var prevStoreState = this.state.storeState;
+	        if (pure && prevStoreState === storeState) {
+	          return;
+	        }
+	
+	        if (pure && !this.doStatePropsDependOnOwnProps) {
+	          var haveStatePropsChanged = tryCatch(this.updateStatePropsIfNeeded, this);
+	          if (!haveStatePropsChanged) {
+	            return;
+	          }
+	          if (haveStatePropsChanged === errorObject) {
+	            this.statePropsPrecalculationError = errorObject.value;
+	          }
+	          this.haveStatePropsBeenPrecalculated = true;
+	        }
+	
+	        this.hasStoreStateChanged = true;
+	        this.setState({ storeState: storeState });
+	      };
+	
+	      Connect.prototype.getWrappedInstance = function getWrappedInstance() {
+	        (0, _invariant2["default"])(withRef, 'To access the wrapped instance, you need to specify ' + '{ withRef: true } as the fourth argument of the connect() call.');
+	
+	        return this.refs.wrappedInstance;
+	      };
+	
+	      Connect.prototype.render = function render() {
+	        var haveOwnPropsChanged = this.haveOwnPropsChanged;
+	        var hasStoreStateChanged = this.hasStoreStateChanged;
+	        var haveStatePropsBeenPrecalculated = this.haveStatePropsBeenPrecalculated;
+	        var statePropsPrecalculationError = this.statePropsPrecalculationError;
+	        var renderedElement = this.renderedElement;
+	
+	        this.haveOwnPropsChanged = false;
+	        this.hasStoreStateChanged = false;
+	        this.haveStatePropsBeenPrecalculated = false;
+	        this.statePropsPrecalculationError = null;
+	
+	        if (statePropsPrecalculationError) {
+	          throw statePropsPrecalculationError;
+	        }
+	
+	        var shouldUpdateStateProps = true;
+	        var shouldUpdateDispatchProps = true;
+	        if (pure && renderedElement) {
+	          shouldUpdateStateProps = hasStoreStateChanged || haveOwnPropsChanged && this.doStatePropsDependOnOwnProps;
+	          shouldUpdateDispatchProps = haveOwnPropsChanged && this.doDispatchPropsDependOnOwnProps;
+	        }
+	
+	        var haveStatePropsChanged = false;
+	        var haveDispatchPropsChanged = false;
+	        if (haveStatePropsBeenPrecalculated) {
+	          haveStatePropsChanged = true;
+	        } else if (shouldUpdateStateProps) {
+	          haveStatePropsChanged = this.updateStatePropsIfNeeded();
+	        }
+	        if (shouldUpdateDispatchProps) {
+	          haveDispatchPropsChanged = this.updateDispatchPropsIfNeeded();
+	        }
+	
+	        var haveMergedPropsChanged = true;
+	        if (haveStatePropsChanged || haveDispatchPropsChanged || haveOwnPropsChanged) {
+	          haveMergedPropsChanged = this.updateMergedPropsIfNeeded();
+	        } else {
+	          haveMergedPropsChanged = false;
+	        }
+	
+	        if (!haveMergedPropsChanged && renderedElement) {
+	          return renderedElement;
+	        }
+	
+	        if (withRef) {
+	          this.renderedElement = (0, _react.createElement)(WrappedComponent, _extends({}, this.mergedProps, {
+	            ref: 'wrappedInstance'
+	          }));
+	        } else {
+	          this.renderedElement = (0, _react.createElement)(WrappedComponent, this.mergedProps);
+	        }
+	
+	        return this.renderedElement;
+	      };
+	
+	      return Connect;
+	    }(_react.Component);
+	
+	    Connect.displayName = connectDisplayName;
+	    Connect.WrappedComponent = WrappedComponent;
+	    Connect.contextTypes = {
+	      store: _storeShape2["default"]
+	    };
+	    Connect.propTypes = {
+	      store: _storeShape2["default"]
+	    };
+	
+	    if (true) {
+	      Connect.prototype.componentWillUpdate = function componentWillUpdate() {
+	        if (this.version === version) {
+	          return;
+	        }
+	
+	        // We are hot reloading!
+	        this.version = version;
+	        this.trySubscribe();
+	        this.clearCache();
+	      };
+	    }
+	
+	    return (0, _hoistNonReactStatics2["default"])(Connect, WrappedComponent);
+	  };
+	}
+
+/***/ },
+/* 177 */
+/***/ function(module, exports) {
+
+	"use strict";
+	
+	exports.__esModule = true;
+	exports["default"] = shallowEqual;
+	function shallowEqual(objA, objB) {
+	  if (objA === objB) {
+	    return true;
+	  }
+	
+	  var keysA = Object.keys(objA);
+	  var keysB = Object.keys(objB);
+	
+	  if (keysA.length !== keysB.length) {
+	    return false;
+	  }
+	
+	  // Test for A's keys different from B.
+	  var hasOwn = Object.prototype.hasOwnProperty;
+	  for (var i = 0; i < keysA.length; i++) {
+	    if (!hasOwn.call(objB, keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {
+	      return false;
+	    }
+	  }
+	
+	  return true;
+	}
+
+/***/ },
+/* 178 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.__esModule = true;
+	exports["default"] = wrapActionCreators;
+	
+	var _redux = __webpack_require__(2);
+	
+	function wrapActionCreators(actionCreators) {
+	  return function (dispatch) {
+	    return (0, _redux.bindActionCreators)(actionCreators, dispatch);
+	  };
+	}
+
+/***/ },
+/* 179 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copyright 2015, Yahoo! Inc.
+	 * Copyrights licensed under the New BSD License. See the accompanying LICENSE file for terms.
+	 */
+	'use strict';
+	
+	var REACT_STATICS = {
+	    childContextTypes: true,
+	    contextTypes: true,
+	    defaultProps: true,
+	    displayName: true,
+	    getDefaultProps: true,
+	    mixins: true,
+	    propTypes: true,
+	    type: true
+	};
+	
+	var KNOWN_STATICS = {
+	    name: true,
+	    length: true,
+	    prototype: true,
+	    caller: true,
+	    arguments: true,
+	    arity: true
+	};
+	
+	var isGetOwnPropertySymbolsAvailable = typeof Object.getOwnPropertySymbols === 'function';
+	
+	module.exports = function hoistNonReactStatics(targetComponent, sourceComponent, customStatics) {
+	    if (typeof sourceComponent !== 'string') { // don't hoist over string (html) components
+	        var keys = Object.getOwnPropertyNames(sourceComponent);
+	
+	        /* istanbul ignore else */
+	        if (isGetOwnPropertySymbolsAvailable) {
+	            keys = keys.concat(Object.getOwnPropertySymbols(sourceComponent));
+	        }
+	
+	        for (var i = 0; i < keys.length; ++i) {
+	            if (!REACT_STATICS[keys[i]] && !KNOWN_STATICS[keys[i]] && (!customStatics || !customStatics[keys[i]])) {
+	                try {
+	                    targetComponent[keys[i]] = sourceComponent[keys[i]];
+	                } catch (error) {
+	
+	                }
+	            }
+	        }
+	    }
+	
+	    return targetComponent;
+	};
+
+
+/***/ },
+/* 180 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * Copyright 2013-2015, Facebook, Inc.
+	 * All rights reserved.
+	 *
+	 * This source code is licensed under the BSD-style license found in the
+	 * LICENSE file in the root directory of this source tree. An additional grant
+	 * of patent rights can be found in the PATENTS file in the same directory.
+	 */
+	
+	'use strict';
+	
+	/**
+	 * Use invariant() to assert state which your program assumes to be true.
+	 *
+	 * Provide sprintf-style format (only %s is supported) and arguments
+	 * to provide information about what broke and what you were
+	 * expecting.
+	 *
+	 * The invariant message will be stripped in production, but the invariant
+	 * will remain to ensure logic does not differ in production.
+	 */
+	
+	var invariant = function(condition, format, a, b, c, d, e, f) {
+	  if (true) {
+	    if (format === undefined) {
+	      throw new Error('invariant requires an error message argument');
+	    }
+	  }
+	
+	  if (!condition) {
+	    var error;
+	    if (format === undefined) {
+	      error = new Error(
+	        'Minified exception occurred; use the non-minified dev environment ' +
+	        'for the full error message and additional helpful warnings.'
+	      );
+	    } else {
+	      var args = [a, b, c, d, e, f];
+	      var argIndex = 0;
+	      error = new Error(
+	        format.replace(/%s/g, function() { return args[argIndex++]; })
+	      );
+	      error.name = 'Invariant Violation';
+	    }
+	
+	    error.framesToPop = 1; // we don't care about invariant's own frame
+	    throw error;
+	  }
+	};
+	
+	module.exports = invariant;
+
+
+/***/ },
+/* 181 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	module.exports = __webpack_require__(20);
+
+
+/***/ },
+/* 182 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	/* General utilities used throughout devtools. */
+	
+	var { Ci, Cu, Cc, components } = __webpack_require__(183);
+	var Services = __webpack_require__(188);
+	var promise = __webpack_require__(194);
+	
+	const { FileUtils } = __webpack_require__(195);
+	
+	/**
+	 * Turn the error |aError| into a string, without fail.
+	 */
+	exports.safeErrorString = function safeErrorString(aError) {
+	  try {
+	    let errorString = aError.toString();
+	    if (typeof errorString == "string") {
+	      // Attempt to attach a stack to |errorString|. If it throws an error, or
+	      // isn't a string, don't use it.
+	      try {
+	        if (aError.stack) {
+	          let stack = aError.stack.toString();
+	          if (typeof stack == "string") {
+	            errorString += "\nStack: " + stack;
+	          }
+	        }
+	      } catch (ee) { }
+	
+	      // Append additional line and column number information to the output,
+	      // since it might not be part of the stringified error.
+	      if (typeof aError.lineNumber == "number" && typeof aError.columnNumber == "number") {
+	        errorString += "Line: " + aError.lineNumber + ", column: " + aError.columnNumber;
+	      }
+	
+	      return errorString;
+	    }
+	  } catch (ee) { }
+	
+	  // We failed to find a good error description, so do the next best thing.
+	  return Object.prototype.toString.call(aError);
+	}
+	
+	/**
+	 * Report that |aWho| threw an exception, |aException|.
+	 */
+	exports.reportException = function reportException(aWho, aException) {
+	  let msg = aWho + " threw an exception: " + exports.safeErrorString(aException);
+	
+	  console.log(msg);
+	
+	//  if (Cu && console.error) {
+	//    /*
+	//     * Note that the xpcshell test harness registers an observer for
+	//     * console messages, so when we're running tests, this will cause
+	//     * the test to quit.
+	//     */
+	//    console.error(msg);
+	//  }
+	}
+	
+	/**
+	 * Given a handler function that may throw, return an infallible handler
+	 * function that calls the fallible handler, and logs any exceptions it
+	 * throws.
+	 *
+	 * @param aHandler function
+	 *      A handler function, which may throw.
+	 * @param aName string
+	 *      A name for aHandler, for use in error messages. If omitted, we use
+	 *      aHandler.name.
+	 *
+	 * (SpiderMonkey does generate good names for anonymous functions, but we
+	 * don't have a way to get at them from JavaScript at the moment.)
+	 */
+	exports.makeInfallible = function makeInfallible(aHandler, aName) {
+	  if (!aName)
+	    aName = aHandler.name;
+	
+	  return function (/* arguments */) {
+	    // try {
+	      return aHandler.apply(this, arguments);
+	    // } catch (ex) {
+	    //   let who = "Handler function";
+	    //   if (aName) {
+	    //     who += " " + aName;
+	    //   }
+	    //   return exports.reportException(who, ex);
+	    // }
+	  }
+	}
+	
+	
+	/**
+	 * Waits for the next tick in the event loop to execute a callback.
+	 */
+	exports.executeSoon = function executeSoon(aFn) {
+	  setTimeout(aFn, 0);
+	};
+	
+	/**
+	 * Waits for the next tick in the event loop.
+	 *
+	 * @return Promise
+	 *         A promise that is resolved after the next tick in the event loop.
+	 */
+	exports.waitForTick = function waitForTick() {
+	  let deferred = promise.defer();
+	  exports.executeSoon(deferred.resolve);
+	  return deferred.promise;
+	};
+	
+	/**
+	 * Waits for the specified amount of time to pass.
+	 *
+	 * @param number aDelay
+	 *        The amount of time to wait, in milliseconds.
+	 * @return Promise
+	 *         A promise that is resolved after the specified amount of time passes.
+	 */
+	exports.waitForTime = function waitForTime(aDelay) {
+	  let deferred = promise.defer();
+	  setTimeout(deferred.resolve, aDelay);
+	  return deferred.promise;
+	};
+	
+	/**
+	 * Like Array.prototype.forEach, but doesn't cause jankiness when iterating over
+	 * very large arrays by yielding to the browser and continuing execution on the
+	 * next tick.
+	 *
+	 * @param Array aArray
+	 *        The array being iterated over.
+	 * @param Function aFn
+	 *        The function called on each item in the array. If a promise is
+	 *        returned by this function, iterating over the array will be paused
+	 *        until the respective promise is resolved.
+	 * @returns Promise
+	 *          A promise that is resolved once the whole array has been iterated
+	 *          over, and all promises returned by the aFn callback are resolved.
+	 */
+	exports.yieldingEach = function yieldingEach(aArray, aFn) {
+	  const deferred = promise.defer();
+	
+	  let i = 0;
+	  let len = aArray.length;
+	  let outstanding = [deferred.promise];
+	
+	  (function loop() {
+	    const start = Date.now();
+	
+	    while (i < len) {
+	      // Don't block the main thread for longer than 16 ms at a time. To
+	      // maintain 60fps, you have to render every frame in at least 16ms; we
+	      // aren't including time spent in non-JS here, but this is Good
+	      // Enough(tm).
+	      if (Date.now() - start > 16) {
+	        exports.executeSoon(loop);
+	        return;
+	      }
+	
+	      try {
+	        outstanding.push(aFn(aArray[i], i++));
+	      } catch (e) {
+	        deferred.reject(e);
+	        return;
+	      }
+	    }
+	
+	    deferred.resolve();
+	  }());
+	
+	  return promise.all(outstanding);
+	}
+	
+	/**
+	 * Like XPCOMUtils.defineLazyGetter, but with a |this| sensitive getter that
+	 * allows the lazy getter to be defined on a prototype and work correctly with
+	 * instances.
+	 *
+	 * @param Object aObject
+	 *        The prototype object to define the lazy getter on.
+	 * @param String aKey
+	 *        The key to define the lazy getter on.
+	 * @param Function aCallback
+	 *        The callback that will be called to determine the value. Will be
+	 *        called with the |this| value of the current instance.
+	 */
+	exports.defineLazyPrototypeGetter =
+	function defineLazyPrototypeGetter(aObject, aKey, aCallback) {
+	  Object.defineProperty(aObject, aKey, {
+	    configurable: true,
+	    get: function() {
+	      const value = aCallback.call(this);
+	
+	      Object.defineProperty(this, aKey, {
+	        configurable: true,
+	        writable: true,
+	        value: value
+	      });
+	
+	      return value;
+	    }
+	  });
+	}
+	
+	/**
+	 * Safely get the property value from a Debugger.Object for a given key. Walks
+	 * the prototype chain until the property is found.
+	 *
+	 * @param Debugger.Object aObject
+	 *        The Debugger.Object to get the value from.
+	 * @param String aKey
+	 *        The key to look for.
+	 * @return Any
+	 */
+	exports.getProperty = function getProperty(aObj, aKey) {
+	  let root = aObj;
+	  try {
+	    do {
+	      const desc = aObj.getOwnPropertyDescriptor(aKey);
+	      if (desc) {
+	        if ("value" in desc) {
+	          return desc.value;
+	        }
+	        // Call the getter if it's safe.
+	        return exports.hasSafeGetter(desc) ? desc.get.call(root).return : undefined;
+	      }
+	      aObj = aObj.proto;
+	    } while (aObj);
+	  } catch (e) {
+	    // If anything goes wrong report the error and return undefined.
+	    exports.reportException("getProperty", e);
+	  }
+	  return undefined;
+	};
+	
+	/**
+	 * Determines if a descriptor has a getter which doesn't call into JavaScript.
+	 *
+	 * @param Object aDesc
+	 *        The descriptor to check for a safe getter.
+	 * @return Boolean
+	 *         Whether a safe getter was found.
+	 */
+	exports.hasSafeGetter = function hasSafeGetter(aDesc) {
+	  // Scripted functions that are CCWs will not appear scripted until after
+	  // unwrapping.
+	  try {
+	    let fn = aDesc.get.unwrap();
+	    return fn && fn.callable && fn.class == "Function" && fn.script === undefined;
+	  } catch(e) {
+	    // Avoid exception 'Object in compartment marked as invisible to Debugger'
+	    return false;
+	  }
+	};
+	
+	/**
+	 * Check if it is safe to read properties and execute methods from the given JS
+	 * object. Safety is defined as being protected from unintended code execution
+	 * from content scripts (or cross-compartment code).
+	 *
+	 * See bugs 945920 and 946752 for discussion.
+	 *
+	 * @type Object aObj
+	 *       The object to check.
+	 * @return Boolean
+	 *         True if it is safe to read properties from aObj, or false otherwise.
+	 */
+	exports.isSafeJSObject = function isSafeJSObject(aObj) {
+	  // If we are running on a worker thread, Cu is not available. In this case,
+	  // we always return false, just to be on the safe side.
+	  if (isWorker) {
+	    return false;
+	  }
+	
+	  if (Cu.getGlobalForObject(aObj) ==
+	      Cu.getGlobalForObject(exports.isSafeJSObject)) {
+	    return true; // aObj is not a cross-compartment wrapper.
+	  }
+	
+	  let principal = Cu.getObjectPrincipal(aObj);
+	  if (Services.scriptSecurityManager.isSystemPrincipal(principal)) {
+	    return true; // allow chrome objects
+	  }
+	
+	  return Cu.isXrayWrapper(aObj);
+	};
+	
+	exports.dumpn = function dumpn(str) {
+	  if (exports.dumpn.wantLogging) {
+	    console.log("DBG-SERVER: " + str + "\n");
+	  }
+	}
+	
+	// We want wantLogging to be writable. The exports object is frozen by the
+	// loader, so define it on dumpn instead.
+	exports.dumpn.wantLogging = false;
+	
+	/**
+	 * A verbose logger for low-level tracing.
+	 */
+	exports.dumpv = function(msg) {
+	  if (exports.dumpv.wantVerbose) {
+	    exports.dumpn(msg);
+	  }
+	};
+	
+	// We want wantLogging to be writable. The exports object is frozen by the
+	// loader, so define it on dumpn instead.
+	exports.dumpv.wantVerbose = false;
+	
+	/**
+	 * Utility function for updating an object with the properties of
+	 * other objects.
+	 *
+	 * @param aTarget Object
+	 *        The object being updated.
+	 * @param aNewAttrs Object
+	 *        The rest params are objects to update aTarget with. You
+	 *        can pass as many as you like.
+	 */
+	exports.update = function update(aTarget, ...aArgs) {
+	  for (let attrs of aArgs) {
+	    for (let key in attrs) {
+	      let desc = Object.getOwnPropertyDescriptor(attrs, key);
+	
+	      if (desc) {
+	        Object.defineProperty(aTarget, key, desc);
+	      }
+	    }
+	  }
+	
+	  return aTarget;
+	}
+	
+	/**
+	 * Utility function for getting the values from an object as an array
+	 *
+	 * @param aObject Object
+	 *        The object to iterate over
+	 */
+	exports.values = function values(aObject) {
+	  return Object.keys(aObject).map(k => aObject[k]);
+	}
+	
+	/**
+	 * Defines a getter on a specified object that will be created upon first use.
+	 *
+	 * @param aObject
+	 *        The object to define the lazy getter on.
+	 * @param aName
+	 *        The name of the getter to define on aObject.
+	 * @param aLambda
+	 *        A function that returns what the getter should return.  This will
+	 *        only ever be called once.
+	 */
+	exports.defineLazyGetter = function defineLazyGetter(aObject, aName, aLambda) {
+	  Object.defineProperty(aObject, aName, {
+	    get: function () {
+	      delete aObject[aName];
+	      return aObject[aName] = aLambda.apply(aObject);
+	    },
+	    configurable: true,
+	    enumerable: true
+	  });
+	};
+	
+	// DEPRECATED: use DevToolsUtils.assert(condition, message) instead!
+	let haveLoggedDeprecationMessage = false;
+	exports.dbg_assert = function dbg_assert(cond, e) {
+	  if (!haveLoggedDeprecationMessage) {
+	    haveLoggedDeprecationMessage = true;
+	    const deprecationMessage = "DevToolsUtils.dbg_assert is deprecated! Use DevToolsUtils.assert instead!"
+	          + Error().stack;
+	    console.log(deprecationMessage);
+	    if (typeof console === "object" && console && console.warn) {
+	      console.warn(deprecationMessage);
+	    }
+	  }
+	
+	  if (!cond) {
+	    return e;
+	  }
+	};
+	
+	const { AppConstants } = __webpack_require__(196);
+	
+	/**
+	 * No operation. The empty function.
+	 */
+	exports.noop = function () { };
+	
+	function reallyAssert(condition, message) {
+	  if (!condition) {
+	    const err = new Error("Assertion failure: " + message);
+	    exports.reportException("DevToolsUtils.assert", err);
+	    throw err;
+	  }
+	}
+	
+	/**
+	 * DevToolsUtils.assert(condition, message)
+	 *
+	 * @param Boolean condition
+	 * @param String message
+	 *
+	 * Assertions are enabled when any of the following are true:
+	 *   - This is a DEBUG_JS_MODULES build
+	 *   - This is a DEBUG build
+	 *   - DevToolsUtils.testing is set to true
+	 *
+	 * If assertions are enabled, then `condition` is checked and if false-y, the
+	 * assertion failure is logged and then an error is thrown.
+	 *
+	 * If assertions are not enabled, then this function is a no-op.
+	 *
+	 * This is an improvement over `dbg_assert`, which doesn't actually cause any
+	 * fatal behavior, and is therefore much easier to accidentally ignore.
+	 */
+	Object.defineProperty(exports, "assert", {
+	  get: () => (AppConstants.DEBUG || AppConstants.DEBUG_JS_MODULES || this.testing)
+	    ? reallyAssert
+	    : exports.noop,
+	})
+	
+	/**
+	 * Defines a getter on a specified object for a module.  The module will not
+	 * be imported until first use.
+	 *
+	 * @param aObject
+	 *        The object to define the lazy getter on.
+	 * @param aName
+	 *        The name of the getter to define on aObject for the module.
+	 * @param aResource
+	 *        The URL used to obtain the module.
+	 * @param aSymbol
+	 *        The name of the symbol exported by the module.
+	 *        This parameter is optional and defaults to aName.
+	 */
+	exports.defineLazyModuleGetter = function defineLazyModuleGetter(aObject, aName,
+	                                                                 aResource,
+	                                                                 aSymbol)
+	{
+	  this.defineLazyGetter(aObject, aName, function XPCU_moduleLambda() {
+	    var temp = {};
+	    Cu.import(aResource, temp);
+	    return temp[aSymbol || aName];
+	  });
+	};
+	
+	const { NetUtil } = __webpack_require__(197);
+	
+	const { TextDecoder, OS } = __webpack_require__(198);
+	
+	const NetworkHelper = __webpack_require__(199);
+	
+	/**
+	 * Performs a request to load the desired URL and returns a promise.
+	 *
+	 * @param aURL String
+	 *        The URL we will request.
+	 * @param aOptions Object
+	 *        An object with the following optional properties:
+	 *        - loadFromCache: if false, will bypass the cache and
+	 *          always load fresh from the network (default: true)
+	 *        - policy: the nsIContentPolicy type to apply when fetching the URL
+	 *        - window: the window to get the loadGroup from
+	 *        - charset: the charset to use if the channel doesn't provide one
+	 * @returns Promise that resolves with an object with the following members on
+	 *          success:
+	 *           - content: the document at that URL, as a string,
+	 *           - contentType: the content type of the document
+	 *
+	 *          If an error occurs, the promise is rejected with that error.
+	 *
+	 * XXX: It may be better to use nsITraceableChannel to get to the sources
+	 * without relying on caching when we can (not for eval, etc.):
+	 * http://www.softwareishard.com/blog/firebug/nsitraceablechannel-intercept-http-traffic/
+	 */
+	function mainThreadFetch(aURL, aOptions={ loadFromCache: true,
+	                                          policy: Ci.nsIContentPolicy.TYPE_OTHER,
+	                                          window: null,
+	                                          charset: null }) {
+	  // Create a channel.
+	  let url = aURL.split(" -> ").pop();
+	  let channel;
+	  try {
+	    channel = newChannelForURL(url, aOptions);
+	  } catch (ex) {
+	    return promise.reject(ex);
+	  }
+	
+	  // Set the channel options.
+	  channel.loadFlags = aOptions.loadFromCache
+	    ? channel.LOAD_FROM_CACHE
+	    : channel.LOAD_BYPASS_CACHE;
+	
+	  if (aOptions.window) {
+	    // Respect private browsing.
+	    channel.loadGroup = aOptions.window.QueryInterface(Ci.nsIInterfaceRequestor)
+	                          .getInterface(Ci.nsIWebNavigation)
+	                          .QueryInterface(Ci.nsIDocumentLoader)
+	                          .loadGroup;
+	  }
+	
+	  let deferred = promise.defer();
+	  let onResponse = (stream, status, request) => {
+	    if (!components.isSuccessCode(status)) {
+	      deferred.reject(new Error(`Failed to fetch ${url}. Code ${status}.`));
+	      return;
+	    }
+	
+	    try {
+	      // We cannot use NetUtil to do the charset conversion as if charset
+	      // information is not available and our default guess is wrong the method
+	      // might fail and we lose the stream data. This means we can't fall back
+	      // to using the locale default encoding (bug 1181345).
+	
+	      // Read and decode the data according to the locale default encoding.
+	      let available = stream.available();
+	      let source = NetUtil.readInputStreamToString(stream, available);
+	      stream.close();
+	
+	      // If the channel or the caller has correct charset information, the
+	      // content will be decoded correctly. If we have to fall back to UTF-8 and
+	      // the guess is wrong, the conversion fails and convertToUnicode returns
+	      // the input unmodified. Essentially we try to decode the data as UTF-8
+	      // and if that fails, we use the locale specific default encoding. This is
+	      // the best we can do if the source does not provide charset info.
+	      let charset = channel.contentCharset || aOptions.charset || "UTF-8";
+	      let unicodeSource = NetworkHelper.convertToUnicode(source, charset);
+	
+	      deferred.resolve({
+	        content: unicodeSource,
+	        contentType: request.contentType
+	      });
+	    } catch (ex) {
+	      let uri = request.originalURI;
+	      if (ex.name === "NS_BASE_STREAM_CLOSED" && uri instanceof Ci.nsIFileURL) {
+	        // Empty files cause NS_BASE_STREAM_CLOSED exception. Use OS.File to
+	        // differentiate between empty files and other errors (bug 1170864).
+	        // This can be removed when bug 982654 is fixed.
+	
+	        uri.QueryInterface(Ci.nsIFileURL);
+	        let result = OS.File.read(uri.file.path).then(bytes => {
+	          // Convert the bytearray to a String.
+	          let decoder = new TextDecoder();
+	          let content = decoder.decode(bytes);
+	
+	          // We can't detect the contentType without opening a channel
+	          // and that failed already. This is the best we can do here.
+	          return {
+	            content,
+	            contentType: "text/plain"
+	          };
+	        });
+	
+	        deferred.resolve(result);
+	      } else {
+	        deferred.reject(ex);
+	      }
+	    }
+	  };
+	
+	  // Open the channel
+	  try {
+	    NetUtil.asyncFetch(channel, onResponse);
+	  } catch (ex) {
+	    return promise.reject(ex);
+	  }
+	
+	  return deferred.promise;
+	}
+	
+	/**
+	 * Opens a channel for given URL. Tries a bit harder than NetUtil.newChannel.
+	 *
+	 * @param {String} url - The URL to open a channel for.
+	 * @param {Object} options - The options object passed to @method fetch.
+	 * @return {nsIChannel} - The newly created channel. Throws on failure.
+	 */
+	function newChannelForURL(url, { policy }) {
+	  let channelOptions = {
+	    contentPolicyType: policy,
+	    loadUsingSystemPrincipal: true,
+	    uri: url
+	  };
+	
+	  try {
+	    return NetUtil.newChannel(channelOptions);
+	  } catch (e) {
+	    // In the xpcshell tests, the script url is the absolute path of the test
+	    // file, which will make a malformed URI error be thrown. Add the file
+	    // scheme to see if it helps.
+	    channelOptions.uri = "file://" + url;
+	
+	    return NetUtil.newChannel(channelOptions);
+	  }
+	}
+	
+	// Fetch is defined differently depending on whether we are on the main thread
+	// or a worker thread.
+	if (typeof WorkerGlobalScope === 'undefined') { // i.e. not in a worker
+	  exports.fetch = mainThreadFetch;
+	} else {
+	  // Services is not available in worker threads, nor is there any other way
+	  // to fetch a URL. We need to enlist the help from the main thread here, by
+	  // issuing an rpc request, to fetch the URL on our behalf.
+	  exports.fetch = function (url, options) {
+	    return rpc("fetch", url, options);
+	  }
+	}
+	
+	/**
+	 * Returns a promise that is resolved or rejected when all promises have settled
+	 * (resolved or rejected).
+	 *
+	 * This differs from Promise.all, which will reject immediately after the first
+	 * rejection, instead of waiting for the remaining promises to settle.
+	 *
+	 * @param values
+	 *        Iterable of promises that may be pending, resolved, or rejected. When
+	 *        when all promises have settled (resolved or rejected), the returned
+	 *        promise will be resolved or rejected as well.
+	 *
+	 * @return A new promise that is fulfilled when all values have settled
+	 *         (resolved or rejected). Its resolution value will be an array of all
+	 *         resolved values in the given order, or undefined if values is an
+	 *         empty array. The reject reason will be forwarded from the first
+	 *         promise in the list of given promises to be rejected.
+	 */
+	exports.settleAll = values => {
+	  if (values === null || typeof(values[Symbol.iterator]) != "function") {
+	    throw new Error("settleAll() expects an iterable.");
+	  }
+	
+	  let deferred = promise.defer();
+	
+	  values = Array.isArray(values) ? values : [...values];
+	  let countdown = values.length;
+	  let resolutionValues = new Array(countdown);
+	  let rejectionValue;
+	  let rejectionOccurred = false;
+	
+	  if (!countdown) {
+	    deferred.resolve(resolutionValues);
+	    return deferred.promise;
+	  }
+	
+	  function checkForCompletion() {
+	    if (--countdown > 0) {
+	      return;
+	    }
+	    if (!rejectionOccurred) {
+	      deferred.resolve(resolutionValues);
+	    } else {
+	      deferred.reject(rejectionValue);
+	    }
+	  }
+	
+	  for (let i = 0; i < values.length; i++) {
+	    let index = i;
+	    let value = values[i];
+	    let resolver = result => {
+	      resolutionValues[index] = result;
+	      checkForCompletion();
+	    };
+	    let rejecter = error => {
+	      if (!rejectionOccurred) {
+	        rejectionValue = error;
+	        rejectionOccurred = true;
+	      }
+	      checkForCompletion();
+	    };
+	
+	    if (value && typeof(value.then) == "function") {
+	      value.then(resolver, rejecter);
+	    } else {
+	      // Given value is not a promise, forward it as a resolution value.
+	      resolver(value);
+	    }
+	  }
+	
+	  return deferred.promise;
+	};
+	
+	/**
+	 * When the testing flag is set, various behaviors may be altered from
+	 * production mode, typically to enable easier testing or enhanced debugging.
+	 */
+	var testing = false;
+	Object.defineProperty(exports, "testing", {
+	  get: function() {
+	    return testing;
+	  },
+	  set: function(state) {
+	    testing = state;
+	  }
+	});
+	
+	/**
+	 * Open the file at the given path for reading.
+	 *
+	 * @param {String} filePath
+	 *
+	 * @returns Promise<nsIInputStream>
+	 */
+	exports.openFileStream = function (filePath) {
+	  return new Promise((resolve, reject) => {
+	    const uri = NetUtil.newURI(new FileUtils.File(filePath));
+	    NetUtil.asyncFetch(
+	      { uri, loadUsingSystemPrincipal: true },
+	      (stream, result) => {
+	        if (!components.isSuccessCode(result)) {
+	          reject(new Error(`Could not open "${filePath}": result = ${result}`));
+	          return;
+	        }
+	
+	        resolve(stream);
+	      }
+	    );
+	  });
+	}
+	
+	exports.isGenerator = function (fn) {
+	  if (typeof fn !== "function") {
+	    return false;
+	  }
+	  let proto = Object.getPrototypeOf(fn);
+	  if (!proto) {
+	    return false;
+	  }
+	  let ctor = proto.constructor;
+	  if (!ctor) {
+	    return false;
+	  }
+	  return ctor.name == "GeneratorFunction";
+	};
+	
+	exports.isPromise = function (p) {
+	  return p && typeof p.then === "function";
+	};
+	
+	/**
+	 * Return true if `thing` is a SavedFrame, false otherwise.
+	 */
+	exports.isSavedFrame = function (thing) {
+	  return Object.prototype.toString.call(thing) === "[object SavedFrame]";
+	};
+
+
+/***/ },
+/* 183 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/*
+	 * A sham for https://developer.mozilla.org/en-US/Add-ons/SDK/Low-Level_APIs/chrome
+	 */
+	
+	var { inDOMUtils } = __webpack_require__(184);
+	
+	var ourServices = {
+	  inIDOMUtils: inDOMUtils,
+	  nsIClipboardHelper: {
+	    copyString: () => {}
+	  },
+	  nsIXULChromeRegistry: {
+	    isLocaleRTL: () => {return false;}
+	  },
+	  nsIDOMParser: {
+	
+	  },
+	};
+	
+	module.exports = {
+	  Cc: name => {
+	    if(typeof console !== "undefined") {
+	      console.log('Cc sham for', name);
+	    }
+	    return {
+	      getService: (name) => ourServices[name],
+	      createInstance: (iface) => ourServices[iface],
+	    };
+	  },
+	  CC: (name, iface, method) => {
+	    if(typeof console !== "undefined") {
+	      console.log('CC sham for', name, iface, method);
+	    }
+	    return {
+	    };
+	  },
+	  Ci: {
+	    nsIThread: {
+	      "DISPATCH_NORMAL":0,
+	      "DISPATCH_SYNC":1
+	    },
+	    nsIDOMNode: typeof HTMLElement !== "undefined" ? HTMLElement : null,
+	    nsIFocusManager: {
+	      MOVEFOCUS_BACKWARD: 2,
+	      MOVEFOCUS_FORWARD: 1,
+	    },
+	    nsIDOMKeyEvent: {
+	
+	    },
+	    nsIDOMCSSRule: {"UNKNOWN_RULE":0,"STYLE_RULE":1,"CHARSET_RULE":2,"IMPORT_RULE":3,"MEDIA_RULE":4,"FONT_FACE_RULE":5,"PAGE_RULE":6,"KEYFRAMES_RULE":7,"KEYFRAME_RULE":8,"MOZ_KEYFRAMES_RULE":7,"MOZ_KEYFRAME_RULE":8,"NAMESPACE_RULE":10,"COUNTER_STYLE_RULE":11,"SUPPORTS_RULE":12,"FONT_FEATURE_VALUES_RULE":14},
+	    inIDOMUtils: "inIDOMUtils",
+	    nsIClipboardHelper: "nsIClipboardHelper",
+	    nsIXULChromeRegistry: "nsIXULChromeRegistry",
+	  },
+	  Cu: {
+	    reportError: msg => { (typeof console !== "undefined") ? console.error(msg) : dump(msg) },
+	    callFunctionWithAsyncStack: fn => fn(),
+	  },
+	  Cr: {},
+	  components: {
+	    isSuccessCode: () => (returnCode & 0x80000000) === 0,
+	  }
+	};
+
+
+/***/ },
+/* 184 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// A sham for inDOMUtils.
+	
+	"use strict";
+	
+	var { CSSLexer } = __webpack_require__(185);
+	var { cssColors } = __webpack_require__(186);
+	var { cssProperties } = __webpack_require__(187);
+	
+	var cssRGBMap;
+	
+	// From inIDOMUtils.idl.
+	var EXCLUDE_SHORTHANDS = (1 << 0);
+	var INCLUDE_ALIASES = (1 << 1);
+	var TYPE_LENGTH = 0;
+	var TYPE_PERCENTAGE = 1;
+	var TYPE_COLOR = 2;
+	var TYPE_URL = 3;
+	var TYPE_ANGLE = 4;
+	var TYPE_FREQUENCY = 5;
+	var TYPE_TIME = 6;
+	var TYPE_GRADIENT = 7;
+	var TYPE_TIMING_FUNCTION = 8;
+	var TYPE_IMAGE_RECT = 9;
+	var TYPE_NUMBER = 10;
+	
+	function getCSSLexer(text) {
+	  return new CSSLexer(text);
+	}
+	
+	function rgbToColorName(r, g, b) {
+	  if (!cssRGBMap) {
+	    cssRGBMap = new Map();
+	    for (let name in cssColors) {
+	      cssRGBMap.set(JSON.stringify(cssColors[name]), name);
+	    }
+	  }
+	  let value = cssRGBMap.get(JSON.stringify([r, g, b]));
+	  if (!value) {
+	    throw new Error("no such color");
+	  }
+	  return value;
+	}
+	
+	// Taken from dom/tests/mochitest/ajax/mochikit/MochiKit/Color.js
+	function _hslValue(n1, n2, hue) {
+	  if (hue > 6.0) {
+	    hue -= 6.0;
+	  } else if (hue < 0.0) {
+	    hue += 6.0;
+	  }
+	  var val;
+	  if (hue < 1.0) {
+	    val = n1 + (n2 - n1) * hue;
+	  } else if (hue < 3.0) {
+	    val = n2;
+	  } else if (hue < 4.0) {
+	    val = n1 + (n2 - n1) * (4.0 - hue);
+	  } else {
+	    val = n1;
+	  }
+	  return val;
+	}
+	
+	// Taken from dom/tests/mochitest/ajax/mochikit/MochiKit/Color.js
+	// and then modified.
+	function hslToRGB([hue, saturation, lightness]) {
+	  var red;
+	  var green;
+	  var blue;
+	  if (saturation === 0) {
+	    red = lightness;
+	    green = lightness;
+	    blue = lightness;
+	  } else {
+	    var m2;
+	    if (lightness <= 0.5) {
+	      m2 = lightness * (1.0 + saturation);
+	    } else {
+	      m2 = lightness + saturation - (lightness * saturation);
+	    }
+	    var m1 = (2.0 * lightness) - m2;
+	    var f = _hslValue;
+	    var h6 = hue * 6.0;
+	    red = f(m1, m2, h6 + 2);
+	    green = f(m1, m2, h6);
+	    blue = f(m1, m2, h6 - 2);
+	  }
+	  return [red, green, blue];
+	}
+	
+	function colorToRGBA(name) {
+	  name = name.trim().toLowerCase();
+	  if (name in cssColors) {
+	    return cssColors[name];
+	  }
+	
+	  if (name === "transparent") {
+	    return [0, 0, 0, 0];
+	  }
+	
+	  let lexer = getCSSLexer(name);
+	
+	  let getToken = function() {
+	    while (true) {
+	      let token = lexer.nextToken();
+	      if (!token || token.tokenType !== "comment" ||
+	          token.tokenType !== "whitespace") {
+	        return token;
+	      }
+	    }
+	  };
+	
+	  let requireComma = function(token) {
+	    if (token.tokenType !== "symbol" || token.text !== ",") {
+	      return null;
+	    }
+	    return getToken();
+	  };
+	
+	  let func = getToken();
+	  if (!func || func.tokenType !== "function") {
+	    return null;
+	  }
+	  let alpha = false;
+	  if (func.text === "rgb" || func.text === "hsl") {
+	    // Nothing.
+	  } else if (func.text === "rgba" || func.text === "hsla") {
+	    alpha = true;
+	  } else {
+	    return null;
+	  }
+	
+	  let vals = [];
+	  for (let i = 0; i < 3; ++i) {
+	    let token = getToken();
+	    if (i > 0) {
+	      token = requireComma(token);
+	    }
+	    if (token.tokenType !== "number" || !token.isInteger) {
+	      return null;
+	    }
+	    let num = token.number;
+	    if (num < 0) {
+	      num = 0;
+	    } else if (num > 255) {
+	      num = 255;
+	    }
+	    vals.push(num);
+	  }
+	
+	  if (func.text === "hsl" || func.text === "hsla") {
+	    vals = hslToRGB(vals);
+	  }
+	
+	  if (alpha) {
+	    let token = requireComma(getToken());
+	    if (token.tokenType !== "number") {
+	      return null;
+	    }
+	    let num = token.number;
+	    if (num < 0) {
+	      num = 0;
+	    } else if (num > 1) {
+	      num = 1;
+	    }
+	    vals.push(num);
+	  } else {
+	    vals.push(1);
+	  }
+	
+	  let parenToken = getToken();
+	  if (!parenToken || parenToken.tokenType !== "symbol" ||
+	      parenToken.text !== ")") {
+	    return null;
+	  }
+	  if (getToken() !== null) {
+	    return null;
+	  }
+	
+	  return vals;
+	}
+	
+	function isValidCSSColor(name) {
+	  return colorToRGBA(name) !== null;
+	}
+	
+	function isVariable(name) {
+	  return name.startsWith("--");
+	}
+	
+	function cssPropertyIsShorthand(name) {
+	  if (isVariable(name)) {
+	    return false;
+	  }
+	  if (!(name in cssProperties)) {
+	    throw Error("unknown property " + name);
+	  }
+	  return !!cssProperties[name].subproperties;
+	}
+	
+	function getSubpropertiesForCSSProperty(name) {
+	  if (isVariable(name)) {
+	    return [name];
+	  }
+	  if (!(name in cssProperties)) {
+	    throw Error("unknown property " + name);
+	  }
+	  if ("subproperties" in cssProperties[name]) {
+	    return cssProperties[name].subproperties.slice();
+	  }
+	  return [name];
+	}
+	
+	function getCSSValuesForProperty(name) {
+	  if (isVariable(name)) {
+	    return ["initial", "inherit", "unset"];
+	  }
+	  if (!(name in cssProperties)) {
+	    throw Error("unknown property " + name);
+	  }
+	  return cssProperties[name].values.slice();
+	}
+	
+	function getCSSPropertyNames(flags) {
+	  let names = Object.keys(cssProperties);
+	  if ((flags & EXCLUDE_SHORTHANDS) !== 0) {
+	    names = names.filter((name) => cssProperties[name].subproperties);
+	  }
+	  if ((flags & INCLUDE_ALIASES) === 0) {
+	    names = names.filter((name) => !cssProperties[name].alias);
+	  }
+	  return names;
+	}
+	
+	function cssPropertySupportsType(name, type) {
+	  if (isVariable(name)) {
+	    return false;
+	  }
+	  if (!(name in cssProperties)) {
+	    throw Error("unknown property " + name);
+	  }
+	  return (cssProperties[name].supports & (1 << type)) !== 0;
+	}
+	
+	function isInheritedProperty(name) {
+	  if (isVariable(name)) {
+	    return true;
+	  }
+	  if (!(name in cssProperties)) {
+	    return false;
+	  }
+	  return cssProperties[name].inherited;
+	}
+	
+	function cssPropertyIsValid(name, value) {
+	  if (isVariable(name)) {
+	    return true;
+	  }
+	  if (!(name in cssProperties)) {
+	    return false;
+	  }
+	  let elt = document.createElement("div");
+	  elt.style = name + ":" + value;
+	  return elt.style.length > 0;
+	}
+	
+	exports.inDOMUtils = {
+	  getCSSLexer,
+	  rgbToColorName,
+	  colorToRGBA,
+	  isValidCSSColor,
+	  cssPropertyIsShorthand,
+	  getSubpropertiesForCSSProperty,
+	  getCSSValuesForProperty,
+	  getCSSPropertyNames,
+	  cssPropertySupportsType,
+	  isInheritedProperty,
+	  cssPropertyIsValid,
+	
+	  // Constants.
+	  EXCLUDE_SHORTHANDS,
+	  INCLUDE_ALIASES,
+	  TYPE_LENGTH,
+	  TYPE_PERCENTAGE,
+	  TYPE_COLOR,
+	  TYPE_URL,
+	  TYPE_ANGLE,
+	  TYPE_FREQUENCY,
+	  TYPE_TIME,
+	  TYPE_GRADIENT,
+	  TYPE_TIMING_FUNCTION,
+	  TYPE_IMAGE_RECT,
+	  TYPE_NUMBER,
+	};
+
+
+/***/ },
+/* 185 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;"use strict";
+	
+	(function (root, factory) {
+	    // Universal Module Definition (UMD) to support AMD, CommonJS/Node.js,
+	    // Rhino, and plain browser loading.
+	    if (true) {
+	        !(__WEBPACK_AMD_DEFINE_ARRAY__ = [exports], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+	    } else if (typeof exports !== 'undefined') {
+	        factory(exports);
+	    } else {
+	        factory(root);
+	    }
+	}(this, function (exports) {
+	
+	function between(num, first, last) { return num >= first && num <= last; }
+	function digit(code) { return between(code, 0x30,0x39); }
+	function hexdigit(code) { return digit(code) || between(code, 0x41,0x46) || between(code, 0x61,0x66); }
+	function uppercaseletter(code) { return between(code, 0x41,0x5a); }
+	function lowercaseletter(code) { return between(code, 0x61,0x7a); }
+	function letter(code) { return uppercaseletter(code) || lowercaseletter(code); }
+	function nonascii(code) { return code >= 0x80; }
+	function namestartchar(code) { return letter(code) || nonascii(code) || code == 0x5f; }
+	function namechar(code) { return namestartchar(code) || digit(code) || code == 0x2d; }
+	function nonprintable(code) { return between(code, 0,8) || code == 0xb || between(code, 0xe,0x1f) || code == 0x7f; }
+	function newline(code) { return code == 0xa; }
+	function whitespace(code) { return newline(code) || code == 9 || code == 0x20; }
+	
+	var maximumallowedcodepoint = 0x10ffff;
+	
+	var InvalidCharacterError = function(message) {
+		this.message = message;
+	};
+	InvalidCharacterError.prototype = new Error;
+	InvalidCharacterError.prototype.name = 'InvalidCharacterError';
+	
+	function stringFromCode(code) {
+		if(code <= 0xffff) return String.fromCharCode(code);
+		// Otherwise, encode astral char as surrogate pair.
+		code -= Math.pow(2, 20);
+		var lead = Math.floor(code/Math.pow(2, 10)) + 0xd800;
+		var trail = code % Math.pow(2, 10) + 0xdc00;
+		return String.fromCharCode(lead) + String.fromCharCode(trail);
+	}
+	
+	function* tokenize(str, options) {
+		if (options === undefined) {
+			options = {};
+		}
+		if (options.loc === undefined) {
+			options.loc = false;
+		}
+		if (options.offsets === undefined) {
+			options.offsets = false;
+		}
+		if (options.keepComments === undefined) {
+			options.keepComments = false;
+		}
+		if (options.startOffset === undefined) {
+			options.startOffset = 0;
+		}
+	
+		var i = options.startOffset - 1;
+		var code;
+	
+		// Line number information.
+		var line = 0;
+		var column = 0;
+		// The only use of lastLineLength is in reconsume().
+		var lastLineLength = 0;
+		var incrLineno = function() {
+			line += 1;
+			lastLineLength = column;
+			column = 0;
+		};
+		var locStart = {line:line, column:column};
+		var offsetStart = i;
+	
+		var codepoint = function(i) {
+			if(i >= str.length) {
+				return -1;
+			}
+			return str.charCodeAt(i);
+		};
+		var next = function(num) {
+			if(num === undefined)
+				num = 1;
+			if(num > 3)
+				throw "Spec Error: no more than three codepoints of lookahead.";
+	
+			var rcode;
+			for (var offset = i + 1; num-- > 0; ++offset) {
+				rcode = codepoint(offset);
+				if (rcode === 0xd && codepoint(offset+1) === 0xa) {
+					++offset;
+					rcode = 0xa;
+				} else if (rcode === 0xd || rcode === 0xc) {
+					rcode = 0xa;
+				} else if (rcode === 0x0) {
+					rcode = 0xfffd;
+				}
+			}
+	
+			return rcode;
+		};
+		var consume = function(num) {
+			if(num === undefined)
+				num = 1;
+			while(num-- > 0) {
+				++i;
+				code = codepoint(i);
+				if (code === 0xd && codepoint(i+1) === 0xa) {
+					++i;
+					code = 0xa;
+				} else if (code === 0xd || code === 0xc) {
+					code = 0xa;
+				} else if (code === 0x0) {
+					code = 0xfffd;
+				}
+				if(newline(code)) incrLineno();
+				else column++;
+			}
+			return true;
+		};
+		var reconsume = function() {
+			i -= 1;		// This is ok even in the \r\n case.
+			if (newline(code)) {
+				line -= 1;
+				column = lastLineLength;
+			} else {
+				column -= 1;
+			}
+			return true;
+		};
+		var eof = function(codepoint) {
+			if(codepoint === undefined) codepoint = code;
+			return codepoint == -1;
+		};
+		var donothing = function() {};
+		var parseerror = function() { console.log("Parse error at index " + i + ", processing codepoint 0x" + code.toString(16) + ".");return true; };
+	
+		var consumeAToken = function() {
+			consume();
+			if (!options.keepComments) {
+				while(code == 0x2f && next() == 0x2a) {
+					consumeAComment();
+					consume();
+				}
+			}
+			locStart.line = line;
+			locStart.column = column;
+			offsetStart = i;
+			if(whitespace(code)) {
+				while(whitespace(next())) consume();
+				return new WhitespaceToken;
+			}
+			else if(code == 0x2f && next() == 0x2a) return consumeAComment();
+			else if(code == 0x22) return consumeAStringToken();
+			else if(code == 0x23) {
+				if(namechar(next()) || areAValidEscape(next(1), next(2))) {
+					var token = new HashToken();
+					if(wouldStartAnIdentifier(next(1), next(2), next(3))) {
+						token.type = "id";
+						token.tokenType = "id";
+					}
+					token.value = consumeAName();
+					token.text = token.value;
+					return token;
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x24) {
+				if(next() == 0x3d) {
+					consume();
+					return new SuffixMatchToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x27) return consumeAStringToken();
+			else if(code == 0x28) return new OpenParenToken();
+			else if(code == 0x29) return new CloseParenToken();
+			else if(code == 0x2a) {
+				if(next() == 0x3d) {
+					consume();
+					return new SubstringMatchToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x2b) {
+				if(startsWithANumber()) {
+					reconsume();
+					return consumeANumericToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x2c) return new CommaToken();
+			else if(code == 0x2d) {
+				if(startsWithANumber()) {
+					reconsume();
+					return consumeANumericToken();
+				} else if(next(1) == 0x2d && next(2) == 0x3e) {
+					consume(2);
+					return new CDCToken();
+				} else if(startsWithAnIdentifier()) {
+					reconsume();
+					return consumeAnIdentlikeToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x2e) {
+				if(startsWithANumber()) {
+					reconsume();
+					return consumeANumericToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x3a) return new ColonToken;
+			else if(code == 0x3b) return new SemicolonToken;
+			else if(code == 0x3c) {
+				if(next(1) == 0x21 && next(2) == 0x2d && next(3) == 0x2d) {
+					consume(3);
+					return new CDOToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x40) {
+				if(wouldStartAnIdentifier(next(1), next(2), next(3))) {
+					return new AtKeywordToken(consumeAName());
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x5b) return new OpenSquareToken();
+			else if(code == 0x5c) {
+				if(startsWithAValidEscape()) {
+					reconsume();
+					return consumeAnIdentlikeToken();
+				} else {
+					parseerror();
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x5d) return new CloseSquareToken();
+			else if(code == 0x5e) {
+				if(next() == 0x3d) {
+					consume();
+					return new PrefixMatchToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x7b) return new OpenCurlyToken();
+			else if(code == 0x7c) {
+				if(next() == 0x3d) {
+					consume();
+					return new DashMatchToken();
+				// } else if(next() == 0x7c) {
+				// 	consume();
+				// 	return new ColumnToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(code == 0x7d) return new CloseCurlyToken();
+			else if(code == 0x7e) {
+				if(next() == 0x3d) {
+					consume();
+					return new IncludeMatchToken();
+				} else {
+					return new DelimToken(code);
+				}
+			}
+			else if(digit(code)) {
+				reconsume();
+				return consumeANumericToken();
+			}
+			else if(namestartchar(code)) {
+				reconsume();
+				return consumeAnIdentlikeToken();
+			}
+			else if(eof()) return new EOFToken();
+			else return new DelimToken(code);
+		};
+	
+		var consumeAComment = function() {
+			consume();
+			var comment = "";
+			while(true) {
+				consume();
+				if(code == 0x2a && next() == 0x2f) {
+					consume();
+					break;
+				} else if(eof()) {
+					break;
+				}
+				comment += stringFromCode(code);
+			}
+			return new CommentToken(comment);
+		};
+	
+		var consumeANumericToken = function() {
+			var num = consumeANumber();
+			var token;
+			if(wouldStartAnIdentifier(next(1), next(2), next(3))) {
+				token = new DimensionToken();
+				token.value = num.value;
+				token.repr = num.repr;
+				token.type = num.type;
+				token.unit = consumeAName();
+				token.text = token.unit;
+			} else if(next() == 0x25) {
+				consume();
+				token = new PercentageToken();
+				token.value = num.value;
+				token.repr = num.repr;
+			} else {
+				var token = new NumberToken();
+				token.value = num.value;
+				token.repr = num.repr;
+				token.type = num.type;
+			}
+			token.number = token.value;
+			token.isInteger = token.type === "integer";
+			// FIXME hasSign
+			return token;
+		};
+	
+		var consumeAnIdentlikeToken = function() {
+			var str = consumeAName();
+			if(str.toLowerCase() == "url" && next() == 0x28) {
+				consume();
+				while(whitespace(next(1)) && whitespace(next(2)))
+					consume();
+				if((next() == 0x22 || next() == 0x27) ||
+				   (whitespace(next()) && (next(2) == 0x22 || next(2) == 0x27))) {
+					while(whitespace(next()))
+						consume();
+					consume();
+					let str = consumeAStringToken();
+					while(whitespace(next()))
+						consume();
+					// The closing paren.
+					consume();
+					return new URLToken(str.text);
+				} else {
+					return consumeAURLToken();
+				}
+			} else if(next() == 0x28) {
+				consume();
+				return new FunctionToken(str);
+			} else {
+				return new IdentToken(str);
+			}
+		};
+	
+		var consumeAStringToken = function(endingCodePoint) {
+			if(endingCodePoint === undefined) endingCodePoint = code;
+			var string = "";
+			while(consume()) {
+				if(code == endingCodePoint || eof()) {
+					return new StringToken(string);
+				} else if(newline(code)) {
+					reconsume();
+					return new BadStringToken(string);
+				} else if(code == 0x5c) {
+					if(eof(next())) {
+						donothing();
+					} else if(newline(next())) {
+						consume();
+					} else {
+						string += stringFromCode(consumeEscape());
+					}
+				} else {
+					string += stringFromCode(code);
+				}
+			}
+		};
+	
+		var consumeAURLToken = function() {
+			var token = new URLToken("");
+			while(whitespace(next())) consume();
+			if(eof(next())) return token;
+			while(consume()) {
+				if(code == 0x29 || eof()) {
+					break;
+				} else if(whitespace(code)) {
+					while(whitespace(next()))
+						consume();
+					if(next() == 0x29 || eof(next())) {
+						consume();
+						break;
+					} else {
+						consumeTheRemnantsOfABadURL();
+						return new BadURLToken();
+					}
+				} else if(code == 0x22 || code == 0x27 || code == 0x28 || nonprintable(code)) {
+					parseerror();
+					consumeTheRemnantsOfABadURL();
+					return new BadURLToken();
+				} else if(code == 0x5c) {
+					if(startsWithAValidEscape()) {
+						token.value += stringFromCode(consumeEscape());
+					} else {
+						parseerror();
+						consumeTheRemnantsOfABadURL();
+						return new BadURLToken();
+					}
+				} else {
+					token.value += stringFromCode(code);
+				}
+			}
+			token.text = token.value;
+			return token;
+		};
+	
+		var consumeEscape = function() {
+			// Assume the the current character is the \
+			// and the next code point is not a newline.
+			consume();
+			if(hexdigit(code)) {
+				// Consume 1-6 hex digits
+				var digits = [code];
+				for(var total = 0; total < 5; total++) {
+					if(hexdigit(next())) {
+						consume();
+						digits.push(code);
+					} else {
+						break;
+					}
+				}
+				if(whitespace(next())) consume();
+				var value = parseInt(digits.map(function(x){return String.fromCharCode(x);}).join(''), 16);
+				if( value > maximumallowedcodepoint ) value = 0xfffd;
+				return value;
+			} else if(eof()) {
+				return 0xfffd;
+			} else {
+				return code;
+			}
+		};
+	
+		var areAValidEscape = function(c1, c2) {
+			if(c1 != 0x5c) return false;
+			if(newline(c2)) return false;
+			return true;
+		};
+		var startsWithAValidEscape = function() {
+			return areAValidEscape(code, next());
+		};
+	
+		var wouldStartAnIdentifier = function(c1, c2, c3) {
+			if(c1 == 0x2d) {
+				return namestartchar(c2) || c2 == 0x2d || areAValidEscape(c2, c3);
+			} else if(namestartchar(c1)) {
+				return true;
+			} else if(c1 == 0x5c) {
+				return areAValidEscape(c1, c2);
+			} else {
+				return false;
+			}
+		};
+		var startsWithAnIdentifier = function() {
+			return wouldStartAnIdentifier(code, next(1), next(2));
+		};
+	
+		var wouldStartANumber = function(c1, c2, c3) {
+			if(c1 == 0x2b || c1 == 0x2d) {
+				if(digit(c2)) return true;
+				if(c2 == 0x2e && digit(c3)) return true;
+				return false;
+			} else if(c1 == 0x2e) {
+				if(digit(c2)) return true;
+				return false;
+			} else if(digit(c1)) {
+				return true;
+			} else {
+				return false;
+			}
+		};
+		var startsWithANumber = function() {
+			return wouldStartANumber(code, next(1), next(2));
+		};
+	
+		var consumeAName = function() {
+			var result = "";
+			while(consume()) {
+				if(namechar(code)) {
+					result += stringFromCode(code);
+				} else if(startsWithAValidEscape()) {
+					result += stringFromCode(consumeEscape());
+				} else {
+					reconsume();
+					return result;
+				}
+			}
+		};
+	
+		var consumeANumber = function() {
+			var repr = [];
+			var type = "integer";
+			if(next() == 0x2b || next() == 0x2d) {
+				consume();
+				repr += stringFromCode(code);
+			}
+			while(digit(next())) {
+				consume();
+				repr += stringFromCode(code);
+			}
+			if(next(1) == 0x2e && digit(next(2))) {
+				consume();
+				repr += stringFromCode(code);
+				consume();
+				repr += stringFromCode(code);
+				type = "number";
+				while(digit(next())) {
+					consume();
+					repr += stringFromCode(code);
+				}
+			}
+			var c1 = next(1), c2 = next(2), c3 = next(3);
+			if((c1 == 0x45 || c1 == 0x65) && digit(c2)) {
+				consume();
+				repr += stringFromCode(code);
+				consume();
+				repr += stringFromCode(code);
+				type = "number";
+				while(digit(next())) {
+					consume();
+					repr += stringFromCode(code);
+				}
+			} else if((c1 == 0x45 || c1 == 0x65) && (c2 == 0x2b || c2 == 0x2d) && digit(c3)) {
+				consume();
+				repr += stringFromCode(code);
+				consume();
+				repr += stringFromCode(code);
+				consume();
+				repr += stringFromCode(code);
+				type = "number";
+				while(digit(next())) {
+					consume();
+					repr += stringFromCode(code);
+				}
+			}
+			var value = convertAStringToANumber(repr);
+			return {type:type, value:value, repr:repr};
+		};
+	
+		var convertAStringToANumber = function(string) {
+			// CSS's number rules are identical to JS, afaik.
+			return +string;
+		};
+	
+		var consumeTheRemnantsOfABadURL = function() {
+			while(consume()) {
+				if(code == 0x2d || eof()) {
+					return;
+				} else if(startsWithAValidEscape()) {
+					consumeEscape();
+					donothing();
+				} else {
+					donothing();
+				}
+			}
+		};
+	
+	
+	
+		var iterationCount = 0;
+		while(!eof(next())) {
+			var token = consumeAToken();
+			if (options.loc) {
+				token.loc = {};
+				token.loc.start = {line:locStart.line, column:locStart.column};
+				token.loc.end = {line:line, column:column};
+			}
+			if (options.offsets) {
+				token.startOffset = offsetStart;
+				token.endOffset = i + 1;
+			}
+			yield token;
+			iterationCount++;
+			if(iterationCount > str.length*2) return "I'm infinite-looping!";
+		}
+	}
+	
+	function CSSParserToken() { throw "Abstract Base Class"; }
+	CSSParserToken.prototype.toJSON = function() {
+		return {token: this.tokenType};
+	};
+	CSSParserToken.prototype.toString = function() { return this.tokenType; };
+	CSSParserToken.prototype.toSource = function() { return ''+this; };
+	
+	function BadStringToken(text) {
+		this.text = text;
+		return this;
+	}
+	BadStringToken.prototype = Object.create(CSSParserToken.prototype);
+	BadStringToken.prototype.tokenType = "bad_string";
+	
+	function BadURLToken() { return this; }
+	BadURLToken.prototype = Object.create(CSSParserToken.prototype);
+	BadURLToken.prototype.tokenType = "bad_url";
+	
+	function WhitespaceToken() { return this; }
+	WhitespaceToken.prototype = Object.create(CSSParserToken.prototype);
+	WhitespaceToken.prototype.tokenType = "whitespace";
+	WhitespaceToken.prototype.toString = function() { return "WS"; };
+	WhitespaceToken.prototype.toSource = function() { return " "; };
+	
+	function CDOToken() { return this; }
+	CDOToken.prototype = Object.create(CSSParserToken.prototype);
+	CDOToken.prototype.tokenType = "htmlcomment";
+	CDOToken.prototype.toSource = function() { return "<!--"; };
+	
+	function CDCToken() { return this; }
+	CDCToken.prototype = Object.create(CSSParserToken.prototype);
+	CDCToken.prototype.tokenType = "htmlcomment";
+	CDCToken.prototype.toSource = function() { return "-->"; };
+	
+	function ColonToken() { return this; }
+	ColonToken.prototype = Object.create(CSSParserToken.prototype);
+	ColonToken.prototype.tokenType = "symbol";
+	ColonToken.prototype.text = ":";
+	
+	function SemicolonToken() { return this; }
+	SemicolonToken.prototype = Object.create(CSSParserToken.prototype);
+	SemicolonToken.prototype.tokenType = "symbol";
+	SemicolonToken.prototype.text = ";";
+	
+	function CommaToken() { return this; }
+	CommaToken.prototype = Object.create(CSSParserToken.prototype);
+	CommaToken.prototype.tokenType = "symbol";
+	CommaToken.prototype.text = ",";
+	
+	function GroupingToken() { throw "Abstract Base Class"; }
+	GroupingToken.prototype = Object.create(CSSParserToken.prototype);
+	
+	function OpenCurlyToken() { this.value = "{"; this.mirror = "}"; return this; }
+	OpenCurlyToken.prototype = Object.create(GroupingToken.prototype);
+	OpenCurlyToken.prototype.tokenType = "symbol";
+	OpenCurlyToken.prototype.text = "{";
+	
+	function CloseCurlyToken() { this.value = "}"; this.mirror = "{"; return this; }
+	CloseCurlyToken.prototype = Object.create(GroupingToken.prototype);
+	CloseCurlyToken.prototype.tokenType = "symbol";
+	CloseCurlyToken.prototype.text = "}";
+	
+	function OpenSquareToken() { this.value = "["; this.mirror = "]"; return this; }
+	OpenSquareToken.prototype = Object.create(GroupingToken.prototype);
+	OpenSquareToken.prototype.tokenType = "symbol";
+	OpenSquareToken.prototype.text = "[";
+	
+	function CloseSquareToken() { this.value = "]"; this.mirror = "["; return this; }
+	CloseSquareToken.prototype = Object.create(GroupingToken.prototype);
+	CloseSquareToken.prototype.tokenType = "symbol";
+	CloseSquareToken.prototype.text = "]";
+	
+	function OpenParenToken() { this.value = "("; this.mirror = ")"; return this; }
+	OpenParenToken.prototype = Object.create(GroupingToken.prototype);
+	OpenParenToken.prototype.tokenType = "symbol";
+	OpenParenToken.prototype.text = "(";
+	
+	function CloseParenToken() { this.value = ")"; this.mirror = "("; return this; }
+	CloseParenToken.prototype = Object.create(GroupingToken.prototype);
+	CloseParenToken.prototype.tokenType = "symbol";
+	CloseParenToken.prototype.text = ")";
+	
+	function IncludeMatchToken() { return this; }
+	IncludeMatchToken.prototype = Object.create(CSSParserToken.prototype);
+	IncludeMatchToken.prototype.tokenType = "includes";
+	
+	function DashMatchToken() { return this; }
+	DashMatchToken.prototype = Object.create(CSSParserToken.prototype);
+	DashMatchToken.prototype.tokenType = "dashmatch";
+	
+	function PrefixMatchToken() { return this; }
+	PrefixMatchToken.prototype = Object.create(CSSParserToken.prototype);
+	PrefixMatchToken.prototype.tokenType = "beginsmatch";
+	
+	function SuffixMatchToken() { return this; }
+	SuffixMatchToken.prototype = Object.create(CSSParserToken.prototype);
+	SuffixMatchToken.prototype.tokenType = "endsmatch";
+	
+	function SubstringMatchToken() { return this; }
+	SubstringMatchToken.prototype = Object.create(CSSParserToken.prototype);
+	SubstringMatchToken.prototype.tokenType = "containsmatch";
+	
+	function ColumnToken() { return this; }
+	ColumnToken.prototype = Object.create(CSSParserToken.prototype);
+	ColumnToken.prototype.tokenType = "||";
+	
+	function EOFToken() { return this; }
+	EOFToken.prototype = Object.create(CSSParserToken.prototype);
+	EOFToken.prototype.tokenType = "EOF";
+	EOFToken.prototype.toSource = function() { return ""; };
+	
+	function DelimToken(code) {
+		this.value = stringFromCode(code);
+		this.text = this.value;
+		return this;
+	}
+	DelimToken.prototype = Object.create(CSSParserToken.prototype);
+	DelimToken.prototype.tokenType = "symbol";
+	DelimToken.prototype.toString = function() { return "DELIM("+this.value+")"; };
+	DelimToken.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.value = this.value;
+		return json;
+	};
+	DelimToken.prototype.toSource = function() {
+		if(this.value == "\\")
+			return "\\\n";
+		else
+			return this.value;
+	};
+	
+	function StringValuedToken() { throw "Abstract Base Class"; }
+	StringValuedToken.prototype = Object.create(CSSParserToken.prototype);
+	StringValuedToken.prototype.ASCIIMatch = function(str) {
+		return this.value.toLowerCase() == str.toLowerCase();
+	};
+	StringValuedToken.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.value = this.value;
+		return json;
+	};
+	
+	function IdentToken(val) {
+		this.value = val;
+		this.text = val;
+	}
+	IdentToken.prototype = Object.create(StringValuedToken.prototype);
+	IdentToken.prototype.tokenType = "ident";
+	IdentToken.prototype.toString = function() { return "IDENT("+this.value+")"; };
+	IdentToken.prototype.toSource = function() {
+		return escapeIdent(this.value);
+	};
+	
+	function FunctionToken(val) {
+		this.value = val;
+		this.text = val;
+		this.mirror = ")";
+	}
+	FunctionToken.prototype = Object.create(StringValuedToken.prototype);
+	FunctionToken.prototype.tokenType = "function";
+	FunctionToken.prototype.toString = function() { return "FUNCTION("+this.value+")"; };
+	FunctionToken.prototype.toSource = function() {
+		return escapeIdent(this.value) + "(";
+	};
+	
+	function AtKeywordToken(val) {
+		this.value = val;
+		this.text = val;
+	}
+	AtKeywordToken.prototype = Object.create(StringValuedToken.prototype);
+	AtKeywordToken.prototype.tokenType = "at";
+	AtKeywordToken.prototype.toString = function() { return "AT("+this.value+")"; };
+	AtKeywordToken.prototype.toSource = function() {
+		return "@" + escapeIdent(this.value);
+	};
+	
+	function HashToken(val) {
+		this.value = val;
+		this.text = val;
+		this.type = "unrestricted";
+	}
+	HashToken.prototype = Object.create(StringValuedToken.prototype);
+	HashToken.prototype.tokenType = "hash";
+	HashToken.prototype.toString = function() { return "HASH("+this.value+")"; };
+	HashToken.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.value = this.value;
+		json.type = this.type;
+		return json;
+	};
+	HashToken.prototype.toSource = function() {
+		if(this.type == "id") {
+			return "#" + escapeIdent(this.value);
+		} else {
+			return "#" + escapeHash(this.value);
+		}
+	};
+	
+	function StringToken(val) {
+		this.value = val;
+		this.text = val;
+	}
+	StringToken.prototype = Object.create(StringValuedToken.prototype);
+	StringToken.prototype.tokenType = "string";
+	StringToken.prototype.toString = function() {
+		return '"' + escapeString(this.value) + '"';
+	};
+	
+	function CommentToken(val) {
+		this.value = val;
+	}
+	CommentToken.prototype = Object.create(StringValuedToken.prototype);
+	CommentToken.prototype.tokenType = "comment";
+	CommentToken.prototype.toString = function() {
+		return '/*' + this.value + '*/';
+	}
+	CommentToken.prototype.toSource = CommentToken.prototype.toString;
+	
+	function URLToken(val) {
+		this.value = val;
+		this.text = val;
+	}
+	URLToken.prototype = Object.create(StringValuedToken.prototype);
+	URLToken.prototype.tokenType = "url";
+	URLToken.prototype.toString = function() { return "URL("+this.value+")"; };
+	URLToken.prototype.toSource = function() {
+		return 'url("' + escapeString(this.value) + '")';
+	};
+	
+	function NumberToken() {
+		this.value = null;
+		this.type = "integer";
+		this.repr = "";
+	}
+	NumberToken.prototype = Object.create(CSSParserToken.prototype);
+	NumberToken.prototype.tokenType = "number";
+	NumberToken.prototype.toString = function() {
+		if(this.type == "integer")
+			return "INT("+this.value+")";
+		return "NUMBER("+this.value+")";
+	};
+	NumberToken.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.value = this.value;
+		json.type = this.type;
+		json.repr = this.repr;
+		return json;
+	};
+	NumberToken.prototype.toSource = function() { return this.repr; };
+	
+	function PercentageToken() {
+		this.value = null;
+		this.repr = "";
+	}
+	PercentageToken.prototype = Object.create(CSSParserToken.prototype);
+	PercentageToken.prototype.tokenType = "percentage";
+	PercentageToken.prototype.toString = function() { return "PERCENTAGE("+this.value+")"; };
+	PercentageToken.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.value = this.value;
+		json.repr = this.repr;
+		return json;
+	};
+	PercentageToken.prototype.toSource = function() { return this.repr + "%"; };
+	
+	function DimensionToken() {
+		this.value = null;
+		this.type = "integer";
+		this.repr = "";
+		this.unit = "";
+	}
+	DimensionToken.prototype = Object.create(CSSParserToken.prototype);
+	DimensionToken.prototype.tokenType = "dimension";
+	DimensionToken.prototype.toString = function() { return "DIM("+this.value+","+this.unit+")"; };
+	DimensionToken.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.value = this.value;
+		json.type = this.type;
+		json.repr = this.repr;
+		json.unit = this.unit;
+		return json;
+	};
+	DimensionToken.prototype.toSource = function() {
+		var source = this.repr;
+		var unit = escapeIdent(this.unit);
+		if(unit[0].toLowerCase() == "e" && (unit[1] == "-" || between(unit.charCodeAt(1), 0x30, 0x39))) {
+			// Unit is ambiguous with scinot
+			// Remove the leading "e", replace with escape.
+			unit = "\\65 " + unit.slice(1, unit.length);
+		}
+		return source+unit;
+	};
+	
+	function escapeIdent(string) {
+		string = ''+string;
+		var result = '';
+		var firstcode = string.charCodeAt(0);
+		for(var i = 0; i < string.length; i++) {
+			var code = string.charCodeAt(i);
+			if(code === 0x0) {
+				throw new InvalidCharacterError('Invalid character: the input contains U+0000.');
+			}
+	
+			if(
+				between(code, 0x1, 0x1f) || code == 0x7f ||
+				(i === 0 && between(code, 0x30, 0x39)) ||
+				(i == 1 && between(code, 0x30, 0x39) && firstcode == 0x2d)
+			) {
+				result += '\\' + code.toString(16) + ' ';
+			} else if(
+				code >= 0x80 ||
+				code == 0x2d ||
+				code == 0x5f ||
+				between(code, 0x30, 0x39) ||
+				between(code, 0x41, 0x5a) ||
+				between(code, 0x61, 0x7a)
+			) {
+				result += string[i];
+			} else {
+				result += '\\' + string[i];
+			}
+		}
+		return result;
+	}
+	
+	function escapeHash(string) {
+		// Escapes the contents of "unrestricted"-type hash tokens.
+		// Won't preserve the ID-ness of "id"-type hash tokens;
+		// use escapeIdent() for that.
+		string = ''+string;
+		var result = '';
+		for(var i = 0; i < string.length; i++) {
+			var code = string.charCodeAt(i);
+			if(code === 0x0) {
+				throw new InvalidCharacterError('Invalid character: the input contains U+0000.');
+			}
+	
+			if(
+				code >= 0x80 ||
+				code == 0x2d ||
+				code == 0x5f ||
+				between(code, 0x30, 0x39) ||
+				between(code, 0x41, 0x5a) ||
+				between(code, 0x61, 0x7a)
+			) {
+				result += string[i];
+			} else {
+				result += '\\' + code.toString(16) + ' ';
+			}
+		}
+		return result;
+	}
+	
+	function escapeString(string) {
+		string = ''+string;
+		var result = '';
+		for(var i = 0; i < string.length; i++) {
+			var code = string.charCodeAt(i);
+	
+			if(code === 0x0) {
+				throw new InvalidCharacterError('Invalid character: the input contains U+0000.');
+			}
+	
+			if(between(code, 0x1, 0x1f) || code == 0x7f) {
+				result += '\\' + code.toString(16) + ' ';
+			} else if(code == 0x22 || code == 0x5c) {
+				result += '\\' + string[i];
+			} else {
+				result += string[i];
+			}
+		}
+		return result;
+	}
+	
+	// Exportation.
+	exports.tokenize = tokenize;
+	exports.IdentToken = IdentToken;
+	exports.FunctionToken = FunctionToken;
+	exports.AtKeywordToken = AtKeywordToken;
+	exports.HashToken = HashToken;
+	exports.StringToken = StringToken;
+	exports.BadStringToken = BadStringToken;
+	exports.URLToken = URLToken;
+	exports.BadURLToken = BadURLToken;
+	exports.DelimToken = DelimToken;
+	exports.NumberToken = NumberToken;
+	exports.PercentageToken = PercentageToken;
+	exports.DimensionToken = DimensionToken;
+	exports.IncludeMatchToken = IncludeMatchToken;
+	exports.DashMatchToken = DashMatchToken;
+	exports.PrefixMatchToken = PrefixMatchToken;
+	exports.SuffixMatchToken = SuffixMatchToken;
+	exports.SubstringMatchToken = SubstringMatchToken;
+	exports.ColumnToken = ColumnToken;
+	exports.WhitespaceToken = WhitespaceToken;
+	exports.CDOToken = CDOToken;
+	exports.CDCToken = CDCToken;
+	exports.ColonToken = ColonToken;
+	exports.SemicolonToken = SemicolonToken;
+	exports.CommaToken = CommaToken;
+	exports.OpenParenToken = OpenParenToken;
+	exports.CloseParenToken = CloseParenToken;
+	exports.OpenSquareToken = OpenSquareToken;
+	exports.CloseSquareToken = CloseSquareToken;
+	exports.OpenCurlyToken = OpenCurlyToken;
+	exports.CloseCurlyToken = CloseCurlyToken;
+	exports.EOFToken = EOFToken;
+	exports.CSSParserToken = CSSParserToken;
+	exports.GroupingToken = GroupingToken;
+	
+	function TokenStream(tokens) {
+		// Assume that tokens is a iterator.
+		this.tokens = tokens;
+		this.token = undefined;
+		this.stored = [];
+	}
+	TokenStream.prototype.consume = function(num) {
+		if(num === undefined) num = 1;
+		while (num-- > 0) {
+			if (this.stored.length > 0) {
+				this.token = this.stored.shift();
+			} else {
+				var n = this.tokens.next();
+				while (!n.done && n.value instanceof CommentToken) {
+					n = this.tokens.next();
+				}
+				if (n.done) {
+					this.token = new EOFToken();
+					break;
+				}
+				this.token = n.value;
+			}
+		}
+		//console.log(this.i, this.token);
+		return true;
+	};
+	TokenStream.prototype.next = function() {
+		if (this.stored.length === 0) {
+			var n = this.tokens.next();
+			while (!n.done && n.value instanceof CommentToken) {
+				n = this.tokens.next();
+			}
+			if (n.done)
+				return new EOFToken();
+			this.stored.push(n.value);
+		}
+		return this.stored[0];
+	};
+	TokenStream.prototype.reconsume = function() {
+		this.stored.unshift(this.token);
+	};
+	
+	function parseerror(s, msg) {
+		console.log("Parse error at token " + s.i + ": " + s.token + ".\n" + msg);
+		return true;
+	}
+	function donothing(){ return true; }
+	
+	function consumeAListOfRules(s, topLevel) {
+		var rules = [];
+		var rule;
+		while(s.consume()) {
+			if(s.token instanceof WhitespaceToken) {
+				continue;
+			} else if(s.token instanceof EOFToken) {
+				return rules;
+			} else if(s.token instanceof CDOToken || s.token instanceof CDCToken) {
+				if(topLevel == "top-level") continue;
+				s.reconsume();
+				if(rule = consumeAQualifiedRule(s)) rules.push(rule);
+			} else if(s.token instanceof AtKeywordToken) {
+				s.reconsume();
+				if(rule = consumeAnAtRule(s)) rules.push(rule);
+			} else {
+				s.reconsume();
+				if(rule = consumeAQualifiedRule(s)) rules.push(rule);
+			}
+		}
+	}
+	
+	function consumeAnAtRule(s) {
+		s.consume();
+		var rule = new AtRule(s.token.value);
+		while(s.consume()) {
+			if(s.token instanceof SemicolonToken || s.token instanceof EOFToken) {
+				return rule;
+			} else if(s.token instanceof OpenCurlyToken) {
+				rule.value = consumeASimpleBlock(s);
+				return rule;
+			} else {
+				s.reconsume();
+				rule.prelude.push(consumeAComponentValue(s));
+			}
+		}
+	}
+	
+	function consumeAQualifiedRule(s) {
+		var rule = new QualifiedRule();
+		while(s.consume()) {
+			if(s.token instanceof EOFToken) {
+				parseerror(s, "Hit EOF when trying to parse the prelude of a qualified rule.");
+				return;
+			} else if(s.token instanceof OpenCurlyToken) {
+				rule.value = consumeASimpleBlock(s);
+				return rule;
+			} else {
+				s.reconsume();
+				rule.prelude.push(consumeAComponentValue(s));
+			}
+		}
+	}
+	
+	function consumeAListOfDeclarations(s) {
+		var decls = [];
+		while(s.consume()) {
+			if(s.token instanceof WhitespaceToken || s.token instanceof SemicolonToken) {
+				donothing();
+			} else if(s.token instanceof EOFToken) {
+				return decls;
+			} else if(s.token instanceof AtKeywordToken) {
+				s.reconsume();
+				decls.push(consumeAnAtRule(s));
+			} else if(s.token instanceof IdentToken) {
+				var temp = [s.token];
+				while(!(s.next() instanceof SemicolonToken || s.next() instanceof EOFToken))
+					temp.push(consumeAComponentValue(s));
+				var decl;
+				if(decl = consumeADeclaration(new TokenStream(temp))) decls.push(decl);
+			} else {
+				parseerror(s);
+				s.reconsume();
+				while(!(s.next() instanceof SemicolonToken || s.next() instanceof EOFToken))
+					consumeAComponentValue(s);
+			}
+		}
+	}
+	
+	function consumeADeclaration(s) {
+		// Assumes that the next input token will be an ident token.
+		s.consume();
+		var decl = new Declaration(s.token.value);
+		while(s.next() instanceof WhitespaceToken) s.consume();
+		if(!(s.next() instanceof ColonToken)) {
+			parseerror(s);
+			return;
+		} else {
+			s.consume();
+		}
+		while(!(s.next() instanceof EOFToken)) {
+			decl.value.push(consumeAComponentValue(s));
+		}
+		var foundImportant = false;
+		for(var i = decl.value.length - 1; i >= 0; i--) {
+			if(decl.value[i] instanceof WhitespaceToken) {
+				continue;
+			} else if(decl.value[i] instanceof IdentToken && decl.value[i].ASCIIMatch("important")) {
+				foundImportant = true;
+			} else if(foundImportant && decl.value[i] instanceof DelimToken && decl.value[i].value == "!") {
+				decl.value.splice(i, decl.value.length);
+				decl.important = true;
+				break;
+			} else {
+				break;
+			}
+		}
+		return decl;
+	}
+	
+	function consumeAComponentValue(s) {
+		s.consume();
+		if(s.token instanceof OpenCurlyToken || s.token instanceof OpenSquareToken || s.token instanceof OpenParenToken)
+			return consumeASimpleBlock(s);
+		if(s.token instanceof FunctionToken)
+			return consumeAFunction(s);
+		return s.token;
+	}
+	
+	function consumeASimpleBlock(s) {
+		var mirror = s.token.mirror;
+		var block = new SimpleBlock(s.token.value);
+		block.startToken = s.token;
+		while(s.consume()) {
+			if(s.token instanceof EOFToken || (s.token instanceof GroupingToken && s.token.value == mirror))
+				return block;
+			else {
+				s.reconsume();
+				block.value.push(consumeAComponentValue(s));
+			}
+		}
+	}
+	
+	function consumeAFunction(s) {
+		var func = new Func(s.token.value);
+		while(s.consume()) {
+			if(s.token instanceof EOFToken || s.token instanceof CloseParenToken)
+				return func;
+			else {
+				s.reconsume();
+				func.value.push(consumeAComponentValue(s));
+			}
+		}
+	}
+	
+	function normalizeInput(input) {
+		if(typeof input == "string")
+			return new TokenStream(tokenize(input));
+		if(input instanceof TokenStream)
+			return input;
+		if(typeof (input.next) == "function")
+			return new TokenStream(input);
+		if(input.length !== undefined)
+			return new TokenStream(input[Symbol.iterator]());
+		else throw SyntaxError(input);
+	}
+	
+	function parseAStylesheet(s) {
+		s = normalizeInput(s);
+		var sheet = new Stylesheet();
+		sheet.value = consumeAListOfRules(s, "top-level");
+		return sheet;
+	}
+	
+	function parseAListOfRules(s) {
+		s = normalizeInput(s);
+		return consumeAListOfRules(s);
+	}
+	
+	function parseARule(s) {
+		s = normalizeInput(s);
+		while(s.next() instanceof WhitespaceToken) s.consume();
+		if(s.next() instanceof EOFToken) throw SyntaxError();
+		var rule;
+		var startToken = s.next();
+		if(startToken instanceof AtKeywordToken) {
+			rule = consumeAnAtRule(s);
+		} else {
+			rule = consumeAQualifiedRule(s);
+			if(!rule) throw SyntaxError();
+		}
+		rule.startToken = startToken;
+		rule.endToken = s.token;
+		return rule;
+	}
+	
+	function parseADeclaration(s) {
+		s = normalizeInput(s);
+		while(s.next() instanceof WhitespaceToken) s.consume();
+		if(!(s.next() instanceof IdentToken)) throw SyntaxError();
+		var decl = consumeADeclaration(s);
+		if(decl)
+			return decl;
+		else
+			throw SyntaxError();
+	}
+	
+	function parseAListOfDeclarations(s) {
+		s = normalizeInput(s);
+		return consumeAListOfDeclarations(s);
+	}
+	
+	function parseAComponentValue(s) {
+		s = normalizeInput(s);
+		while(s.next() instanceof WhitespaceToken) s.consume();
+		if(s.next() instanceof EOFToken) throw SyntaxError();
+		var val = consumeAComponentValue(s);
+		if(!val) throw SyntaxError();
+		while(s.next() instanceof WhitespaceToken) s.consume();
+		if(s.next() instanceof EOFToken)
+			return val;
+		throw SyntaxError();
+	}
+	
+	function parseAListOfComponentValues(s) {
+		s = normalizeInput(s);
+		var vals = [];
+		while(true) {
+			var val = consumeAComponentValue(s);
+			if(val instanceof EOFToken)
+				return vals;
+			else
+				vals.push(val);
+		}
+	}
+	
+	function parseACommaSeparatedListOfComponentValues(s) {
+		s = normalizeInput(s);
+		var listOfCVLs = [];
+		while(true) {
+			var vals = [];
+			while(true) {
+				var val = consumeAComponentValue(s);
+				if(val instanceof EOFToken) {
+					listOfCVLs.push(vals);
+					return listOfCVLs;
+				} else if(val instanceof CommaToken) {
+					listOfCVLs.push(vals);
+					break;
+				} else {
+					vals.push(val);
+				}
+			}
+		}
+	}
+	
+	
+	function CSSParserRule() { throw "Abstract Base Class"; }
+	CSSParserRule.prototype.toString = function(indent) {
+		return JSON.stringify(this,null,indent);
+	};
+	CSSParserRule.prototype.toJSON = function() {
+		return {type:this.type, value:this.value};
+	};
+	
+	function Stylesheet() {
+		this.value = [];
+		return this;
+	}
+	Stylesheet.prototype = Object.create(CSSParserRule.prototype);
+	Stylesheet.prototype.type = "STYLESHEET";
+	
+	function AtRule(name) {
+		this.name = name;
+		this.prelude = [];
+		this.value = null;
+		return this;
+	}
+	AtRule.prototype = Object.create(CSSParserRule.prototype);
+	AtRule.prototype.type = "AT-RULE";
+	AtRule.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.name = this.name;
+		json.prelude = this.prelude;
+		return json;
+	};
+	
+	function QualifiedRule() {
+		this.prelude = [];
+		this.value = [];
+		return this;
+	}
+	QualifiedRule.prototype = Object.create(CSSParserRule.prototype);
+	QualifiedRule.prototype.type = "QUALIFIED-RULE";
+	QualifiedRule.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.prelude = this.prelude;
+		return json;
+	};
+	
+	function Declaration(name) {
+		this.name = name;
+		this.value = [];
+		this.important = false;
+		return this;
+	}
+	Declaration.prototype = Object.create(CSSParserRule.prototype);
+	Declaration.prototype.type = "DECLARATION";
+	Declaration.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.name = this.name;
+		json.important = this.important;
+		return json;
+	};
+	
+	function SimpleBlock(type) {
+		this.name = type;
+		this.value = [];
+		return this;
+	}
+	SimpleBlock.prototype = Object.create(CSSParserRule.prototype);
+	SimpleBlock.prototype.type = "BLOCK";
+	SimpleBlock.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.name = this.name;
+		return json;
+	};
+	
+	function Func(name) {
+		this.name = name;
+		this.value = [];
+		return this;
+	}
+	Func.prototype = Object.create(CSSParserRule.prototype);
+	Func.prototype.type = "FUNCTION";
+	Func.prototype.toJSON = function() {
+		var json = this.constructor.prototype.constructor.prototype.toJSON.call(this);
+		json.name = this.name;
+		return json;
+	};
+	
+	function CSSLexer(text) {
+		this.stream = tokenize(text, {
+			loc: true,
+			offsets: true,
+			keepComments: true
+		});
+		this.lineNumber = 0;
+		this.columnNumber = 0;
+		return this;
+	}
+	
+	CSSLexer.prototype.performEOFFixup = function(input, preserveBackslash) {
+		// Just lie for now.
+		return "";
+	};
+	
+	CSSLexer.prototype.nextToken = function() {
+		if (!this.stream) {
+			return null;
+		}
+		let v = this.stream.next();
+		if (v.done || v.value.tokenType === "EOF") {
+			this.stream = null;
+			return null;
+		}
+		this.lineNumber = v.value.loc.start.line;
+		this.columnNumber = v.value.loc.start.column;
+		return v.value;
+	};
+	
+	// Exportation.
+	exports.CSSParserRule = CSSParserRule;
+	exports.Stylesheet = Stylesheet;
+	exports.AtRule = AtRule;
+	exports.QualifiedRule = QualifiedRule;
+	exports.Declaration = Declaration;
+	exports.SimpleBlock = SimpleBlock;
+	exports.Func = Func;
+	exports.parseAStylesheet = parseAStylesheet;
+	exports.parseAListOfRules = parseAListOfRules;
+	exports.parseARule = parseARule;
+	exports.parseADeclaration = parseADeclaration;
+	exports.parseAListOfDeclarations = parseAListOfDeclarations;
+	exports.parseAComponentValue = parseAComponentValue;
+	exports.parseAListOfComponentValues = parseAListOfComponentValues;
+	exports.parseACommaSeparatedListOfComponentValues = parseACommaSeparatedListOfComponentValues;
+	exports.CSSLexer = CSSLexer;
+	
+	}));
+
+
+/***/ },
+/* 186 */
+/***/ function(module, exports) {
+
+	// auto-generated from nsColorNameList.h
+	var cssColors = {
+	  aliceblue: [240, 248, 255],
+	  antiquewhite: [250, 235, 215],
+	  aqua: [0, 255, 255],
+	  aquamarine: [127, 255, 212],
+	  azure: [240, 255, 255],
+	  beige: [245, 245, 220],
+	  bisque: [255, 228, 196],
+	  black: [0, 0, 0],
+	  blanchedalmond: [255, 235, 205],
+	  blue: [0, 0, 255],
+	  blueviolet: [138, 43, 226],
+	  brown: [165, 42, 42],
+	  burlywood: [222, 184, 135],
+	  cadetblue: [95, 158, 160],
+	  chartreuse: [127, 255, 0],
+	  chocolate: [210, 105, 30],
+	  coral: [255, 127, 80],
+	  cornflowerblue: [100, 149, 237],
+	  cornsilk: [255, 248, 220],
+	  crimson: [220, 20, 60],
+	  cyan: [0, 255, 255],
+	  darkblue: [0, 0, 139],
+	  darkcyan: [0, 139, 139],
+	  darkgoldenrod: [184, 134, 11],
+	  darkgray: [169, 169, 169],
+	  darkgreen: [0, 100, 0],
+	  darkgrey: [169, 169, 169],
+	  darkkhaki: [189, 183, 107],
+	  darkmagenta: [139, 0, 139],
+	  darkolivegreen: [85, 107, 47],
+	  darkorange: [255, 140, 0],
+	  darkorchid: [153, 50, 204],
+	  darkred: [139, 0, 0],
+	  darksalmon: [233, 150, 122],
+	  darkseagreen: [143, 188, 143],
+	  darkslateblue: [72, 61, 139],
+	  darkslategray: [47, 79, 79],
+	  darkslategrey: [47, 79, 79],
+	  darkturquoise: [0, 206, 209],
+	  darkviolet: [148, 0, 211],
+	  deeppink: [255, 20, 147],
+	  deepskyblue: [0, 191, 255],
+	  dimgray: [105, 105, 105],
+	  dimgrey: [105, 105, 105],
+	  dodgerblue: [30, 144, 255],
+	  firebrick: [178, 34, 34],
+	  floralwhite: [255, 250, 240],
+	  forestgreen: [34, 139, 34],
+	  fuchsia: [255, 0, 255],
+	  gainsboro: [220, 220, 220],
+	  ghostwhite: [248, 248, 255],
+	  gold: [255, 215, 0],
+	  goldenrod: [218, 165, 32],
+	  gray: [128, 128, 128],
+	  grey: [128, 128, 128],
+	  green: [0, 128, 0],
+	  greenyellow: [173, 255, 47],
+	  honeydew: [240, 255, 240],
+	  hotpink: [255, 105, 180],
+	  indianred: [205, 92, 92],
+	  indigo: [75, 0, 130],
+	  ivory: [255, 255, 240],
+	  khaki: [240, 230, 140],
+	  lavender: [230, 230, 250],
+	  lavenderblush: [255, 240, 245],
+	  lawngreen: [124, 252, 0],
+	  lemonchiffon: [255, 250, 205],
+	  lightblue: [173, 216, 230],
+	  lightcoral: [240, 128, 128],
+	  lightcyan: [224, 255, 255],
+	  lightgoldenrodyellow: [250, 250, 210],
+	  lightgray: [211, 211, 211],
+	  lightgreen: [144, 238, 144],
+	  lightgrey: [211, 211, 211],
+	  lightpink: [255, 182, 193],
+	  lightsalmon: [255, 160, 122],
+	  lightseagreen: [32, 178, 170],
+	  lightskyblue: [135, 206, 250],
+	  lightslategray: [119, 136, 153],
+	  lightslategrey: [119, 136, 153],
+	  lightsteelblue: [176, 196, 222],
+	  lightyellow: [255, 255, 224],
+	  lime: [0, 255, 0],
+	  limegreen: [50, 205, 50],
+	  linen: [250, 240, 230],
+	  magenta: [255, 0, 255],
+	  maroon: [128, 0, 0],
+	  mediumaquamarine: [102, 205, 170],
+	  mediumblue: [0, 0, 205],
+	  mediumorchid: [186, 85, 211],
+	  mediumpurple: [147, 112, 219],
+	  mediumseagreen: [60, 179, 113],
+	  mediumslateblue: [123, 104, 238],
+	  mediumspringgreen: [0, 250, 154],
+	  mediumturquoise: [72, 209, 204],
+	  mediumvioletred: [199, 21, 133],
+	  midnightblue: [25, 25, 112],
+	  mintcream: [245, 255, 250],
+	  mistyrose: [255, 228, 225],
+	  moccasin: [255, 228, 181],
+	  navajowhite: [255, 222, 173],
+	  navy: [0, 0, 128],
+	  oldlace: [253, 245, 230],
+	  olive: [128, 128, 0],
+	  olivedrab: [107, 142, 35],
+	  orange: [255, 165, 0],
+	  orangered: [255, 69, 0],
+	  orchid: [218, 112, 214],
+	  palegoldenrod: [238, 232, 170],
+	  palegreen: [152, 251, 152],
+	  paleturquoise: [175, 238, 238],
+	  palevioletred: [219, 112, 147],
+	  papayawhip: [255, 239, 213],
+	  peachpuff: [255, 218, 185],
+	  peru: [205, 133, 63],
+	  pink: [255, 192, 203],
+	  plum: [221, 160, 221],
+	  powderblue: [176, 224, 230],
+	  purple: [128, 0, 128],
+	  rebeccapurple: [102, 51, 153],
+	  red: [255, 0, 0],
+	  rosybrown: [188, 143, 143],
+	  royalblue: [65, 105, 225],
+	  saddlebrown: [139, 69, 19],
+	  salmon: [250, 128, 114],
+	  sandybrown: [244, 164, 96],
+	  seagreen: [46, 139, 87],
+	  seashell: [255, 245, 238],
+	  sienna: [160, 82, 45],
+	  silver: [192, 192, 192],
+	  skyblue: [135, 206, 235],
+	  slateblue: [106, 90, 205],
+	  slategray: [112, 128, 144],
+	  slategrey: [112, 128, 144],
+	  snow: [255, 250, 250],
+	  springgreen: [0, 255, 127],
+	  steelblue: [70, 130, 180],
+	  tan: [210, 180, 140],
+	  teal: [0, 128, 128],
+	  thistle: [216, 191, 216],
+	  tomato: [255, 99, 71],
+	  turquoise: [64, 224, 208],
+	  violet: [238, 130, 238],
+	  wheat: [245, 222, 179],
+	  white: [255, 255, 255],
+	  whitesmoke: [245, 245, 245],
+	  yellow: [255, 255, 0],
+	  yellowgreen: [154, 205, 50],
+	};
+	module.exports = { cssColors };
+
+
+/***/ },
+/* 187 */
+/***/ function(module, exports) {
+
+	// auto-generated by means you would rather not know
+	var cssProperties = {
+	  "-moz-appearance": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-gtk-info-bar", "-moz-mac-disclosure-button-closed", "-moz-mac-disclosure-button-open", "-moz-mac-fullscreen-button", "-moz-mac-help-button", "-moz-mac-vibrancy-dark", "-moz-mac-vibrancy-light", "-moz-win-borderless-glass", "-moz-win-browsertabbar-toolbox", "-moz-win-communications-toolbox", "-moz-win-exclude-glass", "-moz-win-glass", "-moz-win-media-toolbox", "-moz-window-button-box", "-moz-window-button-box-maximized", "-moz-window-button-close", "-moz-window-button-maximize", "-moz-window-button-minimize", "-moz-window-button-restore", "-moz-window-frame-bottom", "-moz-window-frame-left", "-moz-window-frame-right", "-moz-window-titlebar", "-moz-window-titlebar-maximized", "button", "button-arrow-down", "button-arrow-next", "button-arrow-previous", "button-arrow-up", "button-bevel", "button-focus", "caret", "checkbox", "checkbox-container", "checkbox-label", "checkmenuitem", "dialog", "dualbutton", "groupbox", "inherit", "initial", "listbox", "listitem", "menuarrow", "menubar", "menucheckbox", "menuimage", "menuitem", "menuitemtext", "menulist", "menulist-button", "menulist-text", "menulist-textfield", "menupopup", "menuradio", "menuseparator", "meterbar", "meterchunk", "none", "number-input", "progressbar", "progressbar-vertical", "progresschunk", "progresschunk-vertical", "radio", "radio-container", "radio-label", "radiomenuitem", "range", "range-thumb", "resizer", "resizerpanel", "scale-horizontal", "scale-vertical", "scalethumb-horizontal", "scalethumb-vertical", "scalethumbend", "scalethumbstart", "scalethumbtick", "scrollbar", "scrollbar-small", "scrollbarbutton-down", "scrollbarbutton-left", "scrollbarbutton-right", "scrollbarbutton-up", "scrollbarthumb-horizontal", "scrollbarthumb-vertical", "scrollbartrack-horizontal", "scrollbartrack-vertical", "searchfield", "separator", "spinner", "spinner-downbutton", "spinner-textfield", "spinner-upbutton", "splitter", "statusbar", "statusbarpanel", "tab", "tab-scroll-arrow-back", "tab-scroll-arrow-forward", "tabpanel", "tabpanels", "textfield", "textfield-multiline", "toolbar", "toolbarbutton", "toolbarbutton-dropdown", "toolbargripper", "toolbox", "tooltip", "treeheader", "treeheadercell", "treeheadersortarrow", "treeitem", "treeline", "treetwisty", "treetwistyopen", "treeview", "unset", "window", ],
+	  },
+	  "-moz-outline-radius-topleft": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-outline-radius-topright": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-outline-radius-bottomright": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-outline-radius-bottomleft": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-tab-size": {
+	    inherited: true,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "animation-delay": {
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "animation-direction": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["alternate", "alternate-reverse", "inherit", "initial", "normal", "reverse", "unset", ],
+	  },
+	  "animation-duration": {
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "animation-fill-mode": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["backwards", "both", "forwards", "inherit", "initial", "none", "unset", ],
+	  },
+	  "animation-iteration-count": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["infinite", "inherit", "initial", "unset", ],
+	  },
+	  "animation-name": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "animation-play-state": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "paused", "running", "unset", ],
+	  },
+	  "animation-timing-function": {
+	    inherited: false,
+	    supports: 256,
+	    values: ["cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "background-attachment": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["fixed", "inherit", "initial", "local", "scroll", "unset", ],
+	  },
+	  "background-clip": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "background-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "background-image": {
+	    inherited: false,
+	    supports: 648,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "inherit", "initial", "linear-gradient", "none", "radial-gradient", "repeating-linear-gradient", "repeating-radial-gradient", "unset", "url", ],
+	  },
+	  "background-blend-mode": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["color", "color-burn", "color-dodge", "darken", "difference", "exclusion", "hard-light", "hue", "inherit", "initial", "lighten", "luminosity", "multiply", "normal", "overlay", "saturation", "screen", "soft-light", "unset", ],
+	  },
+	  "background-origin": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "background-position": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "background-repeat": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "no-repeat", "repeat", "repeat-x", "repeat-y", "unset", ],
+	  },
+	  "background-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-binding": {
+	    inherited: false,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "block-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "border-block-end-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-block-end-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-block-end-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-block-start-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-block-start-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-block-start-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-bottom-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-bottom-colors": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-bottom-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-bottom-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-collapse": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["collapse", "inherit", "initial", "separate", "unset", ],
+	  },
+	  "border-image-source": {
+	    inherited: false,
+	    supports: 648,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "inherit", "initial", "linear-gradient", "none", "radial-gradient", "repeating-linear-gradient", "repeating-radial-gradient", "unset", "url", ],
+	  },
+	  "border-image-slice": {
+	    inherited: false,
+	    supports: 1026,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-image-width": {
+	    inherited: false,
+	    supports: 1027,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-image-outset": {
+	    inherited: false,
+	    supports: 1025,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-image-repeat": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-inline-end-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-inline-end-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-inline-end-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-inline-start-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-inline-start-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-inline-start-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-left-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-left-colors": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-left-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-left-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-right-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-right-colors": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-right-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-right-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-spacing": {
+	    inherited: true,
+	    supports: 1,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-top-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-top-colors": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-top-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-top-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-top-left-radius": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-top-right-radius": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-bottom-right-radius": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "border-bottom-left-radius": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "bottom": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "box-decoration-break": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["clone", "inherit", "initial", "slice", "unset", ],
+	  },
+	  "box-shadow": {
+	    inherited: false,
+	    supports: 5,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "box-sizing": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "caption-side": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["bottom", "bottom-outside", "inherit", "initial", "left", "right", "top", "top-outside", "unset", ],
+	  },
+	  "clear": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["both", "inherit", "initial", "inline-end", "inline-start", "left", "none", "right", "unset", ],
+	  },
+	  "clip": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "color": {
+	    inherited: true,
+	    supports: 4,
+	    values: ["aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-column-count": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["auto", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-column-fill": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["auto", "balance", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-column-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-column-gap": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "-moz-column-rule-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-column-rule-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "-moz-column-rule-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "contain": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "layout", "none", "paint", "strict", "style", "unset", ],
+	  },
+	  "content": {
+	    inherited: false,
+	    supports: 8,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-control-character-visibility": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["hidden", "inherit", "initial", "unset", "visible", ],
+	  },
+	  "counter-increment": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "counter-reset": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "cursor": {
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "direction": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "ltr", "rtl", "unset", ],
+	  },
+	  "display": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-box", "-moz-deck", "-moz-grid", "-moz-grid-group", "-moz-grid-line", "-moz-groupbox", "-moz-inline-box", "-moz-inline-grid", "-moz-inline-stack", "-moz-popup", "-moz-stack", "block", "contents", "flex", "grid", "inherit", "initial", "inline", "inline-block", "inline-flex", "inline-grid", "inline-table", "list-item", "none", "ruby", "ruby-base", "ruby-base-container", "ruby-text", "ruby-text-container", "table", "table-caption", "table-cell", "table-column", "table-column-group", "table-footer-group", "table-header-group", "table-row", "table-row-group", "unset", ],
+	  },
+	  "empty-cells": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["hide", "inherit", "initial", "show", "unset", ],
+	  },
+	  "align-content": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "align-items": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "align-self": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "flex-basis": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "flex-direction": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["column", "column-reverse", "inherit", "initial", "row", "row-reverse", "unset", ],
+	  },
+	  "flex-grow": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "flex-shrink": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "flex-wrap": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "nowrap", "unset", "wrap", "wrap-reverse", ],
+	  },
+	  "order": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "justify-content": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "justify-items": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "justify-self": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "float": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "inline-end", "inline-start", "left", "none", "right", "unset", ],
+	  },
+	  "-moz-float-edge": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["content-box", "inherit", "initial", "margin-box", "unset", ],
+	  },
+	  "font-family": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-feature-settings": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-kerning": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "none", "normal", "unset", ],
+	  },
+	  "font-language-override": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "normal", "unset", ],
+	  },
+	  "font-size": {
+	    inherited: true,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "large", "larger", "medium", "small", "smaller", "unset", "x-large", "x-small", "xx-large", "xx-small", ],
+	  },
+	  "font-size-adjust": {
+	    inherited: true,
+	    supports: 1024,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "font-stretch": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["condensed", "expanded", "extra-condensed", "extra-expanded", "inherit", "initial", "normal", "semi-condensed", "semi-expanded", "ultra-condensed", "ultra-expanded", "unset", ],
+	  },
+	  "font-style": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "italic", "normal", "oblique", "unset", ],
+	  },
+	  "font-synthesis": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-variant-alternates": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-variant-caps": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["all-petite-caps", "all-small-caps", "inherit", "initial", "normal", "petite-caps", "small-caps", "titling-caps", "unicase", "unset", ],
+	  },
+	  "font-variant-east-asian": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-variant-ligatures": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-variant-numeric": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "font-variant-position": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "normal", "sub", "super", "unset", ],
+	  },
+	  "font-weight": {
+	    inherited: true,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-force-broken-image-icon": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-auto-flow": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-auto-columns": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-auto-rows": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-template-areas": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-template-columns": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-template-rows": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-column-start": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-column-end": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-row-start": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-row-end": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-column-gap": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "grid-row-gap": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "height": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "image-orientation": {
+	    inherited: true,
+	    supports: 16,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-image-region": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "ime-mode": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["active", "auto", "disabled", "inactive", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "inline-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "left": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "letter-spacing": {
+	    inherited: true,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "line-height": {
+	    inherited: true,
+	    supports: 1027,
+	    values: ["-moz-block-height", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "list-style-image": {
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "list-style-position": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "inside", "outside", "unset", ],
+	  },
+	  "list-style-type": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "margin-block-end": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-block-start": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-bottom": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-inline-end": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-inline-start": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-left": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-right": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "margin-top": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "marker-offset": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "max-block-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "none", "unset", ],
+	  },
+	  "max-height": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "calc", "inherit", "initial", "none", "unset", ],
+	  },
+	  "max-inline-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "calc", "inherit", "initial", "none", "unset", ],
+	  },
+	  "max-width": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "calc", "inherit", "initial", "none", "unset", ],
+	  },
+	  "min-height": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "min-block-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "min-inline-size": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "min-width": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "mix-blend-mode": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["color", "color-burn", "color-dodge", "darken", "difference", "exclusion", "hard-light", "hue", "inherit", "initial", "lighten", "luminosity", "multiply", "normal", "overlay", "saturation", "screen", "soft-light", "unset", ],
+	  },
+	  "isolation": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "isolate", "unset", ],
+	  },
+	  "object-fit": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["contain", "cover", "fill", "inherit", "initial", "none", "scale-down", "unset", ],
+	  },
+	  "object-position": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "offset-block-end": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "offset-block-start": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "offset-inline-end": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "offset-inline-start": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "opacity": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-orient": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["block", "horizontal", "inherit", "initial", "inline", "unset", "vertical", ],
+	  },
+	  "outline-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "outline-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["auto", "dashed", "dotted", "double", "groove", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "outline-width": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "outline-offset": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "overflow-x": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-hidden-unscrollable", "auto", "hidden", "inherit", "initial", "scroll", "unset", "visible", ],
+	  },
+	  "overflow-y": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-hidden-unscrollable", "auto", "hidden", "inherit", "initial", "scroll", "unset", "visible", ],
+	  },
+	  "padding-block-end": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-block-start": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-bottom": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-inline-end": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-inline-start": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-left": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-right": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "padding-top": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "page-break-after": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["always", "auto", "avoid", "inherit", "initial", "left", "right", "unset", ],
+	  },
+	  "page-break-before": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["always", "auto", "avoid", "inherit", "initial", "left", "right", "unset", ],
+	  },
+	  "page-break-inside": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["auto", "avoid", "inherit", "initial", "unset", ],
+	  },
+	  "paint-order": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "pointer-events": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["all", "auto", "fill", "inherit", "initial", "none", "painted", "stroke", "unset", "visible", "visiblefill", "visiblepainted", "visiblestroke", ],
+	  },
+	  "position": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["absolute", "fixed", "inherit", "initial", "relative", "static", "sticky", "unset", ],
+	  },
+	  "quotes": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "resize": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["both", "horizontal", "inherit", "initial", "none", "unset", "vertical", ],
+	  },
+	  "right": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "ruby-align": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["center", "inherit", "initial", "space-around", "space-between", "start", "unset", ],
+	  },
+	  "ruby-position": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "over", "under", "unset", ],
+	  },
+	  "scroll-behavior": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "smooth", "unset", ],
+	  },
+	  "scroll-snap-coordinate": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "scroll-snap-destination": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "scroll-snap-points-x": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "scroll-snap-points-y": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "scroll-snap-type-x": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "mandatory", "none", "proximity", "unset", ],
+	  },
+	  "scroll-snap-type-y": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "mandatory", "none", "proximity", "unset", ],
+	  },
+	  "table-layout": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["auto", "fixed", "inherit", "initial", "unset", ],
+	  },
+	  "text-align": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["-moz-center", "-moz-left", "-moz-right", "center", "end", "inherit", "initial", "justify", "left", "right", "start", "unset", ],
+	  },
+	  "-moz-text-align-last": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "center", "end", "inherit", "initial", "justify", "left", "right", "start", "unset", ],
+	  },
+	  "text-decoration-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "text-decoration-line": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "text-decoration-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-none", "dashed", "dotted", "double", "inherit", "initial", "solid", "unset", "wavy", ],
+	  },
+	  "text-indent": {
+	    inherited: true,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "text-orientation": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "mixed", "sideways", "sideways-right", "unset", "upright", ],
+	  },
+	  "text-overflow": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "text-shadow": {
+	    inherited: true,
+	    supports: 5,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-text-size-adjust": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "none", "unset", ],
+	  },
+	  "text-transform": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["capitalize", "full-width", "inherit", "initial", "lowercase", "none", "unset", "uppercase", ],
+	  },
+	  "transform": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "transform-box": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "fill-box", "inherit", "initial", "unset", "view-box", ],
+	  },
+	  "transform-origin": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "perspective-origin": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "perspective": {
+	    inherited: false,
+	    supports: 1,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "transform-style": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["flat", "inherit", "initial", "preserve-3d", "unset", ],
+	  },
+	  "backface-visibility": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["hidden", "inherit", "initial", "unset", "visible", ],
+	  },
+	  "top": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "transition-delay": {
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "transition-duration": {
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "transition-property": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["all", "inherit", "initial", "none", "unset", ],
+	  },
+	  "transition-timing-function": {
+	    inherited: false,
+	    supports: 256,
+	    values: ["cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "unicode-bidi": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-isolate", "-moz-isolate-override", "-moz-plaintext", "bidi-override", "embed", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "-moz-user-focus": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["ignore", "inherit", "initial", "none", "normal", "select-after", "select-all", "select-before", "select-menu", "select-same", "unset", ],
+	  },
+	  "-moz-user-input": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "disabled", "enabled", "inherit", "initial", "none", "unset", ],
+	  },
+	  "-moz-user-modify": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "read-only", "read-write", "unset", "write-only", ],
+	  },
+	  "-moz-user-select": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-all", "-moz-none", "-moz-text", "all", "auto", "element", "elements", "inherit", "initial", "none", "text", "toggle", "tri-state", "unset", ],
+	  },
+	  "vertical-align": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "-moz-middle-with-baseline", "baseline", "bottom", "calc", "inherit", "initial", "middle", "sub", "super", "text-bottom", "text-top", "top", "unset", ],
+	  },
+	  "visibility": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["collapse", "hidden", "inherit", "initial", "unset", "visible", ],
+	  },
+	  "white-space": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["-moz-pre-space", "inherit", "initial", "normal", "nowrap", "pre", "pre-line", "pre-wrap", "unset", ],
+	  },
+	  "width": {
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-window-dragging": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["drag", "inherit", "initial", "no-drag", "unset", ],
+	  },
+	  "word-break": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["break-all", "inherit", "initial", "keep-all", "normal", "unset", ],
+	  },
+	  "word-spacing": {
+	    inherited: true,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "word-wrap": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["break-word", "inherit", "initial", "normal", "unset", ],
+	  },
+	  "hyphens": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "manual", "none", "unset", ],
+	  },
+	  "writing-mode": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["horizontal-tb", "inherit", "initial", "lr", "lr-tb", "rl", "rl-tb", "sideways-lr", "sideways-rl", "tb", "tb-rl", "unset", "vertical-lr", "vertical-rl", ],
+	  },
+	  "z-index": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["auto", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-box-align": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["baseline", "center", "end", "inherit", "initial", "start", "stretch", "unset", ],
+	  },
+	  "-moz-box-direction": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "normal", "reverse", "unset", ],
+	  },
+	  "-moz-box-flex": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-box-orient": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["block-axis", "horizontal", "inherit", "initial", "inline-axis", "unset", "vertical", ],
+	  },
+	  "-moz-box-pack": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["center", "end", "inherit", "initial", "justify", "start", "unset", ],
+	  },
+	  "-moz-box-ordinal-group": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-stack-sizing": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["ignore", "inherit", "initial", "stretch-to-fit", "unset", ],
+	  },
+	  "clip-path": {
+	    inherited: false,
+	    supports: 8,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "clip-rule": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["evenodd", "inherit", "initial", "nonzero", "unset", ],
+	  },
+	  "color-interpolation": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "linearrgb", "srgb", "unset", ],
+	  },
+	  "color-interpolation-filters": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "linearrgb", "srgb", "unset", ],
+	  },
+	  "dominant-baseline": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["alphabetic", "auto", "central", "hanging", "ideographic", "inherit", "initial", "mathematical", "middle", "no-change", "reset-size", "text-after-edge", "text-before-edge", "unset", "use-script", ],
+	  },
+	  "fill": {
+	    inherited: true,
+	    supports: 12,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "fill-opacity": {
+	    inherited: true,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "fill-rule": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["evenodd", "inherit", "initial", "nonzero", "unset", ],
+	  },
+	  "filter": {
+	    inherited: false,
+	    supports: 8,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "flood-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "flood-opacity": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "image-rendering": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["-moz-crisp-edges", "auto", "inherit", "initial", "optimizequality", "optimizespeed", "unset", ],
+	  },
+	  "lighting-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "marker-end": {
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "marker-mid": {
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "marker-start": {
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "mask": {
+	    inherited: false,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "mask-type": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["alpha", "inherit", "initial", "luminance", "unset", ],
+	  },
+	  "shape-rendering": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "crispedges", "geometricprecision", "inherit", "initial", "optimizespeed", "unset", ],
+	  },
+	  "stop-color": {
+	    inherited: false,
+	    supports: 4,
+	    values: ["aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "stop-opacity": {
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "stroke": {
+	    inherited: true,
+	    supports: 12,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "stroke-dasharray": {
+	    inherited: true,
+	    supports: 1027,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "stroke-dashoffset": {
+	    inherited: true,
+	    supports: 1027,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "stroke-linecap": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["butt", "inherit", "initial", "round", "square", "unset", ],
+	  },
+	  "stroke-linejoin": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["bevel", "inherit", "initial", "miter", "round", "unset", ],
+	  },
+	  "stroke-miterlimit": {
+	    inherited: true,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "stroke-opacity": {
+	    inherited: true,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "stroke-width": {
+	    inherited: true,
+	    supports: 1027,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "text-anchor": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["end", "inherit", "initial", "middle", "start", "unset", ],
+	  },
+	  "text-rendering": {
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "geometricprecision", "inherit", "initial", "optimizelegibility", "optimizespeed", "unset", ],
+	  },
+	  "vector-effect": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "non-scaling-stroke", "none", "unset", ],
+	  },
+	  "will-change": {
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-outline-radius": {
+	    subproperties: ["-moz-outline-radius-topleft", "-moz-outline-radius-topright", "-moz-outline-radius-bottomright", "-moz-outline-radius-bottomleft", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "all": {
+	    subproperties: ["-moz-appearance", "-moz-outline-radius-topleft", "-moz-outline-radius-topright", "-moz-outline-radius-bottomright", "-moz-outline-radius-bottomleft", "-moz-tab-size", "-x-system-font", "animation-delay", "animation-direction", "animation-duration", "animation-fill-mode", "animation-iteration-count", "animation-name", "animation-play-state", "animation-timing-function", "background-attachment", "background-clip", "background-color", "background-image", "background-blend-mode", "background-origin", "background-position", "background-repeat", "background-size", "-moz-binding", "block-size", "border-block-end-color", "border-block-end-style", "border-block-end-width", "border-block-start-color", "border-block-start-style", "border-block-start-width", "border-bottom-color", "-moz-border-bottom-colors", "border-bottom-style", "border-bottom-width", "border-collapse", "border-image-source", "border-image-slice", "border-image-width", "border-image-outset", "border-image-repeat", "border-inline-end-color", "border-inline-end-style", "border-inline-end-width", "border-inline-start-color", "border-inline-start-style", "border-inline-start-width", "border-left-color", "-moz-border-left-colors", "border-left-style", "border-left-width", "border-right-color", "-moz-border-right-colors", "border-right-style", "border-right-width", "border-spacing", "border-top-color", "-moz-border-top-colors", "border-top-style", "border-top-width", "border-top-left-radius", "border-top-right-radius", "border-bottom-right-radius", "border-bottom-left-radius", "bottom", "box-decoration-break", "box-shadow", "box-sizing", "caption-side", "clear", "clip", "color", "-moz-column-count", "-moz-column-fill", "-moz-column-width", "-moz-column-gap", "-moz-column-rule-color", "-moz-column-rule-style", "-moz-column-rule-width", "contain", "content", "-moz-control-character-visibility", "counter-increment", "counter-reset", "cursor", "display", "empty-cells", "align-content", "align-items", "align-self", "flex-basis", "flex-direction", "flex-grow", "flex-shrink", "flex-wrap", "order", "justify-content", "justify-items", "justify-self", "float", "-moz-float-edge", "font-family", "font-feature-settings", "font-kerning", "font-language-override", "font-size", "font-size-adjust", "-moz-osx-font-smoothing", "font-stretch", "font-style", "font-synthesis", "font-variant-alternates", "font-variant-caps", "font-variant-east-asian", "font-variant-ligatures", "font-variant-numeric", "font-variant-position", "font-weight", "-moz-force-broken-image-icon", "grid-auto-flow", "grid-auto-columns", "grid-auto-rows", "grid-template-areas", "grid-template-columns", "grid-template-rows", "grid-column-start", "grid-column-end", "grid-row-start", "grid-row-end", "grid-column-gap", "grid-row-gap", "height", "image-orientation", "-moz-image-region", "ime-mode", "inline-size", "left", "letter-spacing", "line-height", "list-style-image", "list-style-position", "list-style-type", "margin-block-end", "margin-block-start", "margin-bottom", "margin-inline-end", "margin-inline-start", "margin-left", "margin-right", "margin-top", "marker-offset", "max-block-size", "max-height", "max-inline-size", "max-width", "-moz-min-font-size-ratio", "min-height", "min-block-size", "min-inline-size", "min-width", "mix-blend-mode", "isolation", "object-fit", "object-position", "offset-block-end", "offset-block-start", "offset-inline-end", "offset-inline-start", "opacity", "-moz-orient", "outline-color", "outline-style", "outline-width", "outline-offset", "overflow-clip-box", "overflow-x", "overflow-y", "padding-block-end", "padding-block-start", "padding-bottom", "padding-inline-end", "padding-inline-start", "padding-left", "padding-right", "padding-top", "page-break-after", "page-break-before", "page-break-inside", "paint-order", "pointer-events", "position", "quotes", "resize", "right", "ruby-align", "ruby-position", "scroll-behavior", "scroll-snap-coordinate", "scroll-snap-destination", "scroll-snap-points-x", "scroll-snap-points-y", "scroll-snap-type-x", "scroll-snap-type-y", "table-layout", "text-align", "-moz-text-align-last", "text-combine-upright", "text-decoration-color", "text-decoration-line", "text-decoration-style", "text-indent", "text-orientation", "text-overflow", "text-shadow", "-moz-text-size-adjust", "text-transform", "transform", "transform-box", "transform-origin", "perspective-origin", "perspective", "transform-style", "backface-visibility", "top", "-moz-top-layer", "touch-action", "transition-delay", "transition-duration", "transition-property", "transition-timing-function", "-moz-user-focus", "-moz-user-input", "-moz-user-modify", "-moz-user-select", "vertical-align", "visibility", "white-space", "width", "-moz-window-dragging", "-moz-window-shadow", "word-break", "word-spacing", "word-wrap", "hyphens", "writing-mode", "z-index", "-moz-box-align", "-moz-box-direction", "-moz-box-flex", "-moz-box-orient", "-moz-box-pack", "-moz-box-ordinal-group", "-moz-stack-sizing", "clip-path", "clip-rule", "color-interpolation", "color-interpolation-filters", "dominant-baseline", "fill", "fill-opacity", "fill-rule", "filter", "flood-color", "flood-opacity", "image-rendering", "lighting-color", "marker-end", "marker-mid", "marker-start", "mask", "mask-type", "shape-rendering", "stop-color", "stop-opacity", "stroke", "stroke-dasharray", "stroke-dashoffset", "stroke-linecap", "stroke-linejoin", "stroke-miterlimit", "stroke-opacity", "stroke-width", "text-anchor", "text-rendering", "vector-effect", "will-change", ],
+	    inherited: false,
+	    supports: 2015,
+	    values: ["-moz-all", "-moz-available", "-moz-block-height", "-moz-box", "-moz-calc", "-moz-center", "-moz-crisp-edges", "-moz-deck", "-moz-element", "-moz-fit-content", "-moz-grid", "-moz-grid-group", "-moz-grid-line", "-moz-groupbox", "-moz-gtk-info-bar", "-moz-hidden-unscrollable", "-moz-image-rect", "-moz-inline-box", "-moz-inline-grid", "-moz-inline-stack", "-moz-left", "-moz-linear-gradient", "-moz-mac-disclosure-button-closed", "-moz-mac-disclosure-button-open", "-moz-mac-fullscreen-button", "-moz-mac-help-button", "-moz-mac-vibrancy-dark", "-moz-mac-vibrancy-light", "-moz-max-content", "-moz-middle-with-baseline", "-moz-min-content", "-moz-none", "-moz-popup", "-moz-pre-space", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "-moz-right", "-moz-stack", "-moz-text", "-moz-use-text-color", "-moz-win-borderless-glass", "-moz-win-browsertabbar-toolbox", "-moz-win-communications-toolbox", "-moz-win-exclude-glass", "-moz-win-glass", "-moz-win-media-toolbox", "-moz-window-button-box", "-moz-window-button-box-maximized", "-moz-window-button-close", "-moz-window-button-maximize", "-moz-window-button-minimize", "-moz-window-button-restore", "-moz-window-frame-bottom", "-moz-window-frame-left", "-moz-window-frame-right", "-moz-window-titlebar", "-moz-window-titlebar-maximized", "absolute", "active", "aliceblue", "all", "all-petite-caps", "all-small-caps", "alpha", "alphabetic", "alternate", "alternate-reverse", "always", "antiquewhite", "aqua", "aquamarine", "auto", "avoid", "azure", "backwards", "balance", "baseline", "beige", "bevel", "bisque", "black", "blanchedalmond", "block", "block-axis", "blue", "blueviolet", "border-box", "both", "bottom", "bottom-outside", "break-all", "break-word", "brown", "burlywood", "butt", "button", "button-arrow-down", "button-arrow-next", "button-arrow-previous", "button-arrow-up", "button-bevel", "button-focus", "cadetblue", "calc", "capitalize", "caret", "center", "central", "chartreuse", "checkbox", "checkbox-container", "checkbox-label", "checkmenuitem", "chocolate", "clone", "collapse", "color", "color-burn", "color-dodge", "column", "column-reverse", "condensed", "contain", "content-box", "contents", "coral", "cornflowerblue", "cornsilk", "cover", "crimson", "crispedges", "cubic-bezier", "currentColor", "cyan", "darkblue", "darkcyan", "darken", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dialog", "difference", "dimgray", "dimgrey", "disabled", "dodgerblue", "dotted", "double", "drag", "dualbutton", "ease", "ease-in", "ease-in-out", "ease-out", "element", "elements", "enabled", "end", "evenodd", "exclusion", "expanded", "extra-condensed", "extra-expanded", "fill", "fill-box", "firebrick", "fixed", "flat", "flex", "floralwhite", "forestgreen", "forwards", "fuchsia", "full-width", "gainsboro", "geometricprecision", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "grid", "groove", "groupbox", "hanging", "hard-light", "hidden", "hide", "honeydew", "horizontal", "horizontal-tb", "hotpink", "hsl", "hsla", "hue", "ideographic", "ignore", "inactive", "indianred", "indigo", "infinite", "inherit", "initial", "inline", "inline-axis", "inline-block", "inline-end", "inline-flex", "inline-grid", "inline-start", "inline-table", "inset", "inside", "isolate", "italic", "ivory", "justify", "keep-all", "khaki", "large", "larger", "lavender", "lavenderblush", "lawngreen", "layout", "left", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lighten", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linear", "linear-gradient", "linearrgb", "linen", "list-item", "listbox", "listitem", "local", "lowercase", "lr", "lr-tb", "luminance", "luminosity", "magenta", "mandatory", "manual", "margin-box", "maroon", "mathematical", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "menuarrow", "menubar", "menucheckbox", "menuimage", "menuitem", "menuitemtext", "menulist", "menulist-button", "menulist-text", "menulist-textfield", "menupopup", "menuradio", "menuseparator", "meterbar", "meterchunk", "middle", "midnightblue", "mintcream", "mistyrose", "miter", "mixed", "moccasin", "multiply", "navajowhite", "navy", "no-change", "no-drag", "no-repeat", "non-scaling-stroke", "none", "nonzero", "normal", "nowrap", "number-input", "oblique", "oldlace", "olive", "olivedrab", "optimizelegibility", "optimizequality", "optimizespeed", "orange", "orangered", "orchid", "outset", "outside", "over", "overlay", "padding-box", "paint", "painted", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "paused", "peachpuff", "peru", "petite-caps", "pink", "plum", "powderblue", "pre", "pre-line", "pre-wrap", "preserve-3d", "progressbar", "progressbar-vertical", "progresschunk", "progresschunk-vertical", "proximity", "purple", "radial-gradient", "radio", "radio-container", "radio-label", "radiomenuitem", "range", "range-thumb", "read-only", "read-write", "rebeccapurple", "red", "relative", "repeat", "repeat-x", "repeat-y", "repeating-linear-gradient", "repeating-radial-gradient", "reset-size", "resizer", "resizerpanel", "reverse", "rgb", "rgba", "ridge", "right", "rl", "rl-tb", "rosybrown", "round", "row", "row-reverse", "royalblue", "ruby", "ruby-base", "ruby-base-container", "ruby-text", "ruby-text-container", "running", "saddlebrown", "salmon", "sandybrown", "saturation", "scale-down", "scale-horizontal", "scale-vertical", "scalethumb-horizontal", "scalethumb-vertical", "scalethumbend", "scalethumbstart", "scalethumbtick", "screen", "scroll", "scrollbar", "scrollbar-small", "scrollbarbutton-down", "scrollbarbutton-left", "scrollbarbutton-right", "scrollbarbutton-up", "scrollbarthumb-horizontal", "scrollbarthumb-vertical", "scrollbartrack-horizontal", "scrollbartrack-vertical", "seagreen", "searchfield", "seashell", "select-after", "select-all", "select-before", "select-menu", "select-same", "semi-condensed", "semi-expanded", "separate", "separator", "show", "sideways", "sideways-lr", "sideways-right", "sideways-rl", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "slice", "small", "small-caps", "smaller", "smooth", "snow", "soft-light", "solid", "space-around", "space-between", "spinner", "spinner-downbutton", "spinner-textfield", "spinner-upbutton", "splitter", "springgreen", "square", "srgb", "start", "static", "statusbar", "statusbarpanel", "steelblue", "step-end", "step-start", "steps", "sticky", "stretch", "stretch-to-fit", "strict", "stroke", "style", "sub", "super", "tab", "tab-scroll-arrow-back", "tab-scroll-arrow-forward", "table", "table-caption", "table-cell", "table-column", "table-column-group", "table-footer-group", "table-header-group", "table-row", "table-row-group", "tabpanel", "tabpanels", "tan", "tb", "tb-rl", "teal", "text", "text-after-edge", "text-before-edge", "text-bottom", "text-top", "textfield", "textfield-multiline", "thick", "thin", "thistle", "titling-caps", "toggle", "tomato", "toolbar", "toolbarbutton", "toolbarbutton-dropdown", "toolbargripper", "toolbox", "tooltip", "top", "top-outside", "transparent", "treeheader", "treeheadercell", "treeheadersortarrow", "treeitem", "treeline", "treetwisty", "treetwistyopen", "treeview", "tri-state", "turquoise", "ultra-condensed", "ultra-expanded", "under", "unicase", "unset", "uppercase", "upright", "url", "use-script", "vertical", "vertical-lr", "vertical-rl", "view-box", "violet", "visible", "visiblefill", "visiblepainted", "visiblestroke", "wavy", "wheat", "white", "whitesmoke", "window", "wrap", "wrap-reverse", "write-only", "x-large", "x-small", "xx-large", "xx-small", "yellow", "yellowgreen", ],
+	  },
+	  "animation": {
+	    subproperties: ["animation-duration", "animation-timing-function", "animation-delay", "animation-direction", "animation-fill-mode", "animation-iteration-count", "animation-play-state", "animation-name", ],
+	    inherited: false,
+	    supports: 1344,
+	    values: ["alternate", "alternate-reverse", "backwards", "both", "cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "forwards", "infinite", "inherit", "initial", "linear", "none", "normal", "paused", "reverse", "running", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "background": {
+	    subproperties: ["background-color", "background-image", "background-repeat", "background-attachment", "background-position", "background-clip", "background-origin", "background-size", ],
+	    inherited: false,
+	    supports: 655,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "border-box", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "content-box", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "fixed", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linear-gradient", "linen", "local", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "no-repeat", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "padding-box", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "radial-gradient", "rebeccapurple", "red", "repeat", "repeat-x", "repeat-y", "repeating-linear-gradient", "repeating-radial-gradient", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "scroll", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "url", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border": {
+	    subproperties: ["border-top-width", "border-right-width", "border-bottom-width", "border-left-width", "border-top-style", "border-right-style", "border-bottom-style", "border-left-style", "border-top-color", "border-right-color", "border-bottom-color", "border-left-color", "-moz-border-top-colors", "-moz-border-right-colors", "-moz-border-bottom-colors", "-moz-border-left-colors", "border-image-source", "border-image-slice", "border-image-width", "border-image-outset", "border-image-repeat", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linear-gradient", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "radial-gradient", "rebeccapurple", "red", "repeating-linear-gradient", "repeating-radial-gradient", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "url", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-block-end": {
+	    subproperties: ["border-block-end-width", "border-block-end-style", "border-block-end-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-block-start": {
+	    subproperties: ["border-block-start-width", "border-block-start-style", "border-block-start-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-bottom": {
+	    subproperties: ["border-bottom-width", "border-bottom-style", "border-bottom-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-color": {
+	    subproperties: ["border-top-color", "border-right-color", "border-bottom-color", "border-left-color", ],
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-image": {
+	    subproperties: ["border-image-source", "border-image-slice", "border-image-width", "border-image-outset", "border-image-repeat", ],
+	    inherited: false,
+	    supports: 1675,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "inherit", "initial", "linear-gradient", "none", "radial-gradient", "repeating-linear-gradient", "repeating-radial-gradient", "unset", "url", ],
+	  },
+	  "border-inline-end": {
+	    subproperties: ["border-inline-end-width", "border-inline-end-style", "border-inline-end-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-inline-start": {
+	    subproperties: ["border-inline-start-width", "border-inline-start-style", "border-inline-start-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-left": {
+	    subproperties: ["border-left-width", "border-left-style", "border-left-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-right": {
+	    subproperties: ["border-right-width", "border-right-style", "border-right-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-style": {
+	    subproperties: ["border-top-style", "border-right-style", "border-bottom-style", "border-left-style", ],
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "border-top": {
+	    subproperties: ["border-top-width", "border-top-style", "border-top-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "border-width": {
+	    subproperties: ["border-top-width", "border-right-width", "border-bottom-width", "border-left-width", ],
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "border-radius": {
+	    subproperties: ["border-top-left-radius", "border-top-right-radius", "border-bottom-right-radius", "border-bottom-left-radius", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-columns": {
+	    subproperties: ["-moz-column-count", "-moz-column-width", ],
+	    inherited: false,
+	    supports: 1025,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-column-rule": {
+	    subproperties: ["-moz-column-rule-width", "-moz-column-rule-style", "-moz-column-rule-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "flex": {
+	    subproperties: ["flex-grow", "flex-shrink", "flex-basis", ],
+	    inherited: false,
+	    supports: 1027,
+	    values: ["-moz-available", "-moz-calc", "-moz-fit-content", "-moz-max-content", "-moz-min-content", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "flex-flow": {
+	    subproperties: ["flex-direction", "flex-wrap", ],
+	    inherited: false,
+	    supports: 0,
+	    values: ["column", "column-reverse", "inherit", "initial", "nowrap", "row", "row-reverse", "unset", "wrap", "wrap-reverse", ],
+	  },
+	  "font": {
+	    subproperties: ["font-family", "font-style", "font-weight", "font-size", "line-height", "font-size-adjust", "font-stretch", "-x-system-font", "font-feature-settings", "font-language-override", "font-kerning", "font-synthesis", "font-variant-alternates", "font-variant-caps", "font-variant-east-asian", "font-variant-ligatures", "font-variant-numeric", "font-variant-position", ],
+	    inherited: true,
+	    supports: 1027,
+	    values: ["-moz-block-height", "-moz-calc", "all-petite-caps", "all-small-caps", "auto", "calc", "condensed", "expanded", "extra-condensed", "extra-expanded", "inherit", "initial", "italic", "large", "larger", "medium", "none", "normal", "oblique", "petite-caps", "semi-condensed", "semi-expanded", "small", "small-caps", "smaller", "sub", "super", "titling-caps", "ultra-condensed", "ultra-expanded", "unicase", "unset", "x-large", "x-small", "xx-large", "xx-small", ],
+	  },
+	  "font-variant": {
+	    subproperties: ["font-variant-alternates", "font-variant-caps", "font-variant-east-asian", "font-variant-ligatures", "font-variant-numeric", "font-variant-position", ],
+	    inherited: true,
+	    supports: 0,
+	    values: ["all-petite-caps", "all-small-caps", "inherit", "initial", "normal", "petite-caps", "small-caps", "sub", "super", "titling-caps", "unicase", "unset", ],
+	  },
+	  "grid-template": {
+	    subproperties: ["grid-template-areas", "grid-template-columns", "grid-template-rows", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid": {
+	    subproperties: ["grid-template-areas", "grid-template-columns", "grid-template-rows", "grid-auto-flow", "grid-auto-columns", "grid-auto-rows", "grid-column-gap", "grid-row-gap", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "grid-column": {
+	    subproperties: ["grid-column-start", "grid-column-end", ],
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-row": {
+	    subproperties: ["grid-row-start", "grid-row-end", ],
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-area": {
+	    subproperties: ["grid-row-start", "grid-column-start", "grid-row-end", "grid-column-end", ],
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "grid-gap": {
+	    subproperties: ["grid-column-gap", "grid-row-gap", ],
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "list-style": {
+	    subproperties: ["list-style-type", "list-style-image", "list-style-position", ],
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "inside", "none", "outside", "unset", "url", ],
+	  },
+	  "margin": {
+	    subproperties: ["margin-top", "margin-right", "margin-bottom", "margin-left", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "outline": {
+	    subproperties: ["outline-width", "outline-style", "outline-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "auto", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "overflow": {
+	    subproperties: ["overflow-x", "overflow-y", ],
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-hidden-unscrollable", "auto", "hidden", "inherit", "initial", "scroll", "unset", "visible", ],
+	  },
+	  "padding": {
+	    subproperties: ["padding-top", "padding-right", "padding-bottom", "padding-left", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "scroll-snap-type": {
+	    subproperties: ["scroll-snap-type-x", "scroll-snap-type-y", ],
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "mandatory", "none", "proximity", "unset", ],
+	  },
+	  "text-decoration": {
+	    subproperties: ["text-decoration-color", "text-decoration-line", "text-decoration-style", ],
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-none", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wavy", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "transition": {
+	    subproperties: ["transition-property", "transition-duration", "transition-timing-function", "transition-delay", ],
+	    inherited: false,
+	    supports: 320,
+	    values: ["all", "cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "none", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "marker": {
+	    subproperties: ["marker-start", "marker-mid", "marker-end", ],
+	    inherited: true,
+	    supports: 8,
+	    values: ["inherit", "initial", "none", "unset", "url", ],
+	  },
+	  "-moz-transform": {
+	    alias: true,
+	    subproperties: ["transform", ],
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-transform-origin": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-perspective-origin": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-perspective": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "-moz-transform-style": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["flat", "inherit", "initial", "preserve-3d", "unset", ],
+	  },
+	  "-moz-backface-visibility": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["hidden", "inherit", "initial", "unset", "visible", ],
+	  },
+	  "-moz-border-image": {
+	    alias: true,
+	    subproperties: ["border-image-source", "border-image-slice", "border-image-width", "border-image-outset", "border-image-repeat", ],
+	    inherited: false,
+	    supports: 1675,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "inherit", "initial", "linear-gradient", "none", "radial-gradient", "repeating-linear-gradient", "repeating-radial-gradient", "unset", "url", ],
+	  },
+	  "-moz-transition": {
+	    alias: true,
+	    subproperties: ["transition-property", "transition-duration", "transition-timing-function", "transition-delay", ],
+	    inherited: false,
+	    supports: 320,
+	    values: ["all", "cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "none", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-moz-transition-delay": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-transition-duration": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-transition-property": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["all", "inherit", "initial", "none", "unset", ],
+	  },
+	  "-moz-transition-timing-function": {
+	    alias: true,
+	    inherited: false,
+	    supports: 256,
+	    values: ["cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-moz-animation": {
+	    alias: true,
+	    subproperties: ["animation-duration", "animation-timing-function", "animation-delay", "animation-direction", "animation-fill-mode", "animation-iteration-count", "animation-play-state", "animation-name", ],
+	    inherited: false,
+	    supports: 1344,
+	    values: ["alternate", "alternate-reverse", "backwards", "both", "cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "forwards", "infinite", "inherit", "initial", "linear", "none", "normal", "paused", "reverse", "running", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-moz-animation-delay": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-animation-direction": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["alternate", "alternate-reverse", "inherit", "initial", "normal", "reverse", "unset", ],
+	  },
+	  "-moz-animation-duration": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-animation-fill-mode": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["backwards", "both", "forwards", "inherit", "initial", "none", "unset", ],
+	  },
+	  "-moz-animation-iteration-count": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1024,
+	    values: ["infinite", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-animation-name": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "-moz-animation-play-state": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "paused", "running", "unset", ],
+	  },
+	  "-moz-animation-timing-function": {
+	    alias: true,
+	    inherited: false,
+	    supports: 256,
+	    values: ["cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-moz-box-sizing": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "-moz-font-feature-settings": {
+	    alias: true,
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-moz-font-language-override": {
+	    alias: true,
+	    inherited: true,
+	    supports: 0,
+	    values: ["inherit", "initial", "normal", "unset", ],
+	  },
+	  "-moz-padding-end": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-padding-start": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-margin-end": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-margin-start": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["-moz-calc", "auto", "calc", "inherit", "initial", "unset", ],
+	  },
+	  "-moz-border-end": {
+	    alias: true,
+	    subproperties: ["border-inline-end-width", "border-inline-end-style", "border-inline-end-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-end-color": {
+	    alias: true,
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-end-style": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "-moz-border-end-width": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "-moz-border-start": {
+	    alias: true,
+	    subproperties: ["border-inline-start-width", "border-inline-start-style", "border-inline-start-color", ],
+	    inherited: false,
+	    supports: 5,
+	    values: ["-moz-calc", "-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "calc", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "dashed", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "dotted", "double", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "groove", "hidden", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "inset", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "medium", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "none", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "outset", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "ridge", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "solid", "springgreen", "steelblue", "tan", "teal", "thick", "thin", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-start-color": {
+	    alias: true,
+	    inherited: false,
+	    supports: 4,
+	    values: ["-moz-use-text-color", "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige", "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown", "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue", "cornsilk", "crimson", "currentColor", "cyan", "darkblue", "darkcyan", "darkgoldenrod", "darkgray", "darkgreen", "darkgrey", "darkkhaki", "darkmagenta", "darkolivegreen", "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen", "darkslateblue", "darkslategray", "darkslategrey", "darkturquoise", "darkviolet", "deeppink", "deepskyblue", "dimgray", "dimgrey", "dodgerblue", "firebrick", "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite", "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew", "hotpink", "hsl", "hsla", "indianred", "indigo", "inherit", "initial", "ivory", "khaki", "lavender", "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral", "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightgrey", "lightpink", "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray", "lightslategrey", "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta", "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple", "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise", "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin", "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered", "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred", "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue", "purple", "rebeccapurple", "red", "rgb", "rgba", "rosybrown", "royalblue", "saddlebrown", "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue", "slateblue", "slategray", "slategrey", "snow", "springgreen", "steelblue", "tan", "teal", "thistle", "tomato", "transparent", "turquoise", "unset", "violet", "wheat", "white", "whitesmoke", "yellow", "yellowgreen", ],
+	  },
+	  "-moz-border-start-style": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["dashed", "dotted", "double", "groove", "hidden", "inherit", "initial", "inset", "none", "outset", "ridge", "solid", "unset", ],
+	  },
+	  "-moz-border-start-width": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1,
+	    values: ["-moz-calc", "calc", "inherit", "initial", "medium", "thick", "thin", "unset", ],
+	  },
+	  "-moz-hyphens": {
+	    alias: true,
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "manual", "none", "unset", ],
+	  },
+	  "-webkit-animation": {
+	    alias: true,
+	    subproperties: ["animation-duration", "animation-timing-function", "animation-delay", "animation-direction", "animation-fill-mode", "animation-iteration-count", "animation-play-state", "animation-name", ],
+	    inherited: false,
+	    supports: 1344,
+	    values: ["alternate", "alternate-reverse", "backwards", "both", "cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "forwards", "infinite", "inherit", "initial", "linear", "none", "normal", "paused", "reverse", "running", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-webkit-animation-delay": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-animation-direction": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["alternate", "alternate-reverse", "inherit", "initial", "normal", "reverse", "unset", ],
+	  },
+	  "-webkit-animation-duration": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-animation-fill-mode": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["backwards", "both", "forwards", "inherit", "initial", "none", "unset", ],
+	  },
+	  "-webkit-animation-iteration-count": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1024,
+	    values: ["infinite", "inherit", "initial", "unset", ],
+	  },
+	  "-webkit-animation-name": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "-webkit-animation-play-state": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "paused", "running", "unset", ],
+	  },
+	  "-webkit-animation-timing-function": {
+	    alias: true,
+	    inherited: false,
+	    supports: 256,
+	    values: ["cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-webkit-text-size-adjust": {
+	    alias: true,
+	    inherited: true,
+	    supports: 0,
+	    values: ["auto", "inherit", "initial", "none", "unset", ],
+	  },
+	  "-webkit-transform": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-transform-origin": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-transform-style": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["flat", "inherit", "initial", "preserve-3d", "unset", ],
+	  },
+	  "-webkit-backface-visibility": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["hidden", "inherit", "initial", "unset", "visible", ],
+	  },
+	  "-webkit-perspective": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1,
+	    values: ["inherit", "initial", "none", "unset", ],
+	  },
+	  "-webkit-perspective-origin": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-transition": {
+	    alias: true,
+	    subproperties: ["transition-property", "transition-duration", "transition-timing-function", "transition-delay", ],
+	    inherited: false,
+	    supports: 320,
+	    values: ["all", "cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "none", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-webkit-transition-delay": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-transition-duration": {
+	    alias: true,
+	    inherited: false,
+	    supports: 64,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-transition-property": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["all", "inherit", "initial", "none", "unset", ],
+	  },
+	  "-webkit-transition-timing-function": {
+	    alias: true,
+	    inherited: false,
+	    supports: 256,
+	    values: ["cubic-bezier", "ease", "ease-in", "ease-in-out", "ease-out", "inherit", "initial", "linear", "step-end", "step-start", "steps", "unset", ],
+	  },
+	  "-webkit-border-radius": {
+	    alias: true,
+	    subproperties: ["border-top-left-radius", "border-top-right-radius", "border-bottom-right-radius", "border-bottom-left-radius", ],
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-top-left-radius": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-top-right-radius": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-bottom-left-radius": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-bottom-right-radius": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-appearance": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-gtk-info-bar", "-moz-mac-disclosure-button-closed", "-moz-mac-disclosure-button-open", "-moz-mac-fullscreen-button", "-moz-mac-help-button", "-moz-mac-vibrancy-dark", "-moz-mac-vibrancy-light", "-moz-win-borderless-glass", "-moz-win-browsertabbar-toolbox", "-moz-win-communications-toolbox", "-moz-win-exclude-glass", "-moz-win-glass", "-moz-win-media-toolbox", "-moz-window-button-box", "-moz-window-button-box-maximized", "-moz-window-button-close", "-moz-window-button-maximize", "-moz-window-button-minimize", "-moz-window-button-restore", "-moz-window-frame-bottom", "-moz-window-frame-left", "-moz-window-frame-right", "-moz-window-titlebar", "-moz-window-titlebar-maximized", "button", "button-arrow-down", "button-arrow-next", "button-arrow-previous", "button-arrow-up", "button-bevel", "button-focus", "caret", "checkbox", "checkbox-container", "checkbox-label", "checkmenuitem", "dialog", "dualbutton", "groupbox", "inherit", "initial", "listbox", "listitem", "menuarrow", "menubar", "menucheckbox", "menuimage", "menuitem", "menuitemtext", "menulist", "menulist-button", "menulist-text", "menulist-textfield", "menupopup", "menuradio", "menuseparator", "meterbar", "meterchunk", "none", "number-input", "progressbar", "progressbar-vertical", "progresschunk", "progresschunk-vertical", "radio", "radio-container", "radio-label", "radiomenuitem", "range", "range-thumb", "resizer", "resizerpanel", "scale-horizontal", "scale-vertical", "scalethumb-horizontal", "scalethumb-vertical", "scalethumbend", "scalethumbstart", "scalethumbtick", "scrollbar", "scrollbar-small", "scrollbarbutton-down", "scrollbarbutton-left", "scrollbarbutton-right", "scrollbarbutton-up", "scrollbarthumb-horizontal", "scrollbarthumb-vertical", "scrollbartrack-horizontal", "scrollbartrack-vertical", "searchfield", "separator", "spinner", "spinner-downbutton", "spinner-textfield", "spinner-upbutton", "splitter", "statusbar", "statusbarpanel", "tab", "tab-scroll-arrow-back", "tab-scroll-arrow-forward", "tabpanel", "tabpanels", "textfield", "textfield-multiline", "toolbar", "toolbarbutton", "toolbarbutton-dropdown", "toolbargripper", "toolbox", "tooltip", "treeheader", "treeheadercell", "treeheadersortarrow", "treeitem", "treeline", "treetwisty", "treetwistyopen", "treeview", "unset", "window", ],
+	  },
+	  "-webkit-background-clip": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "-webkit-background-origin": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "-webkit-background-size": {
+	    alias: true,
+	    inherited: false,
+	    supports: 3,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-image": {
+	    alias: true,
+	    subproperties: ["border-image-source", "border-image-slice", "border-image-width", "border-image-outset", "border-image-repeat", ],
+	    inherited: false,
+	    supports: 1675,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "inherit", "initial", "linear-gradient", "none", "radial-gradient", "repeating-linear-gradient", "repeating-radial-gradient", "unset", "url", ],
+	  },
+	  "-webkit-border-image-outset": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1025,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-image-repeat": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-image-slice": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1026,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-border-image-source": {
+	    alias: true,
+	    inherited: false,
+	    supports: 648,
+	    values: ["-moz-element", "-moz-image-rect", "-moz-linear-gradient", "-moz-radial-gradient", "-moz-repeating-linear-gradient", "-moz-repeating-radial-gradient", "inherit", "initial", "linear-gradient", "none", "radial-gradient", "repeating-linear-gradient", "repeating-radial-gradient", "unset", "url", ],
+	  },
+	  "-webkit-border-image-width": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1027,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-box-shadow": {
+	    alias: true,
+	    inherited: false,
+	    supports: 5,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-box-sizing": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["border-box", "content-box", "inherit", "initial", "padding-box", "unset", ],
+	  },
+	  "-webkit-box-flex": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-box-ordinal-group": {
+	    alias: true,
+	    inherited: false,
+	    supports: 1024,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-box-align": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-box-pack": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["inherit", "initial", "unset", ],
+	  },
+	  "-webkit-user-select": {
+	    alias: true,
+	    inherited: false,
+	    supports: 0,
+	    values: ["-moz-all", "-moz-none", "-moz-text", "all", "auto", "element", "elements", "inherit", "initial", "none", "text", "toggle", "tri-state", "unset", ],
+	  },
+	};
+	module.exports = { cssProperties };
+
+
+/***/ },
+/* 188 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(setImmediate) {/*
+	 * A sham for https://dxr.mozilla.org/mozilla-central/source/toolkit/modules/Services.jsm
+	 */
+	
+	const L10N = __webpack_require__(191);
+	const Services = { };
+	
+	Services.strings = {
+	  createBundle: name => {
+	    if (typeof name !== "object") {
+	      throw new Error(`Cannot implement 'Services.strings.createBundle'. Use 'new L10N(require(${name}))' instead, or call this with the return value of a require, like 'Services.strings.createBundle(require(${name}))'.`);
+	    }
+	    return new L10N(name);
+	  }
+	};
+	
+	Services.appinfo = {
+	  OS: 'Darwin', // Probably
+	};
+	
+	Services.telemetry = {
+	  getHistogramById() {
+	    return {
+	      add() {}
+	    };
+	  },
+	};
+	
+	Services.obs = {
+	  addObserver: () => {},
+	  removeObserver: () => {},
+	}
+	Services.prefs = __webpack_require__(192);
+	
+	Services.tm = {
+	  currentThread: {
+	    dispatch: (cb) => {
+	      setImmediate(cb);
+	    }
+	  },
+	  mainThread: {
+	    dispatch: (cb) => {
+	      setImmediate(cb);
+	    }
+	  }
+	};
+	
+	Services.scriptloader = {
+	  /**
+	   * Implements a subset of loadSubScript, to inject scripts into a window, rather
+	   * than an arbitrary scope.
+	   * @see https://developer.mozilla.org/en-US/docs/Mozilla/Tech/XPCOM/Reference/Interface/mozIJSSubScriptLoader#loadSubScript%28%29
+	   */
+	  loadSubScript: (url, target, charset="utf8") => {
+	    // Only implement scenario where target has reference to a document
+	    if (!target || !target.document) {
+	      throw new Error(`target in loadSubScript does not have a document.`);
+	    }
+	    return new Promise(resolve => {
+	      let script = target.document.createElement("script");
+	      script.src = url;
+	      script.onload = resolve
+	      target.document.body.appendChild(script);
+	    });
+	  }
+	};
+	
+	module.exports.Services = Services;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(189).setImmediate))
+
+/***/ },
+/* 189 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(setImmediate, clearImmediate) {var nextTick = __webpack_require__(190).nextTick;
+	var apply = Function.prototype.apply;
+	var slice = Array.prototype.slice;
+	var immediateIds = {};
+	var nextImmediateId = 0;
+	
+	// DOM APIs, for completeness
+	
+	exports.setTimeout = function() {
+	  return new Timeout(apply.call(setTimeout, window, arguments), clearTimeout);
+	};
+	exports.setInterval = function() {
+	  return new Timeout(apply.call(setInterval, window, arguments), clearInterval);
+	};
+	exports.clearTimeout =
+	exports.clearInterval = function(timeout) { timeout.close(); };
+	
+	function Timeout(id, clearFn) {
+	  this._id = id;
+	  this._clearFn = clearFn;
+	}
+	Timeout.prototype.unref = Timeout.prototype.ref = function() {};
+	Timeout.prototype.close = function() {
+	  this._clearFn.call(window, this._id);
+	};
+	
+	// Does not start the time, just sets up the members needed.
+	exports.enroll = function(item, msecs) {
+	  clearTimeout(item._idleTimeoutId);
+	  item._idleTimeout = msecs;
+	};
+	
+	exports.unenroll = function(item) {
+	  clearTimeout(item._idleTimeoutId);
+	  item._idleTimeout = -1;
+	};
+	
+	exports._unrefActive = exports.active = function(item) {
+	  clearTimeout(item._idleTimeoutId);
+	
+	  var msecs = item._idleTimeout;
+	  if (msecs >= 0) {
+	    item._idleTimeoutId = setTimeout(function onTimeout() {
+	      if (item._onTimeout)
+	        item._onTimeout();
+	    }, msecs);
+	  }
+	};
+	
+	// That's not how node.js implements it but the exposed api is the same.
+	exports.setImmediate = typeof setImmediate === "function" ? setImmediate : function(fn) {
+	  var id = nextImmediateId++;
+	  var args = arguments.length < 2 ? false : slice.call(arguments, 1);
+	
+	  immediateIds[id] = true;
+	
+	  nextTick(function onNextTick() {
+	    if (immediateIds[id]) {
+	      // fn.call() is faster so we optimize for the common use-case
+	      // @see http://jsperf.com/call-apply-segu
+	      if (args) {
+	        fn.apply(null, args);
+	      } else {
+	        fn.call(null);
+	      }
+	      // Prevent ids from leaking
+	      exports.clearImmediate(id);
+	    }
+	  });
+	
+	  return id;
+	};
+	
+	exports.clearImmediate = typeof clearImmediate === "function" ? clearImmediate : function(id) {
+	  delete immediateIds[id];
+	};
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(189).setImmediate, __webpack_require__(189).clearImmediate))
+
+/***/ },
+/* 190 */
+/***/ function(module, exports) {
+
+	// shim for using process in browser
+	var process = module.exports = {};
+	
+	// cached from whatever global is present so that test runners that stub it
+	// don't break things.  But we need to wrap it in a try catch in case it is
+	// wrapped in strict mode code which doesn't define any globals.  It's inside a
+	// function because try/catches deoptimize in certain engines.
+	
+	var cachedSetTimeout;
+	var cachedClearTimeout;
+	
+	function defaultSetTimout() {
+	    throw new Error('setTimeout has not been defined');
+	}
+	function defaultClearTimeout () {
+	    throw new Error('clearTimeout has not been defined');
+	}
+	(function () {
+	    try {
+	        if (typeof setTimeout === 'function') {
+	            cachedSetTimeout = setTimeout;
+	        } else {
+	            cachedSetTimeout = defaultSetTimout;
+	        }
+	    } catch (e) {
+	        cachedSetTimeout = defaultSetTimout;
+	    }
+	    try {
+	        if (typeof clearTimeout === 'function') {
+	            cachedClearTimeout = clearTimeout;
+	        } else {
+	            cachedClearTimeout = defaultClearTimeout;
+	        }
+	    } catch (e) {
+	        cachedClearTimeout = defaultClearTimeout;
+	    }
+	} ())
+	function runTimeout(fun) {
+	    if (cachedSetTimeout === setTimeout) {
+	        //normal enviroments in sane situations
+	        return setTimeout(fun, 0);
+	    }
+	    // if setTimeout wasn't available but was latter defined
+	    if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) {
+	        cachedSetTimeout = setTimeout;
+	        return setTimeout(fun, 0);
+	    }
+	    try {
+	        // when when somebody has screwed with setTimeout but no I.E. maddness
+	        return cachedSetTimeout(fun, 0);
+	    } catch(e){
+	        try {
+	            // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
+	            return cachedSetTimeout.call(null, fun, 0);
+	        } catch(e){
+	            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error
+	            return cachedSetTimeout.call(this, fun, 0);
+	        }
+	    }
+	
+	
+	}
+	function runClearTimeout(marker) {
+	    if (cachedClearTimeout === clearTimeout) {
+	        //normal enviroments in sane situations
+	        return clearTimeout(marker);
+	    }
+	    // if clearTimeout wasn't available but was latter defined
+	    if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) {
+	        cachedClearTimeout = clearTimeout;
+	        return clearTimeout(marker);
+	    }
+	    try {
+	        // when when somebody has screwed with setTimeout but no I.E. maddness
+	        return cachedClearTimeout(marker);
+	    } catch (e){
+	        try {
+	            // When we are in I.E. but the script has been evaled so I.E. doesn't  trust the global object when called normally
+	            return cachedClearTimeout.call(null, marker);
+	        } catch (e){
+	            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.
+	            // Some versions of I.E. have different rules for clearTimeout vs setTimeout
+	            return cachedClearTimeout.call(this, marker);
+	        }
+	    }
+	
+	
+	
+	}
+	var queue = [];
+	var draining = false;
+	var currentQueue;
+	var queueIndex = -1;
+	
+	function cleanUpNextTick() {
+	    if (!draining || !currentQueue) {
+	        return;
+	    }
+	    draining = false;
+	    if (currentQueue.length) {
+	        queue = currentQueue.concat(queue);
+	    } else {
+	        queueIndex = -1;
+	    }
+	    if (queue.length) {
+	        drainQueue();
+	    }
+	}
+	
+	function drainQueue() {
+	    if (draining) {
+	        return;
+	    }
+	    var timeout = runTimeout(cleanUpNextTick);
+	    draining = true;
+	
+	    var len = queue.length;
+	    while(len) {
+	        currentQueue = queue;
+	        queue = [];
+	        while (++queueIndex < len) {
+	            if (currentQueue) {
+	                currentQueue[queueIndex].run();
+	            }
+	        }
+	        queueIndex = -1;
+	        len = queue.length;
+	    }
+	    currentQueue = null;
+	    draining = false;
+	    runClearTimeout(timeout);
+	}
+	
+	process.nextTick = function (fun) {
+	    var args = new Array(arguments.length - 1);
+	    if (arguments.length > 1) {
+	        for (var i = 1; i < arguments.length; i++) {
+	            args[i - 1] = arguments[i];
+	        }
+	    }
+	    queue.push(new Item(fun, args));
+	    if (queue.length === 1 && !draining) {
+	        runTimeout(drainQueue);
+	    }
+	};
+	
+	// v8 likes predictible objects
+	function Item(fun, array) {
+	    this.fun = fun;
+	    this.array = array;
+	}
+	Item.prototype.run = function () {
+	    this.fun.apply(null, this.array);
+	};
+	process.title = 'browser';
+	process.browser = true;
+	process.env = {};
+	process.argv = [];
+	process.version = ''; // empty string to avoid regexp issues
+	process.versions = {};
+	
+	function noop() {}
+	
+	process.on = noop;
+	process.addListener = noop;
+	process.once = noop;
+	process.off = noop;
+	process.removeListener = noop;
+	process.removeAllListeners = noop;
+	process.emit = noop;
+	
+	process.binding = function (name) {
+	    throw new Error('process.binding is not supported');
+	};
+	
+	process.cwd = function () { return '/' };
+	process.chdir = function (dir) {
+	    throw new Error('process.chdir is not supported');
+	};
+	process.umask = function() { return 0; };
+
+
+/***/ },
+/* 191 */
+/***/ function(module, exports) {
+
+	/**
+	 * Import a .properties file via properties-loader (just specify .properties) and pass
+	 * that object into this constructor to get methods matching nsIStringBundle:
+	 *
+	 * @see https://developer.mozilla.org/en-US/docs/Mozilla/Tech/XPCOM/Reference/Interface/nsIStringBundle
+	 */
+	
+	function L10N (props) {
+	  this.props = props;
+	}
+	
+	L10N.prototype.GetStringFromName = function (name) {
+	  return this.props[name];
+	};
+	
+	L10N.prototype.formatStringFromName = function (name, values) {
+	  var result = this.GetStringFromName(name);
+	
+	  for (var i = 0; i < values.length; i++) {
+	    result = result.replace(/%S/, values[i]);
+	  }
+	
+	  return result;
+	};
+	
+	module.exports = L10N;
+
+
+/***/ },
+/* 192 */
+/***/ function(module, exports, __webpack_require__) {
+
+	let DEFAULTS = __webpack_require__(193);
+	
+	// TODO Can make this localStorage or something in the future?
+	let storage = JSON.parse(JSON.stringify(DEFAULTS));
+	
+	const PREF_INVALID = exports.PREF_INVALID = 0;
+	const PREF_STRING = exports.PREF_STRING = 32;
+	const PREF_INT = exports.PREF_INT = 64;
+	const PREF_BOOL = exports.PREF_BOOL = 128;
+	
+	/**
+	 * Returns a `Pref` object containing the following properties:
+	 *
+	 * `value` - The primitive value of the stored preference.
+	 * `type` - The enum type of the pref. Can be PREF_INVALID, PREF_STRING, PREF_INT, or PREF_BOOL.
+	 */
+	function findPref (pref) {
+	  let branchNames = pref.split(".");
+	  let branch = storage;
+	
+	  for (let branchName of branchNames) {
+	    branch = branch[branchName];
+	    if (!branch) {
+	      branch = {};
+	    }
+	  }
+	
+	  return branch;
+	}
+	
+	function setPrefValue (pref, value) {
+	  let obj = findPref(pref);
+	  obj.value = value;
+	}
+	
+	function getPrefValue (pref) {
+	  return findPref(pref).value;
+	}
+	
+	
+	const addObserver = exports.addObserver = function (domain, observer, holdWeak) {
+	  console.log("TODO implement addObserver");
+	};
+	
+	const removeObserver = exports.removeObserver = function (domain, observer, holdWeak) {
+	  console.log("TODO implement removeObserver");
+	};
+	
+	const resetPrefs = exports.resetPrefs = function () {
+	  storage = JSON.parse(JSON.stringify(DEFAULTS));
+	};
+	
+	const getPrefType = exports.getPrefType = function (pref) {
+	  return findPref(pref).type;
+	};
+	
+	const setBoolPref = exports.setBoolPref = function (pref, value) {
+	  if (typeof value !== "boolean") {
+	    throw new Error("Cannot setBoolPref without a boolean.");
+	  }
+	  if (getPrefType(pref) && getPrefType(pref) !== PREF_BOOL) {
+	    throw new Error("Can only call setBoolPref on boolean type prefs.");
+	  }
+	  setPrefValue(pref, value);
+	};
+	
+	exports.setCharPref = function (pref, value) {
+	  if (typeof value !== "string") {
+	    throw new Error("Cannot setCharPref without a string.");
+	  }
+	  if (getPrefType(pref) && getPrefType(pref) !== PREF_STRING) {
+	    throw new Error("Can only call setCharPref on string type prefs.");
+	  }
+	  setPrefValue(pref, value);
+	};
+	
+	exports.setIntPref = function (pref, value) {
+	  if (typeof value !== "number" && (parseInt(value) !== value)) {
+	    throw new Error("Cannot setCharPref without an integer.");
+	  }
+	  if (getPrefType(pref) && getPrefType(pref) !== PREF_INT) {
+	    throw new Error("Can only call setIntPref on number type prefs.");
+	  }
+	  setPrefValue(pref, value);
+	};
+	
+	exports.getBoolPref = function (pref) {
+	  if (getPrefType(pref) !== PREF_BOOL) {
+	    console.log(`No cached boolean pref for ${pref}`);
+	    return undefined;
+	  }
+	  return getPrefValue(pref);
+	};
+	
+	exports.getCharPref = function (pref) {
+	  if (getPrefType(pref) !== PREF_STRING) {
+	    console.log(`No cached char pref for ${pref}`);
+	    return undefined;
+	  }
+	  return getPrefValue(pref);
+	};
+	
+	exports.getIntPref = function (pref) {
+	  if (getPrefType(pref) !== PREF_INT) {
+	    console.log(`No cached int pref for ${pref}`);
+	    return undefined;
+	  }
+	  return getPrefValue(pref);
+	};
+	
+	exports.getComplexValue = function (pref) {
+	  // XXX: Implement me
+	  return  {
+	    data: ''
+	  }
+	};
+	
+	exports.getBranch = function (pref) {
+	  return {
+	    addObserver: () => {},
+	    removeObserver: () => {},
+	  }
+	};
+	
+	exports.prefHasUserValue = function (pref) {
+	  // XXX: Implement me
+	  return false;
+	};
+
+
+/***/ },
+/* 193 */
+/***/ function(module, exports) {
+
+	module.exports = {
+	  "devtools": {
+	    "devedition": {
+	      "promo": {
+	        "shown": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "url": {
+	          "value": "https://www.mozilla.org/firefox/developer/?utm_source=firefox-dev-tools&utm_medium=firefox-browser&utm_content=betadoorhanger",
+	          "type": 32
+	        },
+	        "enabled": {
+	          "value": false,
+	          "type": 128
+	        }
+	      }
+	    },
+	    "errorconsole": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "toolbar": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "visible": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "webide": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      }
+	    },
+	    "toolbox": {
+	      "footer": {
+	        "height": {
+	          "value": 250,
+	          "type": 64
+	        }
+	      },
+	      "sidebar": {
+	        "width": {
+	          "value": 500,
+	          "type": 64
+	        }
+	      },
+	      "host": {
+	        "value": "bottom",
+	        "type": 32
+	      },
+	      "previousHost": {
+	        "value": "side",
+	        "type": 32
+	      },
+	      "selectedTool": {
+	        "value": "webconsole",
+	        "type": 32
+	      },
+	      "toolbarSpec": {
+	        "value": "[\"splitconsole\", \"paintflashing toggle\",\"tilt toggle\",\"scratchpad\",\"resize toggle\",\"eyedropper\",\"screenshot --fullpage\", \"rulers\", \"measure\"]",
+	        "type": 32
+	      },
+	      "sideEnabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "zoomValue": {
+	        "value": "1",
+	        "type": 32
+	      },
+	      "splitconsoleEnabled": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "splitconsoleHeight": {
+	        "value": 100,
+	        "type": 64
+	      }
+	    },
+	    "inspector": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "activeSidebar": {
+	        "value": "ruleview",
+	        "type": 32
+	      },
+	      "remote": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "show_pseudo_elements": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "imagePreviewTooltipSize": {
+	        "value": 300,
+	        "type": 64
+	      },
+	      "showUserAgentStyles": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "showAllAnonymousContent": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "mdnDocsTooltip": {
+	        "enabled": {
+	          "value": true,
+	          "type": 128
+	        }
+	      }
+	    },
+	    "defaultColorUnit": {
+	      "value": "authored",
+	      "type": 32
+	    },
+	    "debugger": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "workers": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "promise": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "memory": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "performance": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "ui": {
+	        "experimental": {
+	          "value": false,
+	          "type": 128
+	        }
+	      }
+	    },
+	    "cache": {
+	      "disabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "serviceWorkers": {
+	      "testing": {
+	        "enabled": {
+	          "value": false,
+	          "type": 128
+	        }
+	      }
+	    },
+	    "netmonitor": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "statistics": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "filters": {
+	        "value": "[\"all\"]",
+	        "type": 32
+	      },
+	      "har": {
+	        "defaultLogDir": {
+	          "value": "",
+	          "type": 32
+	        },
+	        "defaultFileName": {
+	          "value": "Archive %y-%m-%d %H-%M-%S",
+	          "type": 32
+	        },
+	        "jsonp": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "jsonpCallback": {
+	          "value": "",
+	          "type": 32
+	        },
+	        "includeResponseBodies": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "compress": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "forceExport": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "pageLoadedTimeout": {
+	          "value": 1500,
+	          "type": 64
+	        },
+	        "enableAutoExportToFile": {
+	          "value": false,
+	          "type": 128
+	        }
+	      }
+	    },
+	    "tilt": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "intro_transition": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "outro_transition": {
+	        "value": true,
+	        "type": 128
+	      }
+	    },
+	    "scratchpad": {
+	      "recentFilesMax": {
+	        "value": 10,
+	        "type": 64
+	      },
+	      "lineNumbers": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "wrapText": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "showTrailingSpace": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "editorFontSize": {
+	        "value": 12,
+	        "type": 64
+	      },
+	      "enableAutocompletion": {
+	        "value": true,
+	        "type": 128
+	      }
+	    },
+	    "storage": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "styleeditor": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "showMediaSidebar": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "mediaSidebarWidth": {
+	        "value": 238,
+	        "type": 64
+	      },
+	      "navSidebarWidth": {
+	        "value": 245,
+	        "type": 64
+	      },
+	      "transitions": {
+	        "value": true,
+	        "type": 128
+	      }
+	    },
+	    "shadereditor": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "canvasdebugger": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "webaudioeditor": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "inspectorWidth": {
+	        "value": 300,
+	        "type": 64
+	      }
+	    },
+	    "webconsole": {
+	      "filter": {
+	        "network": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "networkinfo": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "netwarn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "netxhr": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "csserror": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "cssparser": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "csslog": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "exception": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "jswarn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "jslog": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "error": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "warn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "info": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "log": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "secerror": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "secwarn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "serviceworkers": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "sharedworkers": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "windowlessworkers": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "servererror": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "serverwarn": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "serverinfo": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "serverlog": {
+	          "value": false,
+	          "type": 128
+	        }
+	      },
+	      "fontSize": {
+	        "value": 0,
+	        "type": 64
+	      },
+	      "inputHistoryCount": {
+	        "value": 50,
+	        "type": 64
+	      },
+	      "persistlog": {
+	        "value": false,
+	        "type": 128
+	      },
+	      "timestampMessages": {
+	        "value": false,
+	        "type": 128
+	      }
+	    },
+	    "browserconsole": {
+	      "filter": {
+	        "network": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "networkinfo": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "netwarn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "netxhr": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "csserror": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "cssparser": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "csslog": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "exception": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "jswarn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "jslog": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "error": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "warn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "info": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "log": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "secerror": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "secwarn": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "serviceworkers": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "sharedworkers": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "windowlessworkers": {
+	          "value": true,
+	          "type": 128
+	        },
+	        "servererror": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "serverwarn": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "serverinfo": {
+	          "value": false,
+	          "type": 128
+	        },
+	        "serverlog": {
+	          "value": false,
+	          "type": 128
+	        }
+	      }
+	    },
+	    "hud": {
+	      "loglimit": {
+	        "network": {
+	          "value": 1000,
+	          "type": 64
+	        },
+	        "cssparser": {
+	          "value": 1000,
+	          "type": 64
+	        },
+	        "exception": {
+	          "value": 1000,
+	          "type": 64
+	        },
+	        "console": {
+	          "value": 1000,
+	          "type": 64
+	        }
+	      }
+	    },
+	    "eyedropper": {
+	      "zoom": {
+	        "value": 6,
+	        "type": 64
+	      }
+	    },
+	    "editor": {
+	      "tabsize": {
+	        "value": 2,
+	        "type": 64
+	      },
+	      "expandtab": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "keymap": {
+	        "value": "default",
+	        "type": 32
+	      },
+	      "autoclosebrackets": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "detectindentation": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "enableCodeFolding": {
+	        "value": true,
+	        "type": 128
+	      },
+	      "autocomplete": {
+	        "value": true,
+	        "type": 128
+	      }
+	    },
+	    "fontinspector": {
+	      "enabled": {
+	        "value": true,
+	        "type": 128
+	      }
+	    },
+	    "telemetry": {
+	      "tools": {
+	        "opened": {
+	          "version": {
+	            "value": "{}",
+	            "type": 32
+	          }
+	        }
+	      }
+	    },
+	    "jsonview": {
+	      "enabled": {
+	        "value": false,
+	        "type": 128
+	      }
+	    }
+	  }
+	}
+
+
+/***/ },
+/* 194 */
+/***/ function(module, exports) {
+
+	/*
+	 * A sham for https://dxr.mozilla.org/mozilla-central/source/toolkit/modules/Promise.jsm
+	 */
+	
+	/**
+	 * Promise.jsm is mostly the Promise web API with a `defer` method. Just drop this in here,
+	 * and use the native web API (although building with webpack/babel, it may replace this
+	 * with it's own version if we want to target environments that do not have `Promise`.
+	 */
+	
+	let p = typeof window != "undefined" ?  window.Promise : Promise;
+	p.defer = function defer() {
+	  var resolve, reject;
+	  var promise = new Promise(function() {
+	    resolve = arguments[0];
+	    reject = arguments[1];
+	  });
+	  return {
+	    resolve: resolve,
+	    reject: reject,
+	    promise: promise
+	  };
+	}
+	
+	module.exports = p;
+
+
+/***/ },
+/* 195 */
+/***/ function(module, exports) {
+
+	/*
+	 * A sham for https://dxr.mozilla.org/mozilla-central/source/toolkit/modules/FileUtils.jsm
+	 */
+
+
+/***/ },
+/* 196 */
+/***/ function(module, exports) {
+
+	/*
+	 * A sham for https://dxr.mozilla.org/mozilla-central/source/toolkit/modules/AppConstants.jsm
+	 */
+	
+	module.exports = { AppConstants: {} };
+
+
+/***/ },
+/* 197 */
+/***/ function(module, exports) {
+
+	/*
+	 * A sham for https://dxr.mozilla.org/mozilla-central/source/netwerk/base/NetUtil.jsm
+	 */
+
+
+/***/ },
+/* 198 */
+/***/ function(module, exports) {
+
+	/*
+	 * A sham for https://dxr.mozilla.org/mozilla-central/source/toolkit/components/osfile/osfile.jsm
+	 */
+
+
+/***/ },
+/* 199 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* vim:set ts=2 sw=2 sts=2 et: */
+	/*
+	 * Software License Agreement (BSD License)
+	 *
+	 * Copyright (c) 2007, Parakey Inc.
+	 * All rights reserved.
+	 *
+	 * Redistribution and use of this software in source and binary forms, with or without modification,
+	 * are permitted provided that the following conditions are met:
+	 *
+	 * * Redistributions of source code must retain the above
+	 *   copyright notice, this list of conditions and the
+	 *   following disclaimer.
+	 *
+	 * * Redistributions in binary form must reproduce the above
+	 *   copyright notice, this list of conditions and the
+	 *   following disclaimer in the documentation and/or other
+	 *   materials provided with the distribution.
+	 *
+	 * * Neither the name of Parakey Inc. nor the names of its
+	 *   contributors may be used to endorse or promote products
+	 *   derived from this software without specific prior
+	 *   written permission of Parakey Inc.
+	 *
+	 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR
+	 * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND
+	 * FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
+	 * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
+	 * DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
+	 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER
+	 * IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT
+	 * OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
+	 */
+	
+	/*
+	 * Creator:
+	 *  Joe Hewitt
+	 * Contributors
+	 *  John J. Barton (IBM Almaden)
+	 *  Jan Odvarko (Mozilla Corp.)
+	 *  Max Stepanov (Aptana Inc.)
+	 *  Rob Campbell (Mozilla Corp.)
+	 *  Hans Hillen (Paciello Group, Mozilla)
+	 *  Curtis Bartley (Mozilla Corp.)
+	 *  Mike Collins (IBM Almaden)
+	 *  Kevin Decker
+	 *  Mike Ratcliffe (Comartis AG)
+	 *  Hernan Rodríguez Colmeiro
+	 *  Austin Andrews
+	 *  Christoph Dorn
+	 *  Steven Roussey (AppCenter Inc, Network54)
+	 *  Mihai Sucan (Mozilla Corp.)
+	 */
+	
+	"use strict";
+	
+	const {components, Cc, Ci, Cu} = __webpack_require__(183);
+	const { NetUtil } = __webpack_require__(197);
+	const DevToolsUtils = __webpack_require__(182);
+	
+	// The cache used in the `nsIURL` function.
+	const gNSURLStore = new Map();
+	
+	/**
+	 * Helper object for networking stuff.
+	 *
+	 * Most of the following functions have been taken from the Firebug source. They
+	 * have been modified to match the Firefox coding rules.
+	 */
+	var NetworkHelper = {
+	  /**
+	   * Converts aText with a given aCharset to unicode.
+	   *
+	   * @param string aText
+	   *        Text to convert.
+	   * @param string aCharset
+	   *        Charset to convert the text to.
+	   * @returns string
+	   *          Converted text.
+	   */
+	  convertToUnicode: function NH_convertToUnicode(aText, aCharset)
+	  {
+	    let conv = Cc("@mozilla.org/intl/scriptableunicodeconverter").
+	               createInstance(Ci.nsIScriptableUnicodeConverter);
+	    try {
+	      conv.charset = aCharset || "UTF-8";
+	      return conv.ConvertToUnicode(aText);
+	    }
+	    catch (ex) {
+	      return aText;
+	    }
+	  },
+	
+	  /**
+	   * Reads all available bytes from aStream and converts them to aCharset.
+	   *
+	   * @param nsIInputStream aStream
+	   * @param string aCharset
+	   * @returns string
+	   *          UTF-16 encoded string based on the content of aStream and aCharset.
+	   */
+	  readAndConvertFromStream: function NH_readAndConvertFromStream(aStream, aCharset)
+	  {
+	    let text = null;
+	    try {
+	      text = NetUtil.readInputStreamToString(aStream, aStream.available())
+	      return this.convertToUnicode(text, aCharset);
+	    }
+	    catch (err) {
+	      return text;
+	    }
+	  },
+	
+	   /**
+	   * Reads the posted text from aRequest.
+	   *
+	   * @param nsIHttpChannel aRequest
+	   * @param string aCharset
+	   *        The content document charset, used when reading the POSTed data.
+	   * @returns string or null
+	   *          Returns the posted string if it was possible to read from aRequest
+	   *          otherwise null.
+	   */
+	  readPostTextFromRequest: function NH_readPostTextFromRequest(aRequest, aCharset)
+	  {
+	    if (aRequest instanceof Ci.nsIUploadChannel) {
+	      let iStream = aRequest.uploadStream;
+	
+	      let isSeekableStream = false;
+	      if (iStream instanceof Ci.nsISeekableStream) {
+	        isSeekableStream = true;
+	      }
+	
+	      let prevOffset;
+	      if (isSeekableStream) {
+	        prevOffset = iStream.tell();
+	        iStream.seek(Ci.nsISeekableStream.NS_SEEK_SET, 0);
+	      }
+	
+	      // Read data from the stream.
+	      let text = this.readAndConvertFromStream(iStream, aCharset);
+	
+	      // Seek locks the file, so seek to the beginning only if necko hasn't
+	      // read it yet, since necko doesn't seek to 0 before reading (at lest
+	      // not till 459384 is fixed).
+	      if (isSeekableStream && prevOffset == 0) {
+	        iStream.seek(Ci.nsISeekableStream.NS_SEEK_SET, 0);
+	      }
+	      return text;
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Reads the posted text from the page's cache.
+	   *
+	   * @param nsIDocShell aDocShell
+	   * @param string aCharset
+	   * @returns string or null
+	   *          Returns the posted string if it was possible to read from
+	   *          aDocShell otherwise null.
+	   */
+	  readPostTextFromPage: function NH_readPostTextFromPage(aDocShell, aCharset)
+	  {
+	    let webNav = aDocShell.QueryInterface(Ci.nsIWebNavigation);
+	    return this.readPostTextFromPageViaWebNav(webNav, aCharset);
+	  },
+	
+	  /**
+	   * Reads the posted text from the page's cache, given an nsIWebNavigation
+	   * object.
+	   *
+	   * @param nsIWebNavigation aWebNav
+	   * @param string aCharset
+	   * @returns string or null
+	   *          Returns the posted string if it was possible to read from
+	   *          aWebNav, otherwise null.
+	   */
+	  readPostTextFromPageViaWebNav:
+	  function NH_readPostTextFromPageViaWebNav(aWebNav, aCharset)
+	  {
+	    if (aWebNav instanceof Ci.nsIWebPageDescriptor) {
+	      let descriptor = aWebNav.currentDescriptor;
+	
+	      if (descriptor instanceof Ci.nsISHEntry && descriptor.postData &&
+	          descriptor instanceof Ci.nsISeekableStream) {
+	        descriptor.seek(NS_SEEK_SET, 0);
+	
+	        return this.readAndConvertFromStream(descriptor, aCharset);
+	      }
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Gets the web appId that is associated with aRequest.
+	   *
+	   * @param nsIHttpChannel aRequest
+	   * @returns number|null
+	   *          The appId for the given request, if available.
+	   */
+	  getAppIdForRequest: function NH_getAppIdForRequest(aRequest)
+	  {
+	    try {
+	      return this.getRequestLoadContext(aRequest).appId;
+	    } catch (ex) {
+	      // request loadContent is not always available.
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Gets the topFrameElement that is associated with aRequest. This
+	   * works in single-process and multiprocess contexts. It may cross
+	   * the content/chrome boundary.
+	   *
+	   * @param nsIHttpChannel aRequest
+	   * @returns nsIDOMElement|null
+	   *          The top frame element for the given request.
+	   */
+	  getTopFrameForRequest: function NH_getTopFrameForRequest(aRequest)
+	  {
+	    try {
+	      return this.getRequestLoadContext(aRequest).topFrameElement;
+	    } catch (ex) {
+	      // request loadContent is not always available.
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Gets the nsIDOMWindow that is associated with aRequest.
+	   *
+	   * @param nsIHttpChannel aRequest
+	   * @returns nsIDOMWindow or null
+	   */
+	  getWindowForRequest: function NH_getWindowForRequest(aRequest)
+	  {
+	    try {
+	      return this.getRequestLoadContext(aRequest).associatedWindow;
+	    } catch (ex) {
+	      // TODO: bug 802246 - getWindowForRequest() throws on b2g: there is no
+	      // associatedWindow property.
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Gets the nsILoadContext that is associated with aRequest.
+	   *
+	   * @param nsIHttpChannel aRequest
+	   * @returns nsILoadContext or null
+	   */
+	  getRequestLoadContext: function NH_getRequestLoadContext(aRequest)
+	  {
+	    try {
+	      return aRequest.notificationCallbacks.getInterface(Ci.nsILoadContext);
+	    } catch (ex) { }
+	
+	    try {
+	      return aRequest.loadGroup.notificationCallbacks.getInterface(Ci.nsILoadContext);
+	    } catch (ex) { }
+	
+	    return null;
+	  },
+	
+	  /**
+	   * Determines whether the request has been made for the top level document.
+	   *
+	   * @param nsIHttpChannel aRequest
+	   * @returns Boolean True if the request represents the top level document.
+	   */
+	  isTopLevelLoad: function(aRequest)
+	  {
+	    if (aRequest instanceof Ci.nsIChannel) {
+	      let loadInfo = aRequest.loadInfo;
+	      if (loadInfo && loadInfo.parentOuterWindowID == loadInfo.outerWindowID) {
+	        return (aRequest.loadFlags & Ci.nsIChannel.LOAD_DOCUMENT_URI);
+	      }
+	    }
+	
+	    return false;
+	  },
+	
+	  /**
+	   * Loads the content of aUrl from the cache.
+	   *
+	   * @param string aUrl
+	   *        URL to load the cached content for.
+	   * @param string aCharset
+	   *        Assumed charset of the cached content. Used if there is no charset
+	   *        on the channel directly.
+	   * @param function aCallback
+	   *        Callback that is called with the loaded cached content if available
+	   *        or null if something failed while getting the cached content.
+	   */
+	  loadFromCache: function NH_loadFromCache(aUrl, aCharset, aCallback)
+	  {
+	    let channel = NetUtil.newChannel({uri: aUrl, loadUsingSystemPrincipal: true});
+	
+	    // Ensure that we only read from the cache and not the server.
+	    channel.loadFlags = Ci.nsIRequest.LOAD_FROM_CACHE |
+	      Ci.nsICachingChannel.LOAD_ONLY_FROM_CACHE |
+	      Ci.nsICachingChannel.LOAD_BYPASS_LOCAL_CACHE_IF_BUSY;
+	
+	    NetUtil.asyncFetch(
+	      channel,
+	      (aInputStream, aStatusCode, aRequest) => {
+	        if (!components.isSuccessCode(aStatusCode)) {
+	          aCallback(null);
+	          return;
+	        }
+	
+	        // Try to get the encoding from the channel. If there is none, then use
+	        // the passed assumed aCharset.
+	        let aChannel = aRequest.QueryInterface(Ci.nsIChannel);
+	        let contentCharset = aChannel.contentCharset || aCharset;
+	
+	        // Read the content of the stream using contentCharset as encoding.
+	        aCallback(this.readAndConvertFromStream(aInputStream, contentCharset));
+	      });
+	  },
+	
+	  /**
+	   * Parse a raw Cookie header value.
+	   *
+	   * @param string aHeader
+	   *        The raw Cookie header value.
+	   * @return array
+	   *         Array holding an object for each cookie. Each object holds the
+	   *         following properties: name and value.
+	   */
+	  parseCookieHeader: function NH_parseCookieHeader(aHeader)
+	  {
+	    let cookies = aHeader.split(";");
+	    let result = [];
+	
+	    cookies.forEach(function(aCookie) {
+	      let equal = aCookie.indexOf("=");
+	      let name = aCookie.substr(0, equal);
+	      let value = aCookie.substr(equal + 1);
+	      result.push({name: unescape(name.trim()),
+	                   value: unescape(value.trim())});
+	    });
+	
+	    return result;
+	  },
+	
+	  /**
+	   * Parse a raw Set-Cookie header value.
+	   *
+	   * @param string aHeader
+	   *        The raw Set-Cookie header value.
+	   * @return array
+	   *         Array holding an object for each cookie. Each object holds the
+	   *         following properties: name, value, secure (boolean), httpOnly
+	   *         (boolean), path, domain and expires (ISO date string).
+	   */
+	  parseSetCookieHeader: function NH_parseSetCookieHeader(aHeader)
+	  {
+	    let rawCookies = aHeader.split(/\r\n|\n|\r/);
+	    let cookies = [];
+	
+	    rawCookies.forEach(function(aCookie) {
+	      let equal = aCookie.indexOf("=");
+	      let name = unescape(aCookie.substr(0, equal).trim());
+	      let parts = aCookie.substr(equal + 1).split(";");
+	      let value = unescape(parts.shift().trim());
+	
+	      let cookie = {name: name, value: value};
+	
+	      parts.forEach(function(aPart) {
+	        let part = aPart.trim();
+	        if (part.toLowerCase() == "secure") {
+	          cookie.secure = true;
+	        }
+	        else if (part.toLowerCase() == "httponly") {
+	          cookie.httpOnly = true;
+	        }
+	        else if (part.indexOf("=") > -1) {
+	          let pair = part.split("=");
+	          pair[0] = pair[0].toLowerCase();
+	          if (pair[0] == "path" || pair[0] == "domain") {
+	            cookie[pair[0]] = pair[1];
+	          }
+	          else if (pair[0] == "expires") {
+	            try {
+	              pair[1] = pair[1].replace(/-/g, ' ');
+	              cookie.expires = new Date(pair[1]).toISOString();
+	            }
+	            catch (ex) { }
+	          }
+	        }
+	      });
+	
+	      cookies.push(cookie);
+	    });
+	
+	    return cookies;
+	  },
+	
+	  // This is a list of all the mime category maps jviereck could find in the
+	  // firebug code base.
+	  mimeCategoryMap: {
+	    "text/plain": "txt",
+	    "text/html": "html",
+	    "text/xml": "xml",
+	    "text/xsl": "txt",
+	    "text/xul": "txt",
+	    "text/css": "css",
+	    "text/sgml": "txt",
+	    "text/rtf": "txt",
+	    "text/x-setext": "txt",
+	    "text/richtext": "txt",
+	    "text/javascript": "js",
+	    "text/jscript": "txt",
+	    "text/tab-separated-values": "txt",
+	    "text/rdf": "txt",
+	    "text/xif": "txt",
+	    "text/ecmascript": "js",
+	    "text/vnd.curl": "txt",
+	    "text/x-json": "json",
+	    "text/x-js": "txt",
+	    "text/js": "txt",
+	    "text/vbscript": "txt",
+	    "view-source": "txt",
+	    "view-fragment": "txt",
+	    "application/xml": "xml",
+	    "application/xhtml+xml": "xml",
+	    "application/atom+xml": "xml",
+	    "application/rss+xml": "xml",
+	    "application/vnd.mozilla.maybe.feed": "xml",
+	    "application/vnd.mozilla.xul+xml": "xml",
+	    "application/javascript": "js",
+	    "application/x-javascript": "js",
+	    "application/x-httpd-php": "txt",
+	    "application/rdf+xml": "xml",
+	    "application/ecmascript": "js",
+	    "application/http-index-format": "txt",
+	    "application/json": "json",
+	    "application/x-js": "txt",
+	    "multipart/mixed": "txt",
+	    "multipart/x-mixed-replace": "txt",
+	    "image/svg+xml": "svg",
+	    "application/octet-stream": "bin",
+	    "image/jpeg": "image",
+	    "image/jpg": "image",
+	    "image/gif": "image",
+	    "image/png": "image",
+	    "image/bmp": "image",
+	    "application/x-shockwave-flash": "flash",
+	    "video/x-flv": "flash",
+	    "audio/mpeg3": "media",
+	    "audio/x-mpeg-3": "media",
+	    "video/mpeg": "media",
+	    "video/x-mpeg": "media",
+	    "audio/ogg": "media",
+	    "application/ogg": "media",
+	    "application/x-ogg": "media",
+	    "application/x-midi": "media",
+	    "audio/midi": "media",
+	    "audio/x-mid": "media",
+	    "audio/x-midi": "media",
+	    "music/crescendo": "media",
+	    "audio/wav": "media",
+	    "audio/x-wav": "media",
+	    "text/json": "json",
+	    "application/x-json": "json",
+	    "application/json-rpc": "json",
+	    "application/x-web-app-manifest+json": "json",
+	    "application/manifest+json": "json"
+	  },
+	
+	  /**
+	   * Check if the given MIME type is a text-only MIME type.
+	   *
+	   * @param string aMimeType
+	   * @return boolean
+	   */
+	  isTextMimeType: function NH_isTextMimeType(aMimeType)
+	  {
+	    if (aMimeType.indexOf("text/") == 0) {
+	      return true;
+	    }
+	
+	    // XML and JSON often come with custom MIME types, so in addition to the
+	    // standard "application/xml" and "application/json", we also look for
+	    // variants like "application/x-bigcorp+xml". For JSON we allow "+json" and
+	    // "-json" as suffixes.
+	    if (/^application\/\w+(?:[\.-]\w+)*(?:\+xml|[-+]json)$/.test(aMimeType)) {
+	      return true;
+	    }
+	
+	    let category = this.mimeCategoryMap[aMimeType] || null;
+	    switch (category) {
+	      case "txt":
+	      case "js":
+	      case "json":
+	      case "css":
+	      case "html":
+	      case "svg":
+	      case "xml":
+	        return true;
+	
+	      default:
+	        return false;
+	    }
+	  },
+	
+	  /**
+	   * Takes a securityInfo object of nsIRequest, the nsIRequest itself and
+	   * extracts security information from them.
+	   *
+	   * @param object securityInfo
+	   *        The securityInfo object of a request. If null channel is assumed
+	   *        to be insecure.
+	   * @param object httpActivity
+	   *        The httpActivity object for the request with at least members
+	   *        { private, hostname }.
+	   *
+	   * @return object
+	   *         Returns an object containing following members:
+	   *          - state: The security of the connection used to fetch this
+	   *                   request. Has one of following string values:
+	   *                    * "insecure": the connection was not secure (only http)
+	   *                    * "weak": the connection has minor security issues
+	   *                    * "broken": secure connection failed (e.g. expired cert)
+	   *                    * "secure": the connection was properly secured.
+	   *          If state == broken:
+	   *            - errorMessage: full error message from nsITransportSecurityInfo.
+	   *          If state == secure:
+	   *            - protocolVersion: one of TLSv1, TLSv1.1, TLSv1.2.
+	   *            - cipherSuite: the cipher suite used in this connection.
+	   *            - cert: information about certificate used in this connection.
+	   *                    See parseCertificateInfo for the contents.
+	   *            - hsts: true if host uses Strict Transport Security, false otherwise
+	   *            - hpkp: true if host uses Public Key Pinning, false otherwise
+	   *          If state == weak: Same as state == secure and
+	   *            - weaknessReasons: list of reasons that cause the request to be
+	   *                               considered weak. See getReasonsForWeakness.
+	   */
+	  parseSecurityInfo: function NH_parseSecurityInfo(securityInfo, httpActivity) {
+	    const info = {
+	      state: "insecure",
+	    };
+	
+	    // The request did not contain any security info.
+	    if (!securityInfo) {
+	      return info;
+	    }
+	
+	    /**
+	     * Different scenarios to consider here and how they are handled:
+	     * - request is HTTP, the connection is not secure
+	     *   => securityInfo is null
+	     *      => state === "insecure"
+	     *
+	     * - request is HTTPS, the connection is secure
+	     *   => .securityState has STATE_IS_SECURE flag
+	     *      => state === "secure"
+	     *
+	     * - request is HTTPS, the connection has security issues
+	     *   => .securityState has STATE_IS_INSECURE flag
+	     *   => .errorCode is an NSS error code.
+	     *      => state === "broken"
+	     *
+	     * - request is HTTPS, the connection was terminated before the security
+	     *   could be validated
+	     *   => .securityState has STATE_IS_INSECURE flag
+	     *   => .errorCode is NOT an NSS error code.
+	     *   => .errorMessage is not available.
+	     *      => state === "insecure"
+	     *
+	     * - request is HTTPS but it uses a weak cipher or old protocol, see
+	     *   http://hg.mozilla.org/mozilla-central/annotate/def6ed9d1c1a/
+	     *   security/manager/ssl/nsNSSCallbacks.cpp#l1233
+	     * - request is mixed content (which makes no sense whatsoever)
+	     *   => .securityState has STATE_IS_BROKEN flag
+	     *   => .errorCode is NOT an NSS error code
+	     *   => .errorMessage is not available
+	     *      => state === "weak"
+	     */
+	
+	    securityInfo.QueryInterface(Ci.nsITransportSecurityInfo);
+	    securityInfo.QueryInterface(Ci.nsISSLStatusProvider);
+	
+	    const wpl = Ci.nsIWebProgressListener;
+	    const NSSErrorsService = Cc['@mozilla.org/nss_errors_service;1']
+	                               .getService(Ci.nsINSSErrorsService);
+	    const SSLStatus = securityInfo.SSLStatus;
+	    if (!NSSErrorsService.isNSSErrorCode(securityInfo.errorCode)) {
+	      const state = securityInfo.securityState;
+	
+	      let uri = null;
+	      if (httpActivity.channel && httpActivity.channel.URI) {
+	        uri = httpActivity.channel.URI;
+	      }
+	      if (uri && !uri.schemeIs("https") && !uri.schemeIs("wss")) {
+	        // it is not enough to look at the transport security info - schemes other than
+	        // https and wss are subject to downgrade/etc at the scheme level and should
+	        // always be considered insecure
+	        info.state = "insecure";
+	      } else if (state & wpl.STATE_IS_SECURE) {
+	        // The connection is secure if the scheme is sufficient
+	        info.state = "secure";
+	      } else if (state & wpl.STATE_IS_BROKEN) {
+	        // The connection is not secure, there was no error but there's some
+	        // minor security issues.
+	        info.state = "weak";
+	        info.weaknessReasons = this.getReasonsForWeakness(state);
+	      } else if (state & wpl.STATE_IS_INSECURE) {
+	        // This was most likely an https request that was aborted before
+	        // validation. Return info as info.state = insecure.
+	        return info;
+	      } else {
+	        DevToolsUtils.reportException("NetworkHelper.parseSecurityInfo",
+	          "Security state " + state + " has no known STATE_IS_* flags.");
+	        return info;
+	      }
+	
+	      // Cipher suite.
+	      info.cipherSuite = SSLStatus.cipherName;
+	
+	      // Protocol version.
+	      info.protocolVersion = this.formatSecurityProtocol(SSLStatus.protocolVersion);
+	
+	      // Certificate.
+	      info.cert = this.parseCertificateInfo(SSLStatus.serverCert);
+	
+	      // HSTS and HPKP if available.
+	      if (httpActivity.hostname) {
+	        const sss = Cc("@mozilla.org/ssservice;1")
+	                      .getService(Ci.nsISiteSecurityService);
+	
+	
+	        // SiteSecurityService uses different storage if the channel is
+	        // private. Thus we must give isSecureHost correct flags or we
+	        // might get incorrect results.
+	        let flags = (httpActivity.private) ?
+	                      Ci.nsISocketProvider.NO_PERMANENT_STORAGE : 0;
+	
+	        let host = httpActivity.hostname;
+	
+	        info.hsts = sss.isSecureHost(sss.HEADER_HSTS, host, flags);
+	        info.hpkp = sss.isSecureHost(sss.HEADER_HPKP, host, flags);
+	      } else {
+	        DevToolsUtils.reportException("NetworkHelper.parseSecurityInfo",
+	          "Could not get HSTS/HPKP status as hostname is not available.");
+	        info.hsts = false;
+	        info.hpkp = false;
+	      }
+	
+	    } else {
+	      // The connection failed.
+	      info.state = "broken";
+	      info.errorMessage = securityInfo.errorMessage;
+	    }
+	
+	    return info;
+	  },
+	
+	  /**
+	   * Takes an nsIX509Cert and returns an object with certificate information.
+	   *
+	   * @param nsIX509Cert cert
+	   *        The certificate to extract the information from.
+	   * @return object
+	   *         An object with following format:
+	   *           {
+	   *             subject: { commonName, organization, organizationalUnit },
+	   *             issuer: { commonName, organization, organizationUnit },
+	   *             validity: { start, end },
+	   *             fingerprint: { sha1, sha256 }
+	   *           }
+	   */
+	  parseCertificateInfo: function NH_parseCertifificateInfo(cert) {
+	    let info = {};
+	    if (cert) {
+	      info.subject = {
+	        commonName: cert.commonName,
+	        organization: cert.organization,
+	        organizationalUnit: cert.organizationalUnit,
+	      };
+	
+	      info.issuer = {
+	        commonName: cert.issuerCommonName,
+	        organization: cert.issuerOrganization,
+	        organizationUnit: cert.issuerOrganizationUnit,
+	      };
+	
+	      info.validity = {
+	        start: cert.validity.notBeforeLocalDay,
+	        end: cert.validity.notAfterLocalDay,
+	      };
+	
+	      info.fingerprint = {
+	        sha1: cert.sha1Fingerprint,
+	        sha256: cert.sha256Fingerprint,
+	      };
+	    } else {
+	      DevToolsUtils.reportException("NetworkHelper.parseCertificateInfo",
+	        "Secure connection established without certificate.");
+	    }
+	
+	    return info;
+	  },
+	
+	  /**
+	   * Takes protocolVersion of SSLStatus object and returns human readable
+	   * description.
+	   *
+	   * @param Number version
+	   *        One of nsISSLStatus version constants.
+	   * @return string
+	   *         One of TLSv1, TLSv1.1, TLSv1.2 if @param version is valid,
+	   *         Unknown otherwise.
+	   */
+	  formatSecurityProtocol: function NH_formatSecurityProtocol(version) {
+	    switch (version) {
+	      case Ci.nsISSLStatus.TLS_VERSION_1:
+	        return "TLSv1";
+	      case Ci.nsISSLStatus.TLS_VERSION_1_1:
+	        return "TLSv1.1";
+	      case Ci.nsISSLStatus.TLS_VERSION_1_2:
+	        return "TLSv1.2";
+	      default:
+	        DevToolsUtils.reportException("NetworkHelper.formatSecurityProtocol",
+	          "protocolVersion " + version + " is unknown.");
+	        return "Unknown";
+	    }
+	  },
+	
+	  /**
+	   * Takes the securityState bitfield and returns reasons for weak connection
+	   * as an array of strings.
+	   *
+	   * @param Number state
+	   *        nsITransportSecurityInfo.securityState.
+	   *
+	   * @return Array[String]
+	   *         List of weakness reasons. A subset of { cipher } where
+	   *         * cipher: The cipher suite is consireded to be weak (RC4).
+	   */
+	  getReasonsForWeakness: function NH_getReasonsForWeakness(state) {
+	    const wpl = Ci.nsIWebProgressListener;
+	
+	    // If there's non-fatal security issues the request has STATE_IS_BROKEN
+	    // flag set. See http://hg.mozilla.org/mozilla-central/file/44344099d119
+	    // /security/manager/ssl/nsNSSCallbacks.cpp#l1233
+	    let reasons = [];
+	
+	    if (state & wpl.STATE_IS_BROKEN) {
+	      let isCipher = state & wpl.STATE_USES_WEAK_CRYPTO;
+	
+	      if (isCipher) {
+	        reasons.push("cipher");
+	      }
+	
+	      if (!isCipher) {
+	        DevToolsUtils.reportException("NetworkHelper.getReasonsForWeakness",
+	          "STATE_IS_BROKEN without a known reason. Full state was: " + state);
+	      }
+	    }
+	
+	    return reasons;
+	  },
+	
+	  /**
+	   * Parse a url's query string into its components
+	   *
+	   * @param string aQueryString
+	   *        The query part of a url
+	   * @return array
+	   *         Array of query params {name, value}
+	   */
+	  parseQueryString: function(aQueryString) {
+	    // Make sure there's at least one param available.
+	    // Be careful here, params don't necessarily need to have values, so
+	    // no need to verify the existence of a "=".
+	    if (!aQueryString) {
+	      return;
+	    }
+	
+	    // Turn the params string into an array containing { name: value } tuples.
+	    let paramsArray = aQueryString.replace(/^[?&]/, "").split("&").map(e => {
+	      let param = e.split("=");
+	      return {
+	        name: param[0] ? NetworkHelper.convertToUnicode(unescape(param[0])) : "",
+	        value: param[1] ? NetworkHelper.convertToUnicode(unescape(param[1])) : ""
+	      }});
+	
+	    return paramsArray;
+	  },
+	
+	  /**
+	   * Helper for getting an nsIURL instance out of a string.
+	   */
+	  nsIURL: function(aUrl, aStore = gNSURLStore) {
+	    if (aStore.has(aUrl)) {
+	      return aStore.get(aUrl);
+	    }
+	
+	    let uri = Services.io.newURI(aUrl, null, null).QueryInterface(Ci.nsIURL);
+	    aStore.set(aUrl, uri);
+	    return uri;
+	  }
+	};
+	
+	for (let prop of Object.getOwnPropertyNames(NetworkHelper)) {
+	  exports[prop] = NetworkHelper[prop];
+	}
+
+
+/***/ },
+/* 200 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(201);
+	
+	var isDevelopment = _require.isDevelopment;
+	var isTesting = _require.isTesting;
+	
+	
+	function debugGlobal(field, value) {
+	  if (isDevelopment() || isTesting()) {
+	    window[field] = value;
+	  }
+	}
+	
+	function injectGlobals(_ref) {
+	  var store = _ref.store;
+	
+	  debugGlobal("store", store);
+	  debugGlobal("injectDebuggee", __webpack_require__(250));
+	  debugGlobal("serializeStore", () => {
+	    return JSON.parse(JSON.stringify(store.getState()));
+	  });
+	}
+	
+	module.exports = {
+	  debugGlobal,
+	  injectGlobals
+	};
+
+/***/ },
+/* 201 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * This module maps to the config/feature.js to enable
+	 * feature checking within the context of the debugger
+	 */
+	var feature = __webpack_require__(202);
+	
+	module.exports = feature;
+
+/***/ },
+/* 202 */
+/***/ function(module, exports, __webpack_require__) {
+
+	"use strict";
+	
+	var flag = __webpack_require__(203);
+	var pick = __webpack_require__(204);
+	var config = void 0;
+	
+	/**
+	 * Gets a config value for a given key
+	 * e.g "chrome.webSocketPort"
+	 */
+	function getValue(key) {
+	  return pick(config, key);
+	}
+	
+	function isEnabled(key) {
+	  return config.features[key];
+	}
+	
+	function isDevelopment() {
+	  if (isFirefoxPanel()) {
+	    // Default to production if compiling for the Firefox panel
+	    return ("development") === "development";
+	  }
+	  return ("development") !== "production";
+	}
+	
+	function isTesting() {
+	  return flag.testing;
+	}
+	
+	function isFirefoxPanel() {
+	  return ("local") == "firefox-panel";
+	}
+	
+	function isFirefox() {
+	  return (/firefox/i.test(navigator.userAgent)
+	  );
+	}
+	
+	function setConfig(value) {
+	  config = value;
+	}
+	
+	function getConfig() {
+	  return config;
+	}
+	
+	module.exports = {
+	  isEnabled,
+	  getValue,
+	  isDevelopment,
+	  isTesting,
+	  isFirefoxPanel,
+	  isFirefox,
+	  getConfig,
+	  setConfig
+	};
+
+/***/ },
+/* 203 */
+/***/ function(module, exports) {
+
+	module.exports = { testing: false };
+
+/***/ },
+/* 204 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseGet = __webpack_require__(205);
+	
+	/**
+	 * Gets the value at `path` of `object`. If the resolved value is
+	 * `undefined`, the `defaultValue` is returned in its place.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 3.7.0
+	 * @category Object
+	 * @param {Object} object The object to query.
+	 * @param {Array|string} path The path of the property to get.
+	 * @param {*} [defaultValue] The value returned for `undefined` resolved values.
+	 * @returns {*} Returns the resolved value.
+	 * @example
+	 *
+	 * var object = { 'a': [{ 'b': { 'c': 3 } }] };
+	 *
+	 * _.get(object, 'a[0].b.c');
+	 * // => 3
+	 *
+	 * _.get(object, ['a', '0', 'b', 'c']);
+	 * // => 3
+	 *
+	 * _.get(object, 'a.b.c', 'default');
+	 * // => 'default'
+	 */
+	function get(object, path, defaultValue) {
+	  var result = object == null ? undefined : baseGet(object, path);
+	  return result === undefined ? defaultValue : result;
+	}
+	
+	module.exports = get;
+
+
+/***/ },
+/* 205 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var castPath = __webpack_require__(206),
+	    isKey = __webpack_require__(248),
+	    toKey = __webpack_require__(249);
+	
+	/**
+	 * The base implementation of `_.get` without support for default values.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @param {Array|string} path The path of the property to get.
+	 * @returns {*} Returns the resolved value.
+	 */
+	function baseGet(object, path) {
+	  path = isKey(path, object) ? [path] : castPath(path);
+	
+	  var index = 0,
+	      length = path.length;
+	
+	  while (object != null && index < length) {
+	    object = object[toKey(path[index++])];
+	  }
+	  return (index && index == length) ? object : undefined;
+	}
+	
+	module.exports = baseGet;
+
+
+/***/ },
+/* 206 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isArray = __webpack_require__(207),
+	    stringToPath = __webpack_require__(208);
+	
+	/**
+	 * Casts `value` to a path array if it's not one.
+	 *
+	 * @private
+	 * @param {*} value The value to inspect.
+	 * @returns {Array} Returns the cast property path array.
+	 */
+	function castPath(value) {
+	  return isArray(value) ? value : stringToPath(value);
+	}
+	
+	module.exports = castPath;
+
+
+/***/ },
+/* 207 */
+/***/ function(module, exports) {
+
+	/**
+	 * Checks if `value` is classified as an `Array` object.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.1.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is an array, else `false`.
+	 * @example
+	 *
+	 * _.isArray([1, 2, 3]);
+	 * // => true
+	 *
+	 * _.isArray(document.body.children);
+	 * // => false
+	 *
+	 * _.isArray('abc');
+	 * // => false
+	 *
+	 * _.isArray(_.noop);
+	 * // => false
+	 */
+	var isArray = Array.isArray;
+	
+	module.exports = isArray;
+
+
+/***/ },
+/* 208 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var memoize = __webpack_require__(209),
+	    toString = __webpack_require__(244);
+	
+	/** Used to match property names within property paths. */
+	var reLeadingDot = /^\./,
+	    rePropName = /[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g;
+	
+	/** Used to match backslashes in property paths. */
+	var reEscapeChar = /\\(\\)?/g;
+	
+	/**
+	 * Converts `string` to a property path array.
+	 *
+	 * @private
+	 * @param {string} string The string to convert.
+	 * @returns {Array} Returns the property path array.
+	 */
+	var stringToPath = memoize(function(string) {
+	  string = toString(string);
+	
+	  var result = [];
+	  if (reLeadingDot.test(string)) {
+	    result.push('');
+	  }
+	  string.replace(rePropName, function(match, number, quote, string) {
+	    result.push(quote ? string.replace(reEscapeChar, '$1') : (number || match));
+	  });
+	  return result;
+	});
+	
+	module.exports = stringToPath;
+
+
+/***/ },
+/* 209 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var MapCache = __webpack_require__(210);
+	
+	/** Used as the `TypeError` message for "Functions" methods. */
+	var FUNC_ERROR_TEXT = 'Expected a function';
+	
+	/**
+	 * Creates a function that memoizes the result of `func`. If `resolver` is
+	 * provided, it determines the cache key for storing the result based on the
+	 * arguments provided to the memoized function. By default, the first argument
+	 * provided to the memoized function is used as the map cache key. The `func`
+	 * is invoked with the `this` binding of the memoized function.
+	 *
+	 * **Note:** The cache is exposed as the `cache` property on the memoized
+	 * function. Its creation may be customized by replacing the `_.memoize.Cache`
+	 * constructor with one whose instances implement the
+	 * [`Map`](http://ecma-international.org/ecma-262/7.0/#sec-properties-of-the-map-prototype-object)
+	 * method interface of `delete`, `get`, `has`, and `set`.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.1.0
+	 * @category Function
+	 * @param {Function} func The function to have its output memoized.
+	 * @param {Function} [resolver] The function to resolve the cache key.
+	 * @returns {Function} Returns the new memoized function.
+	 * @example
+	 *
+	 * var object = { 'a': 1, 'b': 2 };
+	 * var other = { 'c': 3, 'd': 4 };
+	 *
+	 * var values = _.memoize(_.values);
+	 * values(object);
+	 * // => [1, 2]
+	 *
+	 * values(other);
+	 * // => [3, 4]
+	 *
+	 * object.a = 2;
+	 * values(object);
+	 * // => [1, 2]
+	 *
+	 * // Modify the result cache.
+	 * values.cache.set(object, ['a', 'b']);
+	 * values(object);
+	 * // => ['a', 'b']
+	 *
+	 * // Replace `_.memoize.Cache`.
+	 * _.memoize.Cache = WeakMap;
+	 */
+	function memoize(func, resolver) {
+	  if (typeof func != 'function' || (resolver && typeof resolver != 'function')) {
+	    throw new TypeError(FUNC_ERROR_TEXT);
+	  }
+	  var memoized = function() {
+	    var args = arguments,
+	        key = resolver ? resolver.apply(this, args) : args[0],
+	        cache = memoized.cache;
+	
+	    if (cache.has(key)) {
+	      return cache.get(key);
+	    }
+	    var result = func.apply(this, args);
+	    memoized.cache = cache.set(key, result);
+	    return result;
+	  };
+	  memoized.cache = new (memoize.Cache || MapCache);
+	  return memoized;
+	}
+	
+	// Assign cache to `_.memoize`.
+	memoize.Cache = MapCache;
+	
+	module.exports = memoize;
+
+
+/***/ },
+/* 210 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var mapCacheClear = __webpack_require__(211),
+	    mapCacheDelete = __webpack_require__(238),
+	    mapCacheGet = __webpack_require__(241),
+	    mapCacheHas = __webpack_require__(242),
+	    mapCacheSet = __webpack_require__(243);
+	
+	/**
+	 * Creates a map cache object to store key-value pairs.
+	 *
+	 * @private
+	 * @constructor
+	 * @param {Array} [entries] The key-value pairs to cache.
+	 */
+	function MapCache(entries) {
+	  var index = -1,
+	      length = entries ? entries.length : 0;
+	
+	  this.clear();
+	  while (++index < length) {
+	    var entry = entries[index];
+	    this.set(entry[0], entry[1]);
+	  }
+	}
+	
+	// Add methods to `MapCache`.
+	MapCache.prototype.clear = mapCacheClear;
+	MapCache.prototype['delete'] = mapCacheDelete;
+	MapCache.prototype.get = mapCacheGet;
+	MapCache.prototype.has = mapCacheHas;
+	MapCache.prototype.set = mapCacheSet;
+	
+	module.exports = MapCache;
+
+
+/***/ },
+/* 211 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Hash = __webpack_require__(212),
+	    ListCache = __webpack_require__(229),
+	    Map = __webpack_require__(237);
+	
+	/**
+	 * Removes all key-value entries from the map.
+	 *
+	 * @private
+	 * @name clear
+	 * @memberOf MapCache
+	 */
+	function mapCacheClear() {
+	  this.__data__ = {
+	    'hash': new Hash,
+	    'map': new (Map || ListCache),
+	    'string': new Hash
+	  };
+	}
+	
+	module.exports = mapCacheClear;
+
+
+/***/ },
+/* 212 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var hashClear = __webpack_require__(213),
+	    hashDelete = __webpack_require__(225),
+	    hashGet = __webpack_require__(226),
+	    hashHas = __webpack_require__(227),
+	    hashSet = __webpack_require__(228);
+	
+	/**
+	 * Creates a hash object.
+	 *
+	 * @private
+	 * @constructor
+	 * @param {Array} [entries] The key-value pairs to cache.
+	 */
+	function Hash(entries) {
+	  var index = -1,
+	      length = entries ? entries.length : 0;
+	
+	  this.clear();
+	  while (++index < length) {
+	    var entry = entries[index];
+	    this.set(entry[0], entry[1]);
+	  }
+	}
+	
+	// Add methods to `Hash`.
+	Hash.prototype.clear = hashClear;
+	Hash.prototype['delete'] = hashDelete;
+	Hash.prototype.get = hashGet;
+	Hash.prototype.has = hashHas;
+	Hash.prototype.set = hashSet;
+	
+	module.exports = Hash;
+
+
+/***/ },
+/* 213 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var nativeCreate = __webpack_require__(214);
+	
+	/**
+	 * Removes all key-value entries from the hash.
+	 *
+	 * @private
+	 * @name clear
+	 * @memberOf Hash
+	 */
+	function hashClear() {
+	  this.__data__ = nativeCreate ? nativeCreate(null) : {};
+	}
+	
+	module.exports = hashClear;
+
+
+/***/ },
+/* 214 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getNative = __webpack_require__(215);
+	
+	/* Built-in method references that are verified to be native. */
+	var nativeCreate = getNative(Object, 'create');
+	
+	module.exports = nativeCreate;
+
+
+/***/ },
+/* 215 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseIsNative = __webpack_require__(216),
+	    getValue = __webpack_require__(224);
+	
+	/**
+	 * Gets the native function at `key` of `object`.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @param {string} key The key of the method to get.
+	 * @returns {*} Returns the function if it's native, else `undefined`.
+	 */
+	function getNative(object, key) {
+	  var value = getValue(object, key);
+	  return baseIsNative(value) ? value : undefined;
+	}
+	
+	module.exports = getNative;
+
+
+/***/ },
+/* 216 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isFunction = __webpack_require__(217),
+	    isHostObject = __webpack_require__(7),
+	    isMasked = __webpack_require__(219),
+	    isObject = __webpack_require__(218),
+	    toSource = __webpack_require__(223);
+	
+	/**
+	 * Used to match `RegExp`
+	 * [syntax characters](http://ecma-international.org/ecma-262/7.0/#sec-patterns).
+	 */
+	var reRegExpChar = /[\\^$.*+?()[\]{}|]/g;
+	
+	/** Used to detect host constructors (Safari). */
+	var reIsHostCtor = /^\[object .+?Constructor\]$/;
+	
+	/** Used for built-in method references. */
+	var funcProto = Function.prototype,
+	    objectProto = Object.prototype;
+	
+	/** Used to resolve the decompiled source of functions. */
+	var funcToString = funcProto.toString;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/** Used to detect if a method is native. */
+	var reIsNative = RegExp('^' +
+	  funcToString.call(hasOwnProperty).replace(reRegExpChar, '\\$&')
+	  .replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g, '$1.*?') + '$'
+	);
+	
+	/**
+	 * The base implementation of `_.isNative` without bad shim checks.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a native function,
+	 *  else `false`.
+	 */
+	function baseIsNative(value) {
+	  if (!isObject(value) || isMasked(value)) {
+	    return false;
+	  }
+	  var pattern = (isFunction(value) || isHostObject(value)) ? reIsNative : reIsHostCtor;
+	  return pattern.test(toSource(value));
+	}
+	
+	module.exports = baseIsNative;
+
+
+/***/ },
+/* 217 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isObject = __webpack_require__(218);
+	
+	/** `Object#toString` result references. */
+	var funcTag = '[object Function]',
+	    genTag = '[object GeneratorFunction]';
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/**
+	 * Checks if `value` is classified as a `Function` object.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.1.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a function, else `false`.
+	 * @example
+	 *
+	 * _.isFunction(_);
+	 * // => true
+	 *
+	 * _.isFunction(/abc/);
+	 * // => false
+	 */
+	function isFunction(value) {
+	  // The use of `Object#toString` avoids issues with the `typeof` operator
+	  // in Safari 8-9 which returns 'object' for typed array and other constructors.
+	  var tag = isObject(value) ? objectToString.call(value) : '';
+	  return tag == funcTag || tag == genTag;
+	}
+	
+	module.exports = isFunction;
+
+
+/***/ },
+/* 218 */
+/***/ function(module, exports) {
+
+	/**
+	 * Checks if `value` is the
+	 * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)
+	 * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.1.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is an object, else `false`.
+	 * @example
+	 *
+	 * _.isObject({});
+	 * // => true
+	 *
+	 * _.isObject([1, 2, 3]);
+	 * // => true
+	 *
+	 * _.isObject(_.noop);
+	 * // => true
+	 *
+	 * _.isObject(null);
+	 * // => false
+	 */
+	function isObject(value) {
+	  var type = typeof value;
+	  return !!value && (type == 'object' || type == 'function');
+	}
+	
+	module.exports = isObject;
+
+
+/***/ },
+/* 219 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var coreJsData = __webpack_require__(220);
+	
+	/** Used to detect methods masquerading as native. */
+	var maskSrcKey = (function() {
+	  var uid = /[^.]+$/.exec(coreJsData && coreJsData.keys && coreJsData.keys.IE_PROTO || '');
+	  return uid ? ('Symbol(src)_1.' + uid) : '';
+	}());
+	
+	/**
+	 * Checks if `func` has its source masked.
+	 *
+	 * @private
+	 * @param {Function} func The function to check.
+	 * @returns {boolean} Returns `true` if `func` is masked, else `false`.
+	 */
+	function isMasked(func) {
+	  return !!maskSrcKey && (maskSrcKey in func);
+	}
+	
+	module.exports = isMasked;
+
+
+/***/ },
+/* 220 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var root = __webpack_require__(221);
+	
+	/** Used to detect overreaching core-js shims. */
+	var coreJsData = root['__core-js_shared__'];
+	
+	module.exports = coreJsData;
+
+
+/***/ },
+/* 221 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var freeGlobal = __webpack_require__(222);
+	
+	/** Detect free variable `self`. */
+	var freeSelf = typeof self == 'object' && self && self.Object === Object && self;
+	
+	/** Used as a reference to the global object. */
+	var root = freeGlobal || freeSelf || Function('return this')();
+	
+	module.exports = root;
+
+
+/***/ },
+/* 222 */
+/***/ function(module, exports) {
+
+	/* WEBPACK VAR INJECTION */(function(global) {/** Detect free variable `global` from Node.js. */
+	var freeGlobal = typeof global == 'object' && global && global.Object === Object && global;
+	
+	module.exports = freeGlobal;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, (function() { return this; }())))
+
+/***/ },
+/* 223 */
+/***/ function(module, exports) {
+
+	/** Used for built-in method references. */
+	var funcProto = Function.prototype;
+	
+	/** Used to resolve the decompiled source of functions. */
+	var funcToString = funcProto.toString;
+	
+	/**
+	 * Converts `func` to its source code.
+	 *
+	 * @private
+	 * @param {Function} func The function to process.
+	 * @returns {string} Returns the source code.
+	 */
+	function toSource(func) {
+	  if (func != null) {
+	    try {
+	      return funcToString.call(func);
+	    } catch (e) {}
+	    try {
+	      return (func + '');
+	    } catch (e) {}
+	  }
+	  return '';
+	}
+	
+	module.exports = toSource;
+
+
+/***/ },
+/* 224 */
+/***/ function(module, exports) {
+
+	/**
+	 * Gets the value at `key` of `object`.
+	 *
+	 * @private
+	 * @param {Object} [object] The object to query.
+	 * @param {string} key The key of the property to get.
+	 * @returns {*} Returns the property value.
+	 */
+	function getValue(object, key) {
+	  return object == null ? undefined : object[key];
+	}
+	
+	module.exports = getValue;
+
+
+/***/ },
+/* 225 */
+/***/ function(module, exports) {
+
+	/**
+	 * Removes `key` and its value from the hash.
+	 *
+	 * @private
+	 * @name delete
+	 * @memberOf Hash
+	 * @param {Object} hash The hash to modify.
+	 * @param {string} key The key of the value to remove.
+	 * @returns {boolean} Returns `true` if the entry was removed, else `false`.
+	 */
+	function hashDelete(key) {
+	  return this.has(key) && delete this.__data__[key];
+	}
+	
+	module.exports = hashDelete;
+
+
+/***/ },
+/* 226 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var nativeCreate = __webpack_require__(214);
+	
+	/** Used to stand-in for `undefined` hash values. */
+	var HASH_UNDEFINED = '__lodash_hash_undefined__';
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * Gets the hash value for `key`.
+	 *
+	 * @private
+	 * @name get
+	 * @memberOf Hash
+	 * @param {string} key The key of the value to get.
+	 * @returns {*} Returns the entry value.
+	 */
+	function hashGet(key) {
+	  var data = this.__data__;
+	  if (nativeCreate) {
+	    var result = data[key];
+	    return result === HASH_UNDEFINED ? undefined : result;
+	  }
+	  return hasOwnProperty.call(data, key) ? data[key] : undefined;
+	}
+	
+	module.exports = hashGet;
+
+
+/***/ },
+/* 227 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var nativeCreate = __webpack_require__(214);
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * Checks if a hash value for `key` exists.
+	 *
+	 * @private
+	 * @name has
+	 * @memberOf Hash
+	 * @param {string} key The key of the entry to check.
+	 * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
+	 */
+	function hashHas(key) {
+	  var data = this.__data__;
+	  return nativeCreate ? data[key] !== undefined : hasOwnProperty.call(data, key);
+	}
+	
+	module.exports = hashHas;
+
+
+/***/ },
+/* 228 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var nativeCreate = __webpack_require__(214);
+	
+	/** Used to stand-in for `undefined` hash values. */
+	var HASH_UNDEFINED = '__lodash_hash_undefined__';
+	
+	/**
+	 * Sets the hash `key` to `value`.
+	 *
+	 * @private
+	 * @name set
+	 * @memberOf Hash
+	 * @param {string} key The key of the value to set.
+	 * @param {*} value The value to set.
+	 * @returns {Object} Returns the hash instance.
+	 */
+	function hashSet(key, value) {
+	  var data = this.__data__;
+	  data[key] = (nativeCreate && value === undefined) ? HASH_UNDEFINED : value;
+	  return this;
+	}
+	
+	module.exports = hashSet;
+
+
+/***/ },
+/* 229 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var listCacheClear = __webpack_require__(230),
+	    listCacheDelete = __webpack_require__(231),
+	    listCacheGet = __webpack_require__(234),
+	    listCacheHas = __webpack_require__(235),
+	    listCacheSet = __webpack_require__(236);
+	
+	/**
+	 * Creates an list cache object.
+	 *
+	 * @private
+	 * @constructor
+	 * @param {Array} [entries] The key-value pairs to cache.
+	 */
+	function ListCache(entries) {
+	  var index = -1,
+	      length = entries ? entries.length : 0;
+	
+	  this.clear();
+	  while (++index < length) {
+	    var entry = entries[index];
+	    this.set(entry[0], entry[1]);
+	  }
+	}
+	
+	// Add methods to `ListCache`.
+	ListCache.prototype.clear = listCacheClear;
+	ListCache.prototype['delete'] = listCacheDelete;
+	ListCache.prototype.get = listCacheGet;
+	ListCache.prototype.has = listCacheHas;
+	ListCache.prototype.set = listCacheSet;
+	
+	module.exports = ListCache;
+
+
+/***/ },
+/* 230 */
+/***/ function(module, exports) {
+
+	/**
+	 * Removes all key-value entries from the list cache.
+	 *
+	 * @private
+	 * @name clear
+	 * @memberOf ListCache
+	 */
+	function listCacheClear() {
+	  this.__data__ = [];
+	}
+	
+	module.exports = listCacheClear;
+
+
+/***/ },
+/* 231 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assocIndexOf = __webpack_require__(232);
+	
+	/** Used for built-in method references. */
+	var arrayProto = Array.prototype;
+	
+	/** Built-in value references. */
+	var splice = arrayProto.splice;
+	
+	/**
+	 * Removes `key` and its value from the list cache.
+	 *
+	 * @private
+	 * @name delete
+	 * @memberOf ListCache
+	 * @param {string} key The key of the value to remove.
+	 * @returns {boolean} Returns `true` if the entry was removed, else `false`.
+	 */
+	function listCacheDelete(key) {
+	  var data = this.__data__,
+	      index = assocIndexOf(data, key);
+	
+	  if (index < 0) {
+	    return false;
+	  }
+	  var lastIndex = data.length - 1;
+	  if (index == lastIndex) {
+	    data.pop();
+	  } else {
+	    splice.call(data, index, 1);
+	  }
+	  return true;
+	}
+	
+	module.exports = listCacheDelete;
+
+
+/***/ },
+/* 232 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var eq = __webpack_require__(233);
+	
+	/**
+	 * Gets the index at which the `key` is found in `array` of key-value pairs.
+	 *
+	 * @private
+	 * @param {Array} array The array to inspect.
+	 * @param {*} key The key to search for.
+	 * @returns {number} Returns the index of the matched value, else `-1`.
+	 */
+	function assocIndexOf(array, key) {
+	  var length = array.length;
+	  while (length--) {
+	    if (eq(array[length][0], key)) {
+	      return length;
+	    }
+	  }
+	  return -1;
+	}
+	
+	module.exports = assocIndexOf;
+
+
+/***/ },
+/* 233 */
+/***/ function(module, exports) {
+
+	/**
+	 * Performs a
+	 * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
+	 * comparison between two values to determine if they are equivalent.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to compare.
+	 * @param {*} other The other value to compare.
+	 * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
+	 * @example
+	 *
+	 * var object = { 'a': 1 };
+	 * var other = { 'a': 1 };
+	 *
+	 * _.eq(object, object);
+	 * // => true
+	 *
+	 * _.eq(object, other);
+	 * // => false
+	 *
+	 * _.eq('a', 'a');
+	 * // => true
+	 *
+	 * _.eq('a', Object('a'));
+	 * // => false
+	 *
+	 * _.eq(NaN, NaN);
+	 * // => true
+	 */
+	function eq(value, other) {
+	  return value === other || (value !== value && other !== other);
+	}
+	
+	module.exports = eq;
+
+
+/***/ },
+/* 234 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assocIndexOf = __webpack_require__(232);
+	
+	/**
+	 * Gets the list cache value for `key`.
+	 *
+	 * @private
+	 * @name get
+	 * @memberOf ListCache
+	 * @param {string} key The key of the value to get.
+	 * @returns {*} Returns the entry value.
+	 */
+	function listCacheGet(key) {
+	  var data = this.__data__,
+	      index = assocIndexOf(data, key);
+	
+	  return index < 0 ? undefined : data[index][1];
+	}
+	
+	module.exports = listCacheGet;
+
+
+/***/ },
+/* 235 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assocIndexOf = __webpack_require__(232);
+	
+	/**
+	 * Checks if a list cache value for `key` exists.
+	 *
+	 * @private
+	 * @name has
+	 * @memberOf ListCache
+	 * @param {string} key The key of the entry to check.
+	 * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
+	 */
+	function listCacheHas(key) {
+	  return assocIndexOf(this.__data__, key) > -1;
+	}
+	
+	module.exports = listCacheHas;
+
+
+/***/ },
+/* 236 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assocIndexOf = __webpack_require__(232);
+	
+	/**
+	 * Sets the list cache `key` to `value`.
+	 *
+	 * @private
+	 * @name set
+	 * @memberOf ListCache
+	 * @param {string} key The key of the value to set.
+	 * @param {*} value The value to set.
+	 * @returns {Object} Returns the list cache instance.
+	 */
+	function listCacheSet(key, value) {
+	  var data = this.__data__,
+	      index = assocIndexOf(data, key);
+	
+	  if (index < 0) {
+	    data.push([key, value]);
+	  } else {
+	    data[index][1] = value;
+	  }
+	  return this;
+	}
+	
+	module.exports = listCacheSet;
+
+
+/***/ },
+/* 237 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getNative = __webpack_require__(215),
+	    root = __webpack_require__(221);
+	
+	/* Built-in method references that are verified to be native. */
+	var Map = getNative(root, 'Map');
+	
+	module.exports = Map;
+
+
+/***/ },
+/* 238 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getMapData = __webpack_require__(239);
+	
+	/**
+	 * Removes `key` and its value from the map.
+	 *
+	 * @private
+	 * @name delete
+	 * @memberOf MapCache
+	 * @param {string} key The key of the value to remove.
+	 * @returns {boolean} Returns `true` if the entry was removed, else `false`.
+	 */
+	function mapCacheDelete(key) {
+	  return getMapData(this, key)['delete'](key);
+	}
+	
+	module.exports = mapCacheDelete;
+
+
+/***/ },
+/* 239 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isKeyable = __webpack_require__(240);
+	
+	/**
+	 * Gets the data for `map`.
+	 *
+	 * @private
+	 * @param {Object} map The map to query.
+	 * @param {string} key The reference key.
+	 * @returns {*} Returns the map data.
+	 */
+	function getMapData(map, key) {
+	  var data = map.__data__;
+	  return isKeyable(key)
+	    ? data[typeof key == 'string' ? 'string' : 'hash']
+	    : data.map;
+	}
+	
+	module.exports = getMapData;
+
+
+/***/ },
+/* 240 */
+/***/ function(module, exports) {
+
+	/**
+	 * Checks if `value` is suitable for use as unique object key.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is suitable, else `false`.
+	 */
+	function isKeyable(value) {
+	  var type = typeof value;
+	  return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean')
+	    ? (value !== '__proto__')
+	    : (value === null);
+	}
+	
+	module.exports = isKeyable;
+
+
+/***/ },
+/* 241 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getMapData = __webpack_require__(239);
+	
+	/**
+	 * Gets the map value for `key`.
+	 *
+	 * @private
+	 * @name get
+	 * @memberOf MapCache
+	 * @param {string} key The key of the value to get.
+	 * @returns {*} Returns the entry value.
+	 */
+	function mapCacheGet(key) {
+	  return getMapData(this, key).get(key);
+	}
+	
+	module.exports = mapCacheGet;
+
+
+/***/ },
+/* 242 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getMapData = __webpack_require__(239);
+	
+	/**
+	 * Checks if a map value for `key` exists.
+	 *
+	 * @private
+	 * @name has
+	 * @memberOf MapCache
+	 * @param {string} key The key of the entry to check.
+	 * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
+	 */
+	function mapCacheHas(key) {
+	  return getMapData(this, key).has(key);
+	}
+	
+	module.exports = mapCacheHas;
+
+
+/***/ },
+/* 243 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getMapData = __webpack_require__(239);
+	
+	/**
+	 * Sets the map `key` to `value`.
+	 *
+	 * @private
+	 * @name set
+	 * @memberOf MapCache
+	 * @param {string} key The key of the value to set.
+	 * @param {*} value The value to set.
+	 * @returns {Object} Returns the map cache instance.
+	 */
+	function mapCacheSet(key, value) {
+	  getMapData(this, key).set(key, value);
+	  return this;
+	}
+	
+	module.exports = mapCacheSet;
+
+
+/***/ },
+/* 244 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseToString = __webpack_require__(245);
+	
+	/**
+	 * Converts `value` to a string. An empty string is returned for `null`
+	 * and `undefined` values. The sign of `-0` is preserved.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to process.
+	 * @returns {string} Returns the string.
+	 * @example
+	 *
+	 * _.toString(null);
+	 * // => ''
+	 *
+	 * _.toString(-0);
+	 * // => '-0'
+	 *
+	 * _.toString([1, 2, 3]);
+	 * // => '1,2,3'
+	 */
+	function toString(value) {
+	  return value == null ? '' : baseToString(value);
+	}
+	
+	module.exports = toString;
+
+
+/***/ },
+/* 245 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Symbol = __webpack_require__(246),
+	    isSymbol = __webpack_require__(247);
+	
+	/** Used as references for various `Number` constants. */
+	var INFINITY = 1 / 0;
+	
+	/** Used to convert symbols to primitives and strings. */
+	var symbolProto = Symbol ? Symbol.prototype : undefined,
+	    symbolToString = symbolProto ? symbolProto.toString : undefined;
+	
+	/**
+	 * The base implementation of `_.toString` which doesn't convert nullish
+	 * values to empty strings.
+	 *
+	 * @private
+	 * @param {*} value The value to process.
+	 * @returns {string} Returns the string.
+	 */
+	function baseToString(value) {
+	  // Exit early for strings to avoid a performance hit in some environments.
+	  if (typeof value == 'string') {
+	    return value;
+	  }
+	  if (isSymbol(value)) {
+	    return symbolToString ? symbolToString.call(value) : '';
+	  }
+	  var result = (value + '');
+	  return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;
+	}
+	
+	module.exports = baseToString;
+
+
+/***/ },
+/* 246 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var root = __webpack_require__(221);
+	
+	/** Built-in value references. */
+	var Symbol = root.Symbol;
+	
+	module.exports = Symbol;
+
+
+/***/ },
+/* 247 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isObjectLike = __webpack_require__(8);
+	
+	/** `Object#toString` result references. */
+	var symbolTag = '[object Symbol]';
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/**
+	 * Checks if `value` is classified as a `Symbol` primitive or object.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a symbol, else `false`.
+	 * @example
+	 *
+	 * _.isSymbol(Symbol.iterator);
+	 * // => true
+	 *
+	 * _.isSymbol('abc');
+	 * // => false
+	 */
+	function isSymbol(value) {
+	  return typeof value == 'symbol' ||
+	    (isObjectLike(value) && objectToString.call(value) == symbolTag);
+	}
+	
+	module.exports = isSymbol;
+
+
+/***/ },
+/* 248 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isArray = __webpack_require__(207),
+	    isSymbol = __webpack_require__(247);
+	
+	/** Used to match property names within property paths. */
+	var reIsDeepProp = /\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,
+	    reIsPlainProp = /^\w*$/;
+	
+	/**
+	 * Checks if `value` is a property name and not a property path.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @param {Object} [object] The object to query keys on.
+	 * @returns {boolean} Returns `true` if `value` is a property name, else `false`.
+	 */
+	function isKey(value, object) {
+	  if (isArray(value)) {
+	    return false;
+	  }
+	  var type = typeof value;
+	  if (type == 'number' || type == 'symbol' || type == 'boolean' ||
+	      value == null || isSymbol(value)) {
+	    return true;
+	  }
+	  return reIsPlainProp.test(value) || !reIsDeepProp.test(value) ||
+	    (object != null && value in Object(object));
+	}
+	
+	module.exports = isKey;
+
+
+/***/ },
+/* 249 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isSymbol = __webpack_require__(247);
+	
+	/** Used as references for various `Number` constants. */
+	var INFINITY = 1 / 0;
+	
+	/**
+	 * Converts `value` to a string key if it's not a string or symbol.
+	 *
+	 * @private
+	 * @param {*} value The value to inspect.
+	 * @returns {string|symbol} Returns the key.
+	 */
+	function toKey(value) {
+	  if (typeof value == 'string' || isSymbol(value)) {
+	    return value;
+	  }
+	  var result = (value + '');
+	  return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;
+	}
+	
+	module.exports = toKey;
+
+
+/***/ },
+/* 250 */
+/***/ function(module, exports) {
+
+	function Debuggee() {
+	  function $(selector) {
+	    var element = document.querySelector(selector);
+	    console.log("$", selector, element);
+	
+	    if (!element) {
+	      throw new Error("Element not found, try changing the selector");
+	    }
+	    return element;
+	  }
+	
+	  function mouseEvent(eventType) {
+	    return new MouseEvent(eventType, {
+	      "view": window,
+	      "bubbles": true,
+	      "cancelable": true
+	    });
+	  }
+	
+	  var specialKeysMap = {
+	    "{enter}": 13
+	  };
+	
+	  // Special character examples {enter}, {esc}, {leftarrow} ..
+	  function isSpecialCharacter(text) {
+	    return text.match(/^\{.*\}$/);
+	  }
+	
+	  function keyInfo(key, eventType) {
+	    var charCodeAt = void 0;
+	
+	    if (key.length > 1) {
+	      charCodeAt = specialKeysMap[key];
+	    } else {
+	      charCodeAt = key.toUpperCase().charCodeAt(0);
+	    }
+	
+	    return {
+	      charCode: eventType == "keypress" ? 0 : charCodeAt,
+	      keyCode: charCodeAt,
+	      which: charCodeAt
+	    };
+	  }
+	
+	  function keyEvent(eventType, key) {
+	    var event = new Event(eventType, {
+	      bubbles: true,
+	      cancelable: false,
+	      view: window
+	    });
+	
+	    var _keyInfo = keyInfo(key, eventType);
+	
+	    var charCode = _keyInfo.charCode;
+	    var keyCode = _keyInfo.keyCode;
+	    var which = _keyInfo.which;
+	
+	
+	    return Object.assign(event, {
+	      charCode: charCode,
+	      keyCode: keyCode,
+	      which: which,
+	      detail: 0,
+	      layerX: 0,
+	      layerY: 0,
+	      pageX: 0,
+	      pageY: 0
+	    });
+	  }
+	
+	  function sendKey(element, key) {
+	    element.dispatchEvent(keyEvent("keydown", key));
+	    element.dispatchEvent(keyEvent("keypress", key));
+	    if (key.length == 1) {
+	      element.value += key;
+	    }
+	    element.dispatchEvent(keyEvent("keyup", key));
+	  }
+	
+	  function click(selector) {
+	    var element = $(selector);
+	    console.log("click", selector);
+	    element.dispatchEvent(mouseEvent("click"));
+	  }
+	
+	  function dblclick(selector) {
+	    var element = $(selector);
+	    console.log("dblclick", selector);
+	    element.dispatchEvent(mouseEvent("dblclick"));
+	  }
+	
+	  function type(selector, text) {
+	    var element = $(selector);
+	    console.log("type", selector, text);
+	    element.select();
+	
+	    if (isSpecialCharacter(text)) {
+	      sendKey(element, text);
+	    } else {
+	      var chars = text.split("");
+	      chars.forEach(char => sendKey(element, char));
+	    }
+	  }
+	
+	  return {
+	    click,
+	    dblclick,
+	    type
+	  };
+	}
+	
+	var debuggeeStatement = `window.dbg = (${ Debuggee })()`;
+	var injectedDebuggee = void 0;
+	
+	function injectDebuggee() {
+	  if (injectedDebuggee) {
+	    return Promise.resolve(injectedDebuggee);
+	  }
+	
+	  return window.client.debuggeeCommand(debuggeeStatement).then(result => {
+	    injectedDebuggee = result;
+	  });
+	}
+	
+	module.exports = injectDebuggee;
+
+/***/ },
+/* 251 */
+/***/ function(module, exports) {
+
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ts=2 et sw=2 tw=80 filetype=javascript: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this file,
+	 * You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	/**
+	 * This object provides the public module functions.
+	 */
+	var Task = {
+	  // XXX: Not sure if this works in all cases...
+	  async: function (task) {
+	    return function () {
+	      return Task.spawn(task, this, arguments);
+	    };
+	  },
+	
+	  /**
+	   * Creates and starts a new task.
+	   * @param task A generator function
+	   * @return A promise, resolved when the task terminates
+	   */
+	  spawn: function (task, scope, args) {
+	    return new Promise(function (resolve, reject) {
+	      var iterator = task.apply(scope, args);
+	
+	      var callNext = lastValue => {
+	        var iteration = iterator.next(lastValue);
+	        Promise.resolve(iteration.value).then(value => {
+	          if (iteration.done) {
+	            resolve(value);
+	          } else {
+	            callNext(value);
+	          }
+	        }).catch(error => {
+	          reject(error);
+	          iterator.throw(error);
+	        });
+	      };
+	
+	      callNext(undefined);
+	    });
+	  }
+	};
+	
+	module.exports = { Task };
+
+/***/ },
+/* 252 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(251);
+	
+	var Task = _require.Task;
+	
+	var firefox = __webpack_require__(253);
+	var chrome = __webpack_require__(329);
+	
+	var _require2 = __webpack_require__(200);
+	
+	var debugGlobal = _require2.debugGlobal;
+	
+	
+	var clientType = void 0;
+	function getClient() {
+	  if (clientType === "chrome") {
+	    return chrome.clientCommands;
+	  }
+	
+	  return firefox.clientCommands;
+	}
+	
+	function startDebugging(connTarget, actions) {
+	  if (connTarget.type === "node") {
+	    return startDebuggingNode(connTarget.param, actions);
+	  }
+	
+	  var target = connTarget.type === "chrome" ? chrome : firefox;
+	  return startDebuggingTab(target, connTarget.param, actions);
+	}
+	
+	function startDebuggingNode(url, actions) {
+	  clientType = "chrome";
+	  return chrome.connectNode(`ws://${ url }`).then(() => {
+	    chrome.initPage(actions);
+	  });
+	}
+	
+	function startDebuggingTab(targetEnv, tabId, actions) {
+	  return Task.spawn(function* () {
+	    var tabs = yield targetEnv.connectClient();
+	    var tab = tabs.find(t => t.id.indexOf(tabId) !== -1);
+	    yield targetEnv.connectTab(tab.tab);
+	    targetEnv.initPage(actions);
+	
+	    clientType = targetEnv === firefox ? "firefox" : "chrome";
+	    debugGlobal("client", targetEnv.clientCommands);
+	
+	    return tabs;
+	  });
+	}
+	
+	function connectClients(onConnect) {
+	  firefox.connectClient().then(onConnect);
+	  chrome.connectClient().then(onConnect);
+	}
+	
+	module.exports = {
+	  getClient,
+	  connectClients,
+	  startDebugging
+	};
+
+/***/ },
+/* 253 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(254);
+	
+	var DebuggerClient = _require.DebuggerClient;
+	
+	var _require2 = __webpack_require__(260);
+	
+	var DebuggerTransport = _require2.DebuggerTransport;
+	
+	var WebSocketDebuggerTransport = __webpack_require__(265);
+	
+	var _require3 = __webpack_require__(268);
+	
+	var TargetFactory = _require3.TargetFactory;
+	
+	var defer = __webpack_require__(267);
+	
+	var _require4 = __webpack_require__(201);
+	
+	var getValue = _require4.getValue;
+	
+	var _require5 = __webpack_require__(269);
+	
+	var Tab = _require5.Tab;
+	
+	var _require6 = __webpack_require__(326);
+	
+	var setupCommands = _require6.setupCommands;
+	var clientCommands = _require6.clientCommands;
+	
+	var _require7 = __webpack_require__(327);
+	
+	var setupEvents = _require7.setupEvents;
+	var clientEvents = _require7.clientEvents;
+	
+	var _require8 = __webpack_require__(328);
+	
+	var createSource = _require8.createSource;
+	
+	
+	var debuggerClient = null;
+	var threadClient = null;
+	var tabTarget = null;
+	
+	function getThreadClient() {
+	  return threadClient;
+	}
+	
+	function setThreadClient(client) {
+	  threadClient = client;
+	}
+	
+	function getTabTarget() {
+	  return tabTarget;
+	}
+	
+	function setTabTarget(target) {
+	  tabTarget = target;
+	}
+	
+	function lookupTabTarget(tab) {
+	  var options = { client: debuggerClient, form: tab, chrome: false };
+	  return TargetFactory.forRemoteTab(options);
+	}
+	
+	function createTabs(tabs) {
+	  return tabs.map(tab => {
+	    return Tab({
+	      title: tab.title,
+	      url: tab.url,
+	      id: tab.actor,
+	      tab,
+	      browser: "firefox"
+	    });
+	  });
+	}
+	
+	function connectClient() {
+	  var deferred = defer();
+	  var useProxy = !getValue("firefox.webSocketConnection");
+	  var portPref = useProxy ? "firefox.proxyPort" : "firefox.webSocketPort";
+	  var webSocketPort = getValue(portPref);
+	
+	  var socket = new WebSocket(`ws://${ document.location.hostname }:${ webSocketPort }`);
+	  var transport = useProxy ? new DebuggerTransport(socket) : new WebSocketDebuggerTransport(socket);
+	  debuggerClient = new DebuggerClient(transport);
+	
+	  debuggerClient.connect().then(() => {
+	    return debuggerClient.listTabs().then(response => {
+	      deferred.resolve(createTabs(response.tabs));
+	    });
+	  }).catch(err => {
+	    console.log(err);
+	    deferred.resolve([]);
+	  });
+	
+	  return deferred.promise;
+	}
+	
+	function connectTab(tab) {
+	  return new Promise((resolve, reject) => {
+	    window.addEventListener("beforeunload", () => {
+	      getTabTarget() && getTabTarget().destroy();
+	    });
+	
+	    lookupTabTarget(tab).then(target => {
+	      tabTarget = target;
+	      target.activeTab.attachThread({}, (res, _threadClient) => {
+	        threadClient = _threadClient;
+	        threadClient.resume();
+	        resolve();
+	      });
+	    });
+	  });
+	}
+	
+	function initPage(actions) {
+	  tabTarget = getTabTarget();
+	  threadClient = getThreadClient();
+	
+	  setupCommands({ threadClient, tabTarget, debuggerClient });
+	
+	  tabTarget.on("will-navigate", actions.willNavigate);
+	  tabTarget.on("navigate", actions.navigated);
+	
+	  // Listen to all the requested events.
+	  setupEvents({ threadClient, actions });
+	  Object.keys(clientEvents).forEach(eventName => {
+	    threadClient.addListener(eventName, clientEvents[eventName]);
+	  });
+	
+	  // In Firefox, we need to initially request all of the sources. This
+	  // usually fires off individual `newSource` notifications as the
+	  // debugger finds them, but there may be existing sources already in
+	  // the debugger (if it's paused already, or if loading the page from
+	  // bfcache) so explicity fire `newSource` events for all returned
+	  // sources.
+	  return threadClient.getSources().then(_ref => {
+	    var sources = _ref.sources;
+	
+	    actions.newSources(sources.map(createSource));
+	
+	    // If the threadClient is already paused, make sure to show a
+	    // paused state.
+	    var pausedPacket = threadClient.getLastPausePacket();
+	    if (pausedPacket) {
+	      clientEvents.paused(null, pausedPacket);
+	    }
+	  });
+	}
+	
+	module.exports = {
+	  connectClient,
+	  connectTab,
+	  clientCommands,
+	  getThreadClient,
+	  setThreadClient,
+	  getTabTarget,
+	  setTabTarget,
+	  initPage
+	};
+
+/***/ },
+/* 254 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const { Ci, Cu, components } = __webpack_require__(183);
+	const { Services } = __webpack_require__(188);
+	const DevToolsUtils = __webpack_require__(182);
+	
+	// WARNING I swapped the sync one for the async one here
+	//const promise = require("resource://devtools/shared/deprecated-sync-thenables.js", {}).Promise;
+	const promise = __webpack_require__(194);
+	
+	const events = __webpack_require__(255);
+	const { WebConsoleClient } = __webpack_require__(258);
+	/*const { DebuggerSocket } = require("devtools-sham/shared/security/socket");*/
+	/*const Authentication = require("devtools-sham/shared/security/auth");*/
+	
+	const noop = () => {};
+	
+	/**
+	 * TODO: Get rid of this API in favor of EventTarget (bug 1042642)
+	 *
+	 * Add simple event notification to a prototype object. Any object that has
+	 * some use for event notifications or the observer pattern in general can be
+	 * augmented with the necessary facilities by passing its prototype to this
+	 * function.
+	 *
+	 * @param aProto object
+	 *        The prototype object that will be modified.
+	 */
+	function eventSource(aProto) {
+	  /**
+	   * Add a listener to the event source for a given event.
+	   *
+	   * @param aName string
+	   *        The event to listen for.
+	   * @param aListener function
+	   *        Called when the event is fired. If the same listener
+	   *        is added more than once, it will be called once per
+	   *        addListener call.
+	   */
+	  aProto.addListener = function (aName, aListener) {
+	    if (typeof aListener != "function") {
+	      throw TypeError("Listeners must be functions.");
+	    }
+	
+	    if (!this._listeners) {
+	      this._listeners = {};
+	    }
+	
+	    this._getListeners(aName).push(aListener);
+	  };
+	
+	  /**
+	   * Add a listener to the event source for a given event. The
+	   * listener will be removed after it is called for the first time.
+	   *
+	   * @param aName string
+	   *        The event to listen for.
+	   * @param aListener function
+	   *        Called when the event is fired.
+	   */
+	  aProto.addOneTimeListener = function (aName, aListener) {
+	    let l = (...args) => {
+	      this.removeListener(aName, l);
+	      aListener.apply(null, args);
+	    };
+	    this.addListener(aName, l);
+	  };
+	
+	  /**
+	   * Remove a listener from the event source previously added with
+	   * addListener().
+	   *
+	   * @param aName string
+	   *        The event name used during addListener to add the listener.
+	   * @param aListener function
+	   *        The callback to remove. If addListener was called multiple
+	   *        times, all instances will be removed.
+	   */
+	  aProto.removeListener = function (aName, aListener) {
+	    if (!this._listeners || (aListener && !this._listeners[aName])) {
+	      return;
+	    }
+	
+	    if (!aListener) {
+	      this._listeners[aName] = [];
+	    }
+	    else {
+	      this._listeners[aName] =
+	        this._listeners[aName].filter(function (l) { return l != aListener });
+	    }
+	  };
+	
+	  /**
+	   * Returns the listeners for the specified event name. If none are defined it
+	   * initializes an empty list and returns that.
+	   *
+	   * @param aName string
+	   *        The event name.
+	   */
+	  aProto._getListeners = function (aName) {
+	    if (aName in this._listeners) {
+	      return this._listeners[aName];
+	    }
+	    this._listeners[aName] = [];
+	    return this._listeners[aName];
+	  };
+	
+	  /**
+	   * Notify listeners of an event.
+	   *
+	   * @param aName string
+	   *        The event to fire.
+	   * @param arguments
+	   *        All arguments will be passed along to the listeners,
+	   *        including the name argument.
+	   */
+	  aProto.emit = function () {
+	    if (!this._listeners) {
+	      return;
+	    }
+	
+	    let name = arguments[0];
+	    let listeners = this._getListeners(name).slice(0);
+	
+	    for (let listener of listeners) {
+	      try {
+	        listener.apply(null, arguments);
+	      } catch (e) {
+	        // Prevent a bad listener from interfering with the others.
+	        DevToolsUtils.reportException("notify event '" + name + "'", e);
+	      }
+	    }
+	  }
+	}
+	
+	/**
+	 * Set of protocol messages that affect thread state, and the
+	 * state the actor is in after each message.
+	 */
+	const ThreadStateTypes = {
+	  "paused": "paused",
+	  "resumed": "attached",
+	  "detached": "detached"
+	};
+	
+	/**
+	 * Set of protocol messages that are sent by the server without a prior request
+	 * by the client.
+	 */
+	const UnsolicitedNotifications = {
+	  "consoleAPICall": "consoleAPICall",
+	  "eventNotification": "eventNotification",
+	  "fileActivity": "fileActivity",
+	  "lastPrivateContextExited": "lastPrivateContextExited",
+	  "logMessage": "logMessage",
+	  "networkEvent": "networkEvent",
+	  "networkEventUpdate": "networkEventUpdate",
+	  "newGlobal": "newGlobal",
+	  "newScript": "newScript",
+	  "tabDetached": "tabDetached",
+	  "tabListChanged": "tabListChanged",
+	  "reflowActivity": "reflowActivity",
+	  "addonListChanged": "addonListChanged",
+	  "workerListChanged": "workerListChanged",
+	  "serviceWorkerRegistrationListChanged": "serviceWorkerRegistrationList",
+	  "tabNavigated": "tabNavigated",
+	  "frameUpdate": "frameUpdate",
+	  "pageError": "pageError",
+	  "documentLoad": "documentLoad",
+	  "enteredFrame": "enteredFrame",
+	  "exitedFrame": "exitedFrame",
+	  "appOpen": "appOpen",
+	  "appClose": "appClose",
+	  "appInstall": "appInstall",
+	  "appUninstall": "appUninstall",
+	  "evaluationResult": "evaluationResult",
+	  "newSource": "newSource",
+	  "updatedSource": "updatedSource",
+	};
+	
+	/**
+	 * Set of pause types that are sent by the server and not as an immediate
+	 * response to a client request.
+	 */
+	const UnsolicitedPauses = {
+	  "resumeLimit": "resumeLimit",
+	  "debuggerStatement": "debuggerStatement",
+	  "breakpoint": "breakpoint",
+	  "DOMEvent": "DOMEvent",
+	  "watchpoint": "watchpoint",
+	  "exception": "exception"
+	};
+	
+	/**
+	 * Creates a client for the remote debugging protocol server. This client
+	 * provides the means to communicate with the server and exchange the messages
+	 * required by the protocol in a traditional JavaScript API.
+	 */
+	const DebuggerClient = exports.DebuggerClient = function (aTransport)
+	{
+	  this._transport = aTransport;
+	  this._transport.hooks = this;
+	
+	  // Map actor ID to client instance for each actor type.
+	  this._clients = new Map();
+	
+	  this._pendingRequests = new Map();
+	  this._activeRequests = new Map();
+	  this._eventsEnabled = true;
+	
+	  this.traits = {};
+	
+	  this.request = this.request.bind(this);
+	  this.localTransport = this._transport.onOutputStreamReady === undefined;
+	
+	  /*
+	   * As the first thing on the connection, expect a greeting packet from
+	   * the connection's root actor.
+	   */
+	  this.mainRoot = null;
+	  this.expectReply("root", (aPacket) => {
+	    this.mainRoot = new RootClient(this, aPacket);
+	    this.emit("connected", aPacket.applicationType, aPacket.traits);
+	  });
+	}
+	
+	/**
+	 * A declarative helper for defining methods that send requests to the server.
+	 *
+	 * @param aPacketSkeleton
+	 *        The form of the packet to send. Can specify fields to be filled from
+	 *        the parameters by using the |args| function.
+	 * @param telemetry
+	 *        The unique suffix of the telemetry histogram id.
+	 * @param before
+	 *        The function to call before sending the packet. Is passed the packet,
+	 *        and the return value is used as the new packet. The |this| context is
+	 *        the instance of the client object we are defining a method for.
+	 * @param after
+	 *        The function to call after the response is received. It is passed the
+	 *        response, and the return value is considered the new response that
+	 *        will be passed to the callback. The |this| context is the instance of
+	 *        the client object we are defining a method for.
+	 * @return Request
+	 *         The `Request` object that is a Promise object and resolves once
+	 *         we receive the response. (See request method for more details)
+	 */
+	DebuggerClient.requester = function (aPacketSkeleton, config={}) {
+	  let { telemetry, before, after } = config;
+	  return DevToolsUtils.makeInfallible(function (...args) {
+	    let histogram, startTime;
+	    if (telemetry) {
+	      let transportType = this._transport.onOutputStreamReady === undefined
+	        ? "LOCAL_"
+	        : "REMOTE_";
+	      let histogramId = "DEVTOOLS_DEBUGGER_RDP_"
+	        + transportType + telemetry + "_MS";
+	      histogram = Services.telemetry.getHistogramById(histogramId);
+	      startTime = +new Date;
+	    }
+	    let outgoingPacket = {
+	      to: aPacketSkeleton.to || this.actor
+	    };
+	
+	    let maxPosition = -1;
+	    for (let k of Object.keys(aPacketSkeleton)) {
+	      if (aPacketSkeleton[k] instanceof DebuggerClient.Argument) {
+	        let { position } = aPacketSkeleton[k];
+	        outgoingPacket[k] = aPacketSkeleton[k].getArgument(args);
+	        maxPosition = Math.max(position, maxPosition);
+	      } else {
+	        outgoingPacket[k] = aPacketSkeleton[k];
+	      }
+	    }
+	
+	    if (before) {
+	      outgoingPacket = before.call(this, outgoingPacket);
+	    }
+	
+	    return this.request(outgoingPacket, DevToolsUtils.makeInfallible((aResponse) => {
+	      if (after) {
+	        let { from } = aResponse;
+	        aResponse = after.call(this, aResponse);
+	        if (!aResponse.from) {
+	          aResponse.from = from;
+	        }
+	      }
+	
+	      // The callback is always the last parameter.
+	      let thisCallback = args[maxPosition + 1];
+	      if (thisCallback) {
+	        thisCallback(aResponse);
+	      }
+	
+	      if (histogram) {
+	        histogram.add(+new Date - startTime);
+	      }
+	    }, "DebuggerClient.requester request callback"));
+	  }, "DebuggerClient.requester");
+	};
+	
+	function args(aPos) {
+	  return new DebuggerClient.Argument(aPos);
+	}
+	
+	DebuggerClient.Argument = function (aPosition) {
+	  this.position = aPosition;
+	};
+	
+	DebuggerClient.Argument.prototype.getArgument = function (aParams) {
+	  if (!(this.position in aParams)) {
+	    throw new Error("Bad index into params: " + this.position);
+	  }
+	  return aParams[this.position];
+	};
+	
+	// Expose these to save callers the trouble of importing DebuggerSocket
+	DebuggerClient.socketConnect = function(options) {
+	  // Defined here instead of just copying the function to allow lazy-load
+	  return DebuggerSocket.connect(options);
+	};
+	DevToolsUtils.defineLazyGetter(DebuggerClient, "Authenticators", () => {
+	  return Authentication.Authenticators;
+	});
+	DevToolsUtils.defineLazyGetter(DebuggerClient, "AuthenticationResult", () => {
+	  return Authentication.AuthenticationResult;
+	});
+	
+	DebuggerClient.prototype = {
+	  /**
+	   * Connect to the server and start exchanging protocol messages.
+	   *
+	   * @param aOnConnected function
+	   *        If specified, will be called when the greeting packet is
+	   *        received from the debugging server.
+	   *
+	   * @return Promise
+	   *         Resolves once connected with an array whose first element
+	   *         is the application type, by default "browser", and the second
+	   *         element is the traits object (help figure out the features
+	   *         and behaviors of the server we connect to. See RootActor).
+	   */
+	  connect: function (aOnConnected) {
+	    return Promise.race([
+	      new Promise((resolve, reject) => {
+	        this.emit("connect");
+	
+	        // Also emit the event on the |DebuggerClient| object (not on the instance),
+	        // so it's possible to track all instances.
+	        events.emit(DebuggerClient, "connect", this);
+	
+	        this.addOneTimeListener("connected", (aName, aApplicationType, aTraits) => {
+	          this.traits = aTraits;
+	          if (aOnConnected) {
+	            aOnConnected(aApplicationType, aTraits);
+	          }
+	          resolve([aApplicationType, aTraits]);
+	        });
+	
+	        this._transport.ready();
+	      }),
+	      new Promise((resolve, reject) => {
+	        setTimeout(() => reject(new Error("Connect timeout error")), 6000);
+	      })
+	    ]);
+	  },
+	
+	  /**
+	   * Shut down communication with the debugging server.
+	   *
+	   * @param aOnClosed function
+	   *        If specified, will be called when the debugging connection
+	   *        has been closed.
+	   */
+	  close: function (aOnClosed) {
+	    // Disable detach event notifications, because event handlers will be in a
+	    // cleared scope by the time they run.
+	    this._eventsEnabled = false;
+	
+	    let cleanup = () => {
+	      this._transport.close();
+	      this._transport = null;
+	    };
+	
+	    // If the connection is already closed,
+	    // there is no need to detach client
+	    // as we won't be able to send any message.
+	    if (this._closed) {
+	      cleanup();
+	      if (aOnClosed) {
+	        aOnClosed();
+	      }
+	      return;
+	    }
+	
+	    if (aOnClosed) {
+	      this.addOneTimeListener('closed', function (aEvent) {
+	        aOnClosed();
+	      });
+	    }
+	
+	    // Call each client's `detach` method by calling
+	    // lastly registered ones first to give a chance
+	    // to detach child clients first.
+	    let clients = [...this._clients.values()];
+	    this._clients.clear();
+	    const detachClients = () => {
+	      let client = clients.pop();
+	      if (!client) {
+	        // All clients detached.
+	        cleanup();
+	        return;
+	      }
+	      if (client.detach) {
+	        client.detach(detachClients);
+	        return;
+	      }
+	      detachClients();
+	    };
+	    detachClients();
+	  },
+	
+	  /*
+	   * This function exists only to preserve DebuggerClient's interface;
+	   * new code should say 'client.mainRoot.listTabs()'.
+	   */
+	  listTabs: function (aOnResponse) { return this.mainRoot.listTabs(aOnResponse); },
+	
+	  /*
+	   * This function exists only to preserve DebuggerClient's interface;
+	   * new code should say 'client.mainRoot.listAddons()'.
+	   */
+	  listAddons: function (aOnResponse) { return this.mainRoot.listAddons(aOnResponse); },
+	
+	  getTab: function (aFilter) { return this.mainRoot.getTab(aFilter); },
+	
+	  /**
+	   * Attach to a tab actor.
+	   *
+	   * @param string aTabActor
+	   *        The actor ID for the tab to attach.
+	   * @param function aOnResponse
+	   *        Called with the response packet and a TabClient
+	   *        (which will be undefined on error).
+	   */
+	  attachTab: function (aTabActor, aOnResponse = noop) {
+	    if (this._clients.has(aTabActor)) {
+	      let cachedTab = this._clients.get(aTabActor);
+	      let cachedResponse = {
+	        cacheDisabled: cachedTab.cacheDisabled,
+	        javascriptEnabled: cachedTab.javascriptEnabled,
+	        traits: cachedTab.traits,
+	      };
+	      DevToolsUtils.executeSoon(() => aOnResponse(cachedResponse, cachedTab));
+	      return promise.resolve([cachedResponse, cachedTab]);
+	    }
+	
+	    let packet = {
+	      to: aTabActor,
+	      type: "attach"
+	    };
+	    return this.request(packet).then(aResponse => {
+	      let tabClient;
+	      if (!aResponse.error) {
+	        tabClient = new TabClient(this, aResponse);
+	        this.registerClient(tabClient);
+	      }
+	      aOnResponse(aResponse, tabClient);
+	      return [aResponse, tabClient];
+	    });
+	  },
+	
+	  attachWorker: function DC_attachWorker(aWorkerActor, aOnResponse = noop) {
+	    let workerClient = this._clients.get(aWorkerActor);
+	    if (workerClient !== undefined) {
+	      let response = {
+	        from: workerClient.actor,
+	        type: "attached",
+	        url: workerClient.url
+	      };
+	      DevToolsUtils.executeSoon(() => aOnResponse(response, workerClient));
+	      return promise.resolve([response, workerClient]);
+	    }
+	
+	    return this.request({ to: aWorkerActor, type: "attach" }).then(aResponse => {
+	      if (aResponse.error) {
+	        aOnResponse(aResponse, null);
+	        return [aResponse, null];
+	      }
+	
+	      let workerClient = new WorkerClient(this, aResponse);
+	      this.registerClient(workerClient);
+	      aOnResponse(aResponse, workerClient);
+	      return [aResponse, workerClient];
+	    });
+	  },
+	
+	  /**
+	   * Attach to an addon actor.
+	   *
+	   * @param string aAddonActor
+	   *        The actor ID for the addon to attach.
+	   * @param function aOnResponse
+	   *        Called with the response packet and a AddonClient
+	   *        (which will be undefined on error).
+	   */
+	  attachAddon: function DC_attachAddon(aAddonActor, aOnResponse = noop) {
+	    let packet = {
+	      to: aAddonActor,
+	      type: "attach"
+	    };
+	    return this.request(packet).then(aResponse => {
+	      let addonClient;
+	      if (!aResponse.error) {
+	        addonClient = new AddonClient(this, aAddonActor);
+	        this.registerClient(addonClient);
+	        this.activeAddon = addonClient;
+	      }
+	      aOnResponse(aResponse, addonClient);
+	      return [aResponse, addonClient];
+	    });
+	  },
+	
+	  /**
+	   * Attach to a Web Console actor.
+	   *
+	   * @param string aConsoleActor
+	   *        The ID for the console actor to attach to.
+	   * @param array aListeners
+	   *        The console listeners you want to start.
+	   * @param function aOnResponse
+	   *        Called with the response packet and a WebConsoleClient
+	   *        instance (which will be undefined on error).
+	   */
+	  attachConsole:
+	  function (aConsoleActor, aListeners, aOnResponse = noop) {
+	    let packet = {
+	      to: aConsoleActor,
+	      type: "startListeners",
+	      listeners: aListeners,
+	    };
+	
+	    return this.request(packet).then(aResponse => {
+	      let consoleClient;
+	      if (!aResponse.error) {
+	        if (this._clients.has(aConsoleActor)) {
+	          consoleClient = this._clients.get(aConsoleActor);
+	        } else {
+	          consoleClient = new WebConsoleClient(this, aResponse);
+	          this.registerClient(consoleClient);
+	        }
+	      }
+	      aOnResponse(aResponse, consoleClient);
+	      return [aResponse, consoleClient];
+	    });
+	  },
+	
+	  /**
+	   * Attach to a global-scoped thread actor for chrome debugging.
+	   *
+	   * @param string aThreadActor
+	   *        The actor ID for the thread to attach.
+	   * @param function aOnResponse
+	   *        Called with the response packet and a ThreadClient
+	   *        (which will be undefined on error).
+	   * @param object aOptions
+	   *        Configuration options.
+	   *        - useSourceMaps: whether to use source maps or not.
+	   */
+	  attachThread: function (aThreadActor, aOnResponse = noop, aOptions={}) {
+	    if (this._clients.has(aThreadActor)) {
+	      let client = this._clients.get(aThreadActor);
+	      DevToolsUtils.executeSoon(() => aOnResponse({}, client));
+	      return promise.resolve([{}, client]);
+	    }
+	
+	    let packet = {
+	      to: aThreadActor,
+	      type: "attach",
+	      options: aOptions
+	    };
+	    return this.request(packet).then(aResponse => {
+	      if (!aResponse.error) {
+	        var threadClient = new ThreadClient(this, aThreadActor);
+	        this.registerClient(threadClient);
+	      }
+	      aOnResponse(aResponse, threadClient);
+	      return [aResponse, threadClient];
+	    });
+	  },
+	
+	  /**
+	   * Attach to a trace actor.
+	   *
+	   * @param string aTraceActor
+	   *        The actor ID for the tracer to attach.
+	   * @param function aOnResponse
+	   *        Called with the response packet and a TraceClient
+	   *        (which will be undefined on error).
+	   */
+	  attachTracer: function (aTraceActor, aOnResponse = noop) {
+	    if (this._clients.has(aTraceActor)) {
+	      let client = this._clients.get(aTraceActor);
+	      DevToolsUtils.executeSoon(() => aOnResponse({}, client));
+	      return promise.resolve([{}, client]);
+	    }
+	
+	    let packet = {
+	      to: aTraceActor,
+	      type: "attach"
+	    };
+	    return this.request(packet).then(aResponse => {
+	      if (!aResponse.error) {
+	        var traceClient = new TraceClient(this, aTraceActor);
+	        this.registerClient(traceClient);
+	      }
+	      aOnResponse(aResponse, traceClient);
+	      return [aResponse, traceClient];
+	    });
+	  },
+	
+	  /**
+	   * Fetch the ChromeActor for the main process or ChildProcessActor for a
+	   * a given child process ID.
+	   *
+	   * @param number aId
+	   *        The ID for the process to attach (returned by `listProcesses`).
+	   *        Connected to the main process if omitted, or is 0.
+	   */
+	  getProcess: function (aId) {
+	    let packet = {
+	      to: "root",
+	      type: "getProcess"
+	    }
+	    if (typeof(aId) == "number") {
+	      packet.id = aId;
+	    }
+	    return this.request(packet);
+	  },
+	
+	  /**
+	   * Release an object actor.
+	   *
+	   * @param string aActor
+	   *        The actor ID to send the request to.
+	   * @param aOnResponse function
+	   *        If specified, will be called with the response packet when
+	   *        debugging server responds.
+	   */
+	  release: DebuggerClient.requester({
+	    to: args(0),
+	    type: "release"
+	  }, {
+	    telemetry: "RELEASE"
+	  }),
+	
+	  /**
+	   * Send a request to the debugging server.
+	   *
+	   * @param aRequest object
+	   *        A JSON packet to send to the debugging server.
+	   * @param aOnResponse function
+	   *        If specified, will be called with the JSON response packet when
+	   *        debugging server responds.
+	   * @return Request
+	   *         This object emits a number of events to allow you to respond to
+	   *         different parts of the request lifecycle.
+	   *         It is also a Promise object, with a `then` method, that is resolved
+	   *         whenever a JSON or a Bulk response is received; and is rejected
+	   *         if the response is an error.
+	   *         Note: This return value can be ignored if you are using JSON alone,
+	   *         because the callback provided in |aOnResponse| will be bound to the
+	   *         "json-reply" event automatically.
+	   *
+	   *         Events emitted:
+	   *         * json-reply: The server replied with a JSON packet, which is
+	   *           passed as event data.
+	   *         * bulk-reply: The server replied with bulk data, which you can read
+	   *           using the event data object containing:
+	   *           * actor:  Name of actor that received the packet
+	   *           * type:   Name of actor's method that was called on receipt
+	   *           * length: Size of the data to be read
+	   *           * stream: This input stream should only be used directly if you
+	   *                     can ensure that you will read exactly |length| bytes
+	   *                     and will not close the stream when reading is complete
+	   *           * done:   If you use the stream directly (instead of |copyTo|
+	   *                     below), you must signal completion by resolving /
+	   *                     rejecting this deferred.  If it's rejected, the
+	   *                     transport will be closed.  If an Error is supplied as a
+	   *                     rejection value, it will be logged via |dumpn|.  If you
+	   *                     do use |copyTo|, resolving is taken care of for you
+	   *                     when copying completes.
+	   *           * copyTo: A helper function for getting your data out of the
+	   *                     stream that meets the stream handling requirements
+	   *                     above, and has the following signature:
+	   *             @param  output nsIAsyncOutputStream
+	   *                     The stream to copy to.
+	   *             @return Promise
+	   *                     The promise is resolved when copying completes or
+	   *                     rejected if any (unexpected) errors occur.
+	   *                     This object also emits "progress" events for each chunk
+	   *                     that is copied.  See stream-utils.js.
+	   */
+	  request: function (aRequest, aOnResponse) {
+	    if (!this.mainRoot) {
+	      throw Error("Have not yet received a hello packet from the server.");
+	    }
+	    let type = aRequest.type || "";
+	    if (!aRequest.to) {
+	      throw Error("'" + type + "' request packet has no destination.");
+	    }
+	    if (this._closed) {
+	      let msg = "'" + type + "' request packet to " +
+	                "'" + aRequest.to + "' " +
+	               "can't be sent as the connection is closed.";
+	      let resp = { error: "connectionClosed", message: msg };
+	      if (aOnResponse) {
+	        aOnResponse(resp);
+	      }
+	      return promise.reject(resp);
+	    }
+	
+	    let request = new Request(aRequest);
+	    request.format = "json";
+	    request.stack = components.stack;
+	    if (aOnResponse) {
+	      request.on("json-reply", aOnResponse);
+	    }
+	
+	    this._sendOrQueueRequest(request);
+	
+	    // Implement a Promise like API on the returned object
+	    // that resolves/rejects on request response
+	    let deferred = promise.defer();
+	    function listenerJson(resp) {
+	      request.off("json-reply", listenerJson);
+	      request.off("bulk-reply", listenerBulk);
+	      if (resp.error) {
+	        deferred.reject(resp);
+	      } else {
+	        deferred.resolve(resp);
+	      }
+	    }
+	    function listenerBulk(resp) {
+	      request.off("json-reply", listenerJson);
+	      request.off("bulk-reply", listenerBulk);
+	      deferred.resolve(resp);
+	    }
+	    request.on("json-reply", listenerJson);
+	    request.on("bulk-reply", listenerBulk);
+	    request.then = deferred.promise.then.bind(deferred.promise);
+	
+	    return request;
+	  },
+	
+	  /**
+	   * Transmit streaming data via a bulk request.
+	   *
+	   * This method initiates the bulk send process by queuing up the header data.
+	   * The caller receives eventual access to a stream for writing.
+	   *
+	   * Since this opens up more options for how the server might respond (it could
+	   * send back either JSON or bulk data), and the returned Request object emits
+	   * events for different stages of the request process that you may want to
+	   * react to.
+	   *
+	   * @param request Object
+	   *        This is modeled after the format of JSON packets above, but does not
+	   *        actually contain the data, but is instead just a routing header:
+	   *          * actor:  Name of actor that will receive the packet
+	   *          * type:   Name of actor's method that should be called on receipt
+	   *          * length: Size of the data to be sent
+	   * @return Request
+	   *         This object emits a number of events to allow you to respond to
+	   *         different parts of the request lifecycle.
+	   *
+	   *         Events emitted:
+	   *         * bulk-send-ready: Ready to send bulk data to the server, using the
+	   *           event data object containing:
+	   *           * stream:   This output stream should only be used directly if
+	   *                       you can ensure that you will write exactly |length|
+	   *                       bytes and will not close the stream when writing is
+	   *                       complete
+	   *           * done:     If you use the stream directly (instead of |copyFrom|
+	   *                       below), you must signal completion by resolving /
+	   *                       rejecting this deferred.  If it's rejected, the
+	   *                       transport will be closed.  If an Error is supplied as
+	   *                       a rejection value, it will be logged via |dumpn|.  If
+	   *                       you do use |copyFrom|, resolving is taken care of for
+	   *                       you when copying completes.
+	   *           * copyFrom: A helper function for getting your data onto the
+	   *                       stream that meets the stream handling requirements
+	   *                       above, and has the following signature:
+	   *             @param  input nsIAsyncInputStream
+	   *                     The stream to copy from.
+	   *             @return Promise
+	   *                     The promise is resolved when copying completes or
+	   *                     rejected if any (unexpected) errors occur.
+	   *                     This object also emits "progress" events for each chunk
+	   *                     that is copied.  See stream-utils.js.
+	   *         * json-reply: The server replied with a JSON packet, which is
+	   *           passed as event data.
+	   *         * bulk-reply: The server replied with bulk data, which you can read
+	   *           using the event data object containing:
+	   *           * actor:  Name of actor that received the packet
+	   *           * type:   Name of actor's method that was called on receipt
+	   *           * length: Size of the data to be read
+	   *           * stream: This input stream should only be used directly if you
+	   *                     can ensure that you will read exactly |length| bytes
+	   *                     and will not close the stream when reading is complete
+	   *           * done:   If you use the stream directly (instead of |copyTo|
+	   *                     below), you must signal completion by resolving /
+	   *                     rejecting this deferred.  If it's rejected, the
+	   *                     transport will be closed.  If an Error is supplied as a
+	   *                     rejection value, it will be logged via |dumpn|.  If you
+	   *                     do use |copyTo|, resolving is taken care of for you
+	   *                     when copying completes.
+	   *           * copyTo: A helper function for getting your data out of the
+	   *                     stream that meets the stream handling requirements
+	   *                     above, and has the following signature:
+	   *             @param  output nsIAsyncOutputStream
+	   *                     The stream to copy to.
+	   *             @return Promise
+	   *                     The promise is resolved when copying completes or
+	   *                     rejected if any (unexpected) errors occur.
+	   *                     This object also emits "progress" events for each chunk
+	   *                     that is copied.  See stream-utils.js.
+	   */
+	  startBulkRequest: function(request) {
+	    if (!this.traits.bulk) {
+	      throw Error("Server doesn't support bulk transfers");
+	    }
+	    if (!this.mainRoot) {
+	      throw Error("Have not yet received a hello packet from the server.");
+	    }
+	    if (!request.type) {
+	      throw Error("Bulk packet is missing the required 'type' field.");
+	    }
+	    if (!request.actor) {
+	      throw Error("'" + request.type + "' bulk packet has no destination.");
+	    }
+	    if (!request.length) {
+	      throw Error("'" + request.type + "' bulk packet has no length.");
+	    }
+	
+	    request = new Request(request);
+	    request.format = "bulk";
+	
+	    this._sendOrQueueRequest(request);
+	
+	    return request;
+	  },
+	
+	  /**
+	   * If a new request can be sent immediately, do so.  Otherwise, queue it.
+	   */
+	  _sendOrQueueRequest(request) {
+	    let actor = request.actor;
+	    if (!this._activeRequests.has(actor)) {
+	      this._sendRequest(request);
+	    } else {
+	      this._queueRequest(request);
+	    }
+	  },
+	
+	  /**
+	   * Send a request.
+	   * @throws Error if there is already an active request in flight for the same
+	   *         actor.
+	   */
+	  _sendRequest(request) {
+	    let actor = request.actor;
+	    this.expectReply(actor, request);
+	
+	    if (request.format === "json") {
+	      this._transport.send(request.request);
+	      return false;
+	    }
+	
+	    this._transport.startBulkSend(request.request).then((...args) => {
+	      request.emit("bulk-send-ready", ...args);
+	    });
+	  },
+	
+	  /**
+	   * Queue a request to be sent later.  Queues are only drained when an in
+	   * flight request to a given actor completes.
+	   */
+	  _queueRequest(request) {
+	    let actor = request.actor;
+	    let queue = this._pendingRequests.get(actor) || [];
+	    queue.push(request);
+	    this._pendingRequests.set(actor, queue);
+	  },
+	
+	  /**
+	   * Attempt the next request to a given actor (if any).
+	   */
+	  _attemptNextRequest(actor) {
+	    if (this._activeRequests.has(actor)) {
+	      return;
+	    }
+	    let queue = this._pendingRequests.get(actor);
+	    if (!queue) {
+	      return;
+	    }
+	    let request = queue.shift();
+	    if (queue.length === 0) {
+	      this._pendingRequests.delete(actor);
+	    }
+	    this._sendRequest(request);
+	  },
+	
+	  /**
+	   * Arrange to hand the next reply from |aActor| to the handler bound to
+	   * |aRequest|.
+	   *
+	   * DebuggerClient.prototype.request / startBulkRequest usually takes care of
+	   * establishing the handler for a given request, but in rare cases (well,
+	   * greetings from new root actors, is the only case at the moment) we must be
+	   * prepared for a "reply" that doesn't correspond to any request we sent.
+	   */
+	  expectReply: function (aActor, aRequest) {
+	    if (this._activeRequests.has(aActor)) {
+	      throw Error("clashing handlers for next reply from " + uneval(aActor));
+	    }
+	
+	    // If a handler is passed directly (as it is with the handler for the root
+	    // actor greeting), create a dummy request to bind this to.
+	    if (typeof aRequest === "function") {
+	      let handler = aRequest;
+	      aRequest = new Request();
+	      aRequest.on("json-reply", handler);
+	    }
+	
+	    this._activeRequests.set(aActor, aRequest);
+	  },
+	
+	  // Transport hooks.
+	
+	  /**
+	   * Called by DebuggerTransport to dispatch incoming packets as appropriate.
+	   *
+	   * @param aPacket object
+	   *        The incoming packet.
+	   */
+	  onPacket: function (aPacket) {
+	    if (!aPacket.from) {
+	      DevToolsUtils.reportException(
+	        "onPacket",
+	        new Error("Server did not specify an actor, dropping packet: " +
+	                  JSON.stringify(aPacket)));
+	      return;
+	    }
+	
+	    // If we have a registered Front for this actor, let it handle the packet
+	    // and skip all the rest of this unpleasantness.
+	    let front = this.getActor(aPacket.from);
+	    if (front) {
+	      front.onPacket(aPacket);
+	      return;
+	    }
+	
+	    if (this._clients.has(aPacket.from) && aPacket.type) {
+	      let client = this._clients.get(aPacket.from);
+	      let type = aPacket.type;
+	      if (client.events.indexOf(type) != -1) {
+	        client.emit(type, aPacket);
+	        // we ignore the rest, as the client is expected to handle this packet.
+	        return;
+	      }
+	    }
+	
+	    let activeRequest;
+	    // See if we have a handler function waiting for a reply from this
+	    // actor. (Don't count unsolicited notifications or pauses as
+	    // replies.)
+	    if (this._activeRequests.has(aPacket.from) &&
+	        !(aPacket.type in UnsolicitedNotifications) &&
+	        !(aPacket.type == ThreadStateTypes.paused &&
+	          aPacket.why.type in UnsolicitedPauses)) {
+	      activeRequest = this._activeRequests.get(aPacket.from);
+	      this._activeRequests.delete(aPacket.from);
+	    }
+	
+	    // If there is a subsequent request for the same actor, hand it off to the
+	    // transport.  Delivery of packets on the other end is always async, even
+	    // in the local transport case.
+	    this._attemptNextRequest(aPacket.from);
+	
+	    // Packets that indicate thread state changes get special treatment.
+	    if (aPacket.type in ThreadStateTypes &&
+	        this._clients.has(aPacket.from) &&
+	        typeof this._clients.get(aPacket.from)._onThreadState == "function") {
+	      this._clients.get(aPacket.from)._onThreadState(aPacket);
+	    }
+	
+	    // TODO: Bug 1151156 - Remove once Gecko 40 is on b2g-stable.
+	    if (!this.traits.noNeedToFakeResumptionOnNavigation) {
+	      // On navigation the server resumes, so the client must resume as well.
+	      // We achieve that by generating a fake resumption packet that triggers
+	      // the client's thread state change listeners.
+	      if (aPacket.type == UnsolicitedNotifications.tabNavigated &&
+	          this._clients.has(aPacket.from) &&
+	          this._clients.get(aPacket.from).thread) {
+	        let thread = this._clients.get(aPacket.from).thread;
+	        let resumption = { from: thread._actor, type: "resumed" };
+	        thread._onThreadState(resumption);
+	      }
+	    }
+	
+	    // Only try to notify listeners on events, not responses to requests
+	    // that lack a packet type.
+	    if (aPacket.type) {
+	      this.emit(aPacket.type, aPacket);
+	    }
+	
+	    if (activeRequest) {
+	      let emitReply = () => activeRequest.emit("json-reply", aPacket);
+	      if (activeRequest.stack) {
+	        Cu.callFunctionWithAsyncStack(emitReply, activeRequest.stack,
+	                                      "DevTools RDP");
+	      } else {
+	        emitReply();
+	      }
+	    }
+	  },
+	
+	  /**
+	   * Called by the DebuggerTransport to dispatch incoming bulk packets as
+	   * appropriate.
+	   *
+	   * @param packet object
+	   *        The incoming packet, which contains:
+	   *        * actor:  Name of actor that will receive the packet
+	   *        * type:   Name of actor's method that should be called on receipt
+	   *        * length: Size of the data to be read
+	   *        * stream: This input stream should only be used directly if you can
+	   *                  ensure that you will read exactly |length| bytes and will
+	   *                  not close the stream when reading is complete
+	   *        * done:   If you use the stream directly (instead of |copyTo|
+	   *                  below), you must signal completion by resolving /
+	   *                  rejecting this deferred.  If it's rejected, the transport
+	   *                  will be closed.  If an Error is supplied as a rejection
+	   *                  value, it will be logged via |dumpn|.  If you do use
+	   *                  |copyTo|, resolving is taken care of for you when copying
+	   *                  completes.
+	   *        * copyTo: A helper function for getting your data out of the stream
+	   *                  that meets the stream handling requirements above, and has
+	   *                  the following signature:
+	   *          @param  output nsIAsyncOutputStream
+	   *                  The stream to copy to.
+	   *          @return Promise
+	   *                  The promise is resolved when copying completes or rejected
+	   *                  if any (unexpected) errors occur.
+	   *                  This object also emits "progress" events for each chunk
+	   *                  that is copied.  See stream-utils.js.
+	   */
+	  onBulkPacket: function(packet) {
+	    let { actor, type, length } = packet;
+	
+	    if (!actor) {
+	      DevToolsUtils.reportException(
+	        "onBulkPacket",
+	        new Error("Server did not specify an actor, dropping bulk packet: " +
+	                  JSON.stringify(packet)));
+	      return;
+	    }
+	
+	    // See if we have a handler function waiting for a reply from this
+	    // actor.
+	    if (!this._activeRequests.has(actor)) {
+	      return;
+	    }
+	
+	    let activeRequest = this._activeRequests.get(actor);
+	    this._activeRequests.delete(actor);
+	
+	    // If there is a subsequent request for the same actor, hand it off to the
+	    // transport.  Delivery of packets on the other end is always async, even
+	    // in the local transport case.
+	    this._attemptNextRequest(actor);
+	
+	    activeRequest.emit("bulk-reply", packet);
+	  },
+	
+	  /**
+	   * Called by DebuggerTransport when the underlying stream is closed.
+	   *
+	   * @param aStatus nsresult
+	   *        The status code that corresponds to the reason for closing
+	   *        the stream.
+	   */
+	  onClosed: function (aStatus) {
+	    this._closed = true;
+	    this.emit("closed");
+	
+	    // Reject all pending and active requests
+	    let reject = function(type, request, actor) {
+	      // Server can send packets on its own and client only pass a callback
+	      // to expectReply, so that there is no request object.
+	      let msg;
+	      if (request.request) {
+	        msg = "'" + request.request.type + "' " + type + " request packet" +
+	              " to '" + actor + "' " +
+	              "can't be sent as the connection just closed.";
+	      } else {
+	        msg = "server side packet from '" + actor + "' can't be received " +
+	              "as the connection just closed.";
+	      }
+	      let packet = { error: "connectionClosed", message: msg };
+	      request.emit("json-reply", packet);
+	    };
+	
+	    let pendingRequests = new Map(this._pendingRequests);
+	    this._pendingRequests.clear();
+	    pendingRequests.forEach((list, actor) => {
+	      list.forEach(request => reject("pending", request, actor));
+	    });
+	    let activeRequests = new Map(this._activeRequests);
+	    this._activeRequests.clear();
+	    activeRequests.forEach(reject.bind(null, "active"));
+	
+	    // The |_pools| array on the client-side currently is used only by
+	    // protocol.js to store active fronts, mirroring the actor pools found in
+	    // the server.  So, read all usages of "pool" as "protocol.js front".
+	    //
+	    // In the normal case where we shutdown cleanly, the toolbox tells each tool
+	    // to close, and they each call |destroy| on any fronts they were using.
+	    // When |destroy| or |cleanup| is called on a protocol.js front, it also
+	    // removes itself from the |_pools| array.  Once the toolbox has shutdown,
+	    // the connection is closed, and we reach here.  All fronts (should have
+	    // been) |destroy|ed, so |_pools| should empty.
+	    //
+	    // If the connection instead aborts unexpectedly, we may end up here with
+	    // all fronts used during the life of the connection.  So, we call |cleanup|
+	    // on them clear their state, reject pending requests, and remove themselves
+	    // from |_pools|.  This saves the toolbox from hanging indefinitely, in case
+	    // it waits for some server response before shutdown that will now never
+	    // arrive.
+	    for (let pool of this._pools) {
+	      pool.cleanup();
+	    }
+	  },
+	
+	  registerClient: function (client) {
+	    let actorID = client.actor;
+	    if (!actorID) {
+	      throw new Error("DebuggerServer.registerClient expects " +
+	                      "a client instance with an `actor` attribute.");
+	    }
+	    if (!Array.isArray(client.events)) {
+	      throw new Error("DebuggerServer.registerClient expects " +
+	                      "a client instance with an `events` attribute " +
+	                      "that is an array.");
+	    }
+	    if (client.events.length > 0 && typeof(client.emit) != "function") {
+	      throw new Error("DebuggerServer.registerClient expects " +
+	                      "a client instance with non-empty `events` array to" +
+	                      "have an `emit` function.");
+	    }
+	    if (this._clients.has(actorID)) {
+	      throw new Error("DebuggerServer.registerClient already registered " +
+	                      "a client for this actor.");
+	    }
+	    this._clients.set(actorID, client);
+	  },
+	
+	  unregisterClient: function (client) {
+	    let actorID = client.actor;
+	    if (!actorID) {
+	      throw new Error("DebuggerServer.unregisterClient expects " +
+	                      "a Client instance with a `actor` attribute.");
+	    }
+	    this._clients.delete(actorID);
+	  },
+	
+	  /**
+	   * Actor lifetime management, echos the server's actor pools.
+	   */
+	  __pools: null,
+	  get _pools() {
+	    if (this.__pools) {
+	      return this.__pools;
+	    }
+	    this.__pools = new Set();
+	    return this.__pools;
+	  },
+	
+	  addActorPool: function (pool) {
+	    this._pools.add(pool);
+	  },
+	  removeActorPool: function (pool) {
+	    this._pools.delete(pool);
+	  },
+	  getActor: function (actorID) {
+	    let pool = this.poolFor(actorID);
+	    return pool ? pool.get(actorID) : null;
+	  },
+	
+	  poolFor: function (actorID) {
+	    for (let pool of this._pools) {
+	      if (pool.has(actorID)) return pool;
+	    }
+	    return null;
+	  },
+	
+	  /**
+	   * Currently attached addon.
+	   */
+	  activeAddon: null
+	}
+	
+	eventSource(DebuggerClient.prototype);
+	
+	function Request(request) {
+	  this.request = request;
+	}
+	
+	Request.prototype = {
+	
+	  on: function(type, listener) {
+	    events.on(this, type, listener);
+	  },
+	
+	  off: function(type, listener) {
+	    events.off(this, type, listener);
+	  },
+	
+	  once: function(type, listener) {
+	    events.once(this, type, listener);
+	  },
+	
+	  emit: function(type, ...args) {
+	    events.emit(this, type, ...args);
+	  },
+	
+	  get actor() { return this.request.to || this.request.actor; }
+	
+	};
+	
+	/**
+	 * Creates a tab client for the remote debugging protocol server. This client
+	 * is a front to the tab actor created in the server side, hiding the protocol
+	 * details in a traditional JavaScript API.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aForm object
+	 *        The protocol form for this tab.
+	 */
+	function TabClient(aClient, aForm) {
+	  this.client = aClient;
+	  this._actor = aForm.from;
+	  this._threadActor = aForm.threadActor;
+	  this.javascriptEnabled = aForm.javascriptEnabled;
+	  this.cacheDisabled = aForm.cacheDisabled;
+	  this.thread = null;
+	  this.request = this.client.request;
+	  this.traits = aForm.traits || {};
+	  this.events = ["workerListChanged"];
+	}
+	
+	TabClient.prototype = {
+	  get actor() { return this._actor },
+	  get _transport() { return this.client._transport; },
+	
+	  /**
+	   * Attach to a thread actor.
+	   *
+	   * @param object aOptions
+	   *        Configuration options.
+	   *        - useSourceMaps: whether to use source maps or not.
+	   * @param function aOnResponse
+	   *        Called with the response packet and a ThreadClient
+	   *        (which will be undefined on error).
+	   */
+	  attachThread: function(aOptions={}, aOnResponse = noop) {
+	    if (this.thread) {
+	      DevToolsUtils.executeSoon(() => aOnResponse({}, this.thread));
+	      return promise.resolve([{}, this.thread]);
+	    }
+	
+	    let packet = {
+	      to: this._threadActor,
+	      type: "attach",
+	      options: aOptions
+	    };
+	    return this.request(packet).then(aResponse => {
+	      if (!aResponse.error) {
+	        this.thread = new ThreadClient(this, this._threadActor);
+	        this.client.registerClient(this.thread);
+	      }
+	      aOnResponse(aResponse, this.thread);
+	      return [aResponse, this.thread];
+	    });
+	  },
+	
+	  /**
+	   * Detach the client from the tab actor.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  detach: DebuggerClient.requester({
+	    type: "detach"
+	  }, {
+	    before: function (aPacket) {
+	      if (this.thread) {
+	        this.thread.detach();
+	      }
+	      return aPacket;
+	    },
+	    after: function (aResponse) {
+	      this.client.unregisterClient(this);
+	      return aResponse;
+	    },
+	    telemetry: "TABDETACH"
+	  }),
+	
+	  /**
+	   * Bring the window to the front.
+	   */
+	  focus: DebuggerClient.requester({
+	    type: "focus"
+	  }, {}),
+	
+	  /**
+	   * Reload the page in this tab.
+	   *
+	   * @param [optional] object options
+	   *        An object with a `force` property indicating whether or not
+	   *        this reload should skip the cache
+	   */
+	  reload: function(options = { force: false }) {
+	    return this._reload(options);
+	  },
+	  _reload: DebuggerClient.requester({
+	    type: "reload",
+	    options: args(0)
+	  }, {
+	    telemetry: "RELOAD"
+	  }),
+	
+	  /**
+	   * Navigate to another URL.
+	   *
+	   * @param string url
+	   *        The URL to navigate to.
+	   */
+	  navigateTo: DebuggerClient.requester({
+	    type: "navigateTo",
+	    url: args(0)
+	  }, {
+	    telemetry: "NAVIGATETO"
+	  }),
+	
+	  /**
+	   * Reconfigure the tab actor.
+	   *
+	   * @param object aOptions
+	   *        A dictionary object of the new options to use in the tab actor.
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  reconfigure: DebuggerClient.requester({
+	    type: "reconfigure",
+	    options: args(0)
+	  }, {
+	    telemetry: "RECONFIGURETAB"
+	  }),
+	
+	  listWorkers: DebuggerClient.requester({
+	    type: "listWorkers"
+	  }, {
+	    telemetry: "LISTWORKERS"
+	  }),
+	
+	  attachWorker: function (aWorkerActor, aOnResponse) {
+	    this.client.attachWorker(aWorkerActor, aOnResponse);
+	  },
+	
+	  /**
+	   * Resolve a location ({ url, line, column }) to its current
+	   * source mapping location.
+	   *
+	   * @param {String} arg[0].url
+	   * @param {Number} arg[0].line
+	   * @param {Number?} arg[0].column
+	   */
+	  resolveLocation: DebuggerClient.requester({
+	    type: "resolveLocation",
+	    location: args(0)
+	  }),
+	};
+	
+	eventSource(TabClient.prototype);
+	
+	function WorkerClient(aClient, aForm) {
+	  this.client = aClient;
+	  this._actor = aForm.from;
+	  this._isClosed = false;
+	  this._url = aForm.url;
+	
+	  this._onClose = this._onClose.bind(this);
+	
+	  this.addListener("close", this._onClose);
+	
+	  this.traits = {};
+	}
+	
+	WorkerClient.prototype = {
+	  get _transport() {
+	    return this.client._transport;
+	  },
+	
+	  get request() {
+	    return this.client.request;
+	  },
+	
+	  get actor() {
+	    return this._actor;
+	  },
+	
+	  get url() {
+	    return this._url;
+	  },
+	
+	  get isClosed() {
+	    return this._isClosed;
+	  },
+	
+	  detach: DebuggerClient.requester({ type: "detach" }, {
+	    after: function (aResponse) {
+	      if (this.thread) {
+	        this.client.unregisterClient(this.thread);
+	      }
+	      this.client.unregisterClient(this);
+	      return aResponse;
+	    },
+	
+	    telemetry: "WORKERDETACH"
+	  }),
+	
+	  attachThread: function(aOptions = {}, aOnResponse = noop) {
+	    if (this.thread) {
+	      let response = [{
+	        type: "connected",
+	        threadActor: this.thread._actor,
+	        consoleActor: this.consoleActor,
+	      }, this.thread];
+	      DevToolsUtils.executeSoon(() => aOnResponse(response));
+	      return response;
+	    }
+	
+	    // The connect call on server doesn't attach the thread as of version 44.
+	    return this.request({
+	      to: this._actor,
+	      type: "connect",
+	      options: aOptions,
+	    }).then(connectReponse => {
+	      if (connectReponse.error) {
+	        aOnResponse(connectReponse, null);
+	        return [connectResponse, null];
+	      }
+	
+	      return this.request({
+	        to: connectReponse.threadActor,
+	        type: "attach",
+	        options: aOptions
+	      }).then(attachResponse => {
+	        if (attachResponse.error) {
+	          aOnResponse(attachResponse, null);
+	        }
+	
+	        this.thread = new ThreadClient(this, connectReponse.threadActor);
+	        this.consoleActor = connectReponse.consoleActor;
+	        this.client.registerClient(this.thread);
+	
+	        aOnResponse(connectReponse, this.thread);
+	        return [connectResponse, this.thread];
+	      });
+	    });
+	  },
+	
+	  _onClose: function () {
+	    this.removeListener("close", this._onClose);
+	
+	    if (this.thread) {
+	      this.client.unregisterClient(this.thread);
+	    }
+	    this.client.unregisterClient(this);
+	    this._isClosed = true;
+	  },
+	
+	  reconfigure: function () {
+	    return Promise.resolve();
+	  },
+	
+	  events: ["close"]
+	};
+	
+	eventSource(WorkerClient.prototype);
+	
+	function AddonClient(aClient, aActor) {
+	  this._client = aClient;
+	  this._actor = aActor;
+	  this.request = this._client.request;
+	  this.events = [];
+	}
+	
+	AddonClient.prototype = {
+	  get actor() { return this._actor; },
+	  get _transport() { return this._client._transport; },
+	
+	  /**
+	   * Detach the client from the addon actor.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  detach: DebuggerClient.requester({
+	    type: "detach"
+	  }, {
+	    after: function(aResponse) {
+	      if (this._client.activeAddon === this) {
+	        this._client.activeAddon = null
+	      }
+	      this._client.unregisterClient(this);
+	      return aResponse;
+	    },
+	    telemetry: "ADDONDETACH"
+	  })
+	};
+	
+	/**
+	 * A RootClient object represents a root actor on the server. Each
+	 * DebuggerClient keeps a RootClient instance representing the root actor
+	 * for the initial connection; DebuggerClient's 'listTabs' and
+	 * 'listChildProcesses' methods forward to that root actor.
+	 *
+	 * @param aClient object
+	 *      The client connection to which this actor belongs.
+	 * @param aGreeting string
+	 *      The greeting packet from the root actor we're to represent.
+	 *
+	 * Properties of a RootClient instance:
+	 *
+	 * @property actor string
+	 *      The name of this child's root actor.
+	 * @property applicationType string
+	 *      The application type, as given in the root actor's greeting packet.
+	 * @property traits object
+	 *      The traits object, as given in the root actor's greeting packet.
+	 */
+	function RootClient(aClient, aGreeting) {
+	  this._client = aClient;
+	  this.actor = aGreeting.from;
+	  this.applicationType = aGreeting.applicationType;
+	  this.traits = aGreeting.traits;
+	}
+	exports.RootClient = RootClient;
+	
+	RootClient.prototype = {
+	  constructor: RootClient,
+	
+	  /**
+	   * List the open tabs.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  listTabs: DebuggerClient.requester({ type: "listTabs" },
+	                                     { telemetry: "LISTTABS" }),
+	
+	  /**
+	   * List the installed addons.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  listAddons: DebuggerClient.requester({ type: "listAddons" },
+	                                       { telemetry: "LISTADDONS" }),
+	
+	  /**
+	   * List the registered workers.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  listWorkers: DebuggerClient.requester({ type: "listWorkers" },
+	                                        { telemetry: "LISTWORKERS" }),
+	
+	  /**
+	   * List the registered service workers.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  listServiceWorkerRegistrations: DebuggerClient.requester({ type: "listServiceWorkerRegistrations" },
+	                                                           { telemetry: "LISTSERVICEWORKERREGISTRATIONS" }),
+	
+	  /**
+	   * List the running processes.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  listProcesses: DebuggerClient.requester({ type: "listProcesses" },
+	                                          { telemetry: "LISTPROCESSES" }),
+	
+	  /**
+	   * Fetch the TabActor for the currently selected tab, or for a specific
+	   * tab given as first parameter.
+	   *
+	   * @param [optional] object aFilter
+	   *        A dictionary object with following optional attributes:
+	   *         - outerWindowID: used to match tabs in parent process
+	   *         - tabId: used to match tabs in child processes
+	   *         - tab: a reference to xul:tab element
+	   *        If nothing is specified, returns the actor for the currently
+	   *        selected tab.
+	   */
+	  getTab: function (aFilter) {
+	    let packet = {
+	      to: this.actor,
+	      type: "getTab"
+	    };
+	
+	    if (aFilter) {
+	      if (typeof(aFilter.outerWindowID) == "number") {
+	        packet.outerWindowID = aFilter.outerWindowID;
+	      } else if (typeof(aFilter.tabId) == "number") {
+	        packet.tabId = aFilter.tabId;
+	      } else if ("tab" in aFilter) {
+	        let browser = aFilter.tab.linkedBrowser;
+	        if (browser.frameLoader.tabParent) {
+	          // Tabs in child process
+	          packet.tabId = browser.frameLoader.tabParent.tabId;
+	        } else {
+	          // Tabs in parent process
+	          let windowUtils = browser.contentWindow
+	            .QueryInterface(Ci.nsIInterfaceRequestor)
+	            .getInterface(Ci.nsIDOMWindowUtils);
+	          packet.outerWindowID = windowUtils.outerWindowID;
+	        }
+	      } else {
+	        // Throw if a filter object have been passed but without
+	        // any clearly idenfified filter.
+	        throw new Error("Unsupported argument given to getTab request");
+	      }
+	    }
+	
+	    return this.request(packet);
+	  },
+	
+	  /**
+	   * Description of protocol's actors and methods.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	   protocolDescription: DebuggerClient.requester({ type: "protocolDescription" },
+	                                                 { telemetry: "PROTOCOLDESCRIPTION" }),
+	
+	  /*
+	   * Methods constructed by DebuggerClient.requester require these forwards
+	   * on their 'this'.
+	   */
+	  get _transport() { return this._client._transport; },
+	  get request()    { return this._client.request;    }
+	};
+	
+	/**
+	 * Creates a thread client for the remote debugging protocol server. This client
+	 * is a front to the thread actor created in the server side, hiding the
+	 * protocol details in a traditional JavaScript API.
+	 *
+	 * @param aClient DebuggerClient|TabClient
+	 *        The parent of the thread (tab for tab-scoped debuggers, DebuggerClient
+	 *        for chrome debuggers).
+	 * @param aActor string
+	 *        The actor ID for this thread.
+	 */
+	function ThreadClient(aClient, aActor) {
+	  this._parent = aClient;
+	  this.client = aClient instanceof DebuggerClient ? aClient : aClient.client;
+	  this._actor = aActor;
+	  this._frameCache = [];
+	  this._scriptCache = {};
+	  this._pauseGrips = {};
+	  this._threadGrips = {};
+	  this.request = this.client.request;
+	}
+	
+	ThreadClient.prototype = {
+	  _state: "paused",
+	  get state() { return this._state; },
+	  get paused() { return this._state === "paused"; },
+	
+	  _pauseOnExceptions: false,
+	  _ignoreCaughtExceptions: false,
+	  _pauseOnDOMEvents: null,
+	
+	  _actor: null,
+	  get actor() { return this._actor; },
+	
+	  get _transport() { return this.client._transport; },
+	
+	  _assertPaused: function (aCommand) {
+	    if (!this.paused) {
+	      throw Error(aCommand + " command sent while not paused. Currently " + this._state);
+	    }
+	  },
+	
+	  /**
+	   * Resume a paused thread. If the optional aLimit parameter is present, then
+	   * the thread will also pause when that limit is reached.
+	   *
+	   * @param [optional] object aLimit
+	   *        An object with a type property set to the appropriate limit (next,
+	   *        step, or finish) per the remote debugging protocol specification.
+	   *        Use null to specify no limit.
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  _doResume: DebuggerClient.requester({
+	    type: "resume",
+	    resumeLimit: args(0)
+	  }, {
+	    before: function (aPacket) {
+	      this._assertPaused("resume");
+	
+	      // Put the client in a tentative "resuming" state so we can prevent
+	      // further requests that should only be sent in the paused state.
+	      this._state = "resuming";
+	
+	      if (this._pauseOnExceptions) {
+	        aPacket.pauseOnExceptions = this._pauseOnExceptions;
+	      }
+	      if (this._ignoreCaughtExceptions) {
+	        aPacket.ignoreCaughtExceptions = this._ignoreCaughtExceptions;
+	      }
+	      if (this._pauseOnDOMEvents) {
+	        aPacket.pauseOnDOMEvents = this._pauseOnDOMEvents;
+	      }
+	      return aPacket;
+	    },
+	    after: function (aResponse) {
+	      if (aResponse.error) {
+	        // There was an error resuming, back to paused state.
+	        this._state = "paused";
+	      }
+	      return aResponse;
+	    },
+	    telemetry: "RESUME"
+	  }),
+	
+	  /**
+	   * Reconfigure the thread actor.
+	   *
+	   * @param object aOptions
+	   *        A dictionary object of the new options to use in the thread actor.
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  reconfigure: DebuggerClient.requester({
+	    type: "reconfigure",
+	    options: args(0)
+	  }, {
+	    telemetry: "RECONFIGURETHREAD"
+	  }),
+	
+	  /**
+	   * Resume a paused thread.
+	   */
+	  resume: function (aOnResponse) {
+	    return this._doResume(null, aOnResponse);
+	  },
+	
+	  /**
+	   * Resume then pause without stepping.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  resumeThenPause: function (aOnResponse) {
+	    return this._doResume({ type: "break" }, aOnResponse);
+	  },
+	
+	  /**
+	   * Step over a function call.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  stepOver: function (aOnResponse) {
+	    return this._doResume({ type: "next" }, aOnResponse);
+	  },
+	
+	  /**
+	   * Step into a function call.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  stepIn: function (aOnResponse) {
+	    return this._doResume({ type: "step" }, aOnResponse);
+	  },
+	
+	  /**
+	   * Step out of a function call.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  stepOut: function (aOnResponse) {
+	    return this._doResume({ type: "finish" }, aOnResponse);
+	  },
+	
+	  /**
+	   * Immediately interrupt a running thread.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  interrupt: function(aOnResponse) {
+	    return this._doInterrupt(null, aOnResponse);
+	  },
+	
+	  /**
+	   * Pause execution right before the next JavaScript bytecode is executed.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  breakOnNext: function(aOnResponse) {
+	    return this._doInterrupt("onNext", aOnResponse);
+	  },
+	
+	  /**
+	   * Interrupt a running thread.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  _doInterrupt: DebuggerClient.requester({
+	    type: "interrupt",
+	    when: args(0)
+	  }, {
+	    telemetry: "INTERRUPT"
+	  }),
+	
+	  /**
+	   * Enable or disable pausing when an exception is thrown.
+	   *
+	   * @param boolean aFlag
+	   *        Enables pausing if true, disables otherwise.
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  pauseOnExceptions: function (aPauseOnExceptions,
+	                               aIgnoreCaughtExceptions,
+	                               aOnResponse = noop) {
+	    this._pauseOnExceptions = aPauseOnExceptions;
+	    this._ignoreCaughtExceptions = aIgnoreCaughtExceptions;
+	
+	    // Otherwise send the flag using a standard resume request.
+	    if(!this.paused) {
+	      return this.interrupt(aResponse => {
+	        if (aResponse.error) {
+	          // Can't continue if pausing failed.
+	          aOnResponse(aResponse);
+	          return aResponse;
+	        }
+	        return this.resume(aOnResponse);
+	      });
+	    }
+	
+	    aOnResponse();
+	    return promise.resolve();
+	  },
+	
+	  /**
+	   * Enable pausing when the specified DOM events are triggered. Disabling
+	   * pausing on an event can be realized by calling this method with the updated
+	   * array of events that doesn't contain it.
+	   *
+	   * @param array|string events
+	   *        An array of strings, representing the DOM event types to pause on,
+	   *        or "*" to pause on all DOM events. Pass an empty array to
+	   *        completely disable pausing on DOM events.
+	   * @param function onResponse
+	   *        Called with the response packet in a future turn of the event loop.
+	   */
+	  pauseOnDOMEvents: function (events, onResponse = noop) {
+	    this._pauseOnDOMEvents = events;
+	    // If the debuggee is paused, the value of the array will be communicated in
+	    // the next resumption. Otherwise we have to force a pause in order to send
+	    // the array.
+	    if (this.paused) {
+	      DevToolsUtils.executeSoon(() => onResponse({}));
+	      return {};
+	    }
+	    return this.interrupt(response => {
+	      // Can't continue if pausing failed.
+	      if (response.error) {
+	        onResponse(response);
+	        return response;
+	      }
+	      return this.resume(onResponse);
+	    });
+	  },
+	
+	  /**
+	   * Send a clientEvaluate packet to the debuggee. Response
+	   * will be a resume packet.
+	   *
+	   * @param string aFrame
+	   *        The actor ID of the frame where the evaluation should take place.
+	   * @param string aExpression
+	   *        The expression that will be evaluated in the scope of the frame
+	   *        above.
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  eval: DebuggerClient.requester({
+	    type: "clientEvaluate",
+	    frame: args(0),
+	    expression: args(1)
+	  }, {
+	    before: function (aPacket) {
+	      this._assertPaused("eval");
+	      // Put the client in a tentative "resuming" state so we can prevent
+	      // further requests that should only be sent in the paused state.
+	      this._state = "resuming";
+	      return aPacket;
+	    },
+	    after: function (aResponse) {
+	      if (aResponse.error) {
+	        // There was an error resuming, back to paused state.
+	        this._state = "paused";
+	      }
+	      return aResponse;
+	    },
+	    telemetry: "CLIENTEVALUATE"
+	  }),
+	
+	  /**
+	   * Detach from the thread actor.
+	   *
+	   * @param function aOnResponse
+	   *        Called with the response packet.
+	   */
+	  detach: DebuggerClient.requester({
+	    type: "detach"
+	  }, {
+	    after: function (aResponse) {
+	      this.client.unregisterClient(this);
+	      this._parent.thread = null;
+	      return aResponse;
+	    },
+	    telemetry: "THREADDETACH"
+	  }),
+	
+	  /**
+	   * Release multiple thread-lifetime object actors. If any pause-lifetime
+	   * actors are included in the request, a |notReleasable| error will return,
+	   * but all the thread-lifetime ones will have been released.
+	   *
+	   * @param array actors
+	   *        An array with actor IDs to release.
+	   */
+	  releaseMany: DebuggerClient.requester({
+	    type: "releaseMany",
+	    actors: args(0),
+	  }, {
+	    telemetry: "RELEASEMANY"
+	  }),
+	
+	  /**
+	   * Promote multiple pause-lifetime object actors to thread-lifetime ones.
+	   *
+	   * @param array actors
+	   *        An array with actor IDs to promote.
+	   */
+	  threadGrips: DebuggerClient.requester({
+	    type: "threadGrips",
+	    actors: args(0)
+	  }, {
+	    telemetry: "THREADGRIPS"
+	  }),
+	
+	  /**
+	   * Return the event listeners defined on the page.
+	   *
+	   * @param aOnResponse Function
+	   *        Called with the thread's response.
+	   */
+	  eventListeners: DebuggerClient.requester({
+	    type: "eventListeners"
+	  }, {
+	    telemetry: "EVENTLISTENERS"
+	  }),
+	
+	  /**
+	   * Request the loaded sources for the current thread.
+	   *
+	   * @param aOnResponse Function
+	   *        Called with the thread's response.
+	   */
+	  getSources: DebuggerClient.requester({
+	    type: "sources"
+	  }, {
+	    telemetry: "SOURCES"
+	  }),
+	
+	  /**
+	   * Clear the thread's source script cache. A scriptscleared event
+	   * will be sent.
+	   */
+	  _clearScripts: function () {
+	    if (Object.keys(this._scriptCache).length > 0) {
+	      this._scriptCache = {}
+	      this.emit("scriptscleared");
+	    }
+	  },
+	
+	  /**
+	   * Request frames from the callstack for the current thread.
+	   *
+	   * @param aStart integer
+	   *        The number of the youngest stack frame to return (the youngest
+	   *        frame is 0).
+	   * @param aCount integer
+	   *        The maximum number of frames to return, or null to return all
+	   *        frames.
+	   * @param aOnResponse function
+	   *        Called with the thread's response.
+	   */
+	  getFrames: DebuggerClient.requester({
+	    type: "frames",
+	    start: args(0),
+	    count: args(1)
+	  }, {
+	    telemetry: "FRAMES"
+	  }),
+	
+	  /**
+	   * An array of cached frames. Clients can observe the framesadded and
+	   * framescleared event to keep up to date on changes to this cache,
+	   * and can fill it using the fillFrames method.
+	   */
+	  get cachedFrames() { return this._frameCache; },
+	
+	  /**
+	   * true if there are more stack frames available on the server.
+	   */
+	  get moreFrames() {
+	    return this.paused && (!this._frameCache || this._frameCache.length == 0
+	          || !this._frameCache[this._frameCache.length - 1].oldest);
+	  },
+	
+	  /**
+	   * Ensure that at least aTotal stack frames have been loaded in the
+	   * ThreadClient's stack frame cache. A framesadded event will be
+	   * sent when the stack frame cache is updated.
+	   *
+	   * @param aTotal number
+	   *        The minimum number of stack frames to be included.
+	   * @param aCallback function
+	   *        Optional callback function called when frames have been loaded
+	   * @returns true if a framesadded notification should be expected.
+	   */
+	  fillFrames: function (aTotal, aCallback=noop) {
+	    this._assertPaused("fillFrames");
+	    if (this._frameCache.length >= aTotal) {
+	      return false;
+	    }
+	
+	    let numFrames = this._frameCache.length;
+	
+	    this.getFrames(numFrames, aTotal - numFrames, (aResponse) => {
+	      if (aResponse.error) {
+	        aCallback(aResponse);
+	        return;
+	      }
+	
+	      let threadGrips = DevToolsUtils.values(this._threadGrips);
+	
+	      for (let i in aResponse.frames) {
+	        let frame = aResponse.frames[i];
+	        if (!frame.where.source) {
+	          // Older servers use urls instead, so we need to resolve
+	          // them to source actors
+	          for (let grip of threadGrips) {
+	            if (grip instanceof SourceClient && grip.url === frame.url) {
+	              frame.where.source = grip._form;
+	            }
+	          }
+	        }
+	
+	        this._frameCache[frame.depth] = frame;
+	      }
+	
+	      // If we got as many frames as we asked for, there might be more
+	      // frames available.
+	      this.emit("framesadded");
+	
+	      aCallback(aResponse);
+	    });
+	
+	    return true;
+	  },
+	
+	  /**
+	   * Clear the thread's stack frame cache. A framescleared event
+	   * will be sent.
+	   */
+	  _clearFrames: function () {
+	    if (this._frameCache.length > 0) {
+	      this._frameCache = [];
+	      this.emit("framescleared");
+	    }
+	  },
+	
+	  /**
+	   * Return a ObjectClient object for the given object grip.
+	   *
+	   * @param aGrip object
+	   *        A pause-lifetime object grip returned by the protocol.
+	   */
+	  pauseGrip: function (aGrip) {
+	    if (aGrip.actor in this._pauseGrips) {
+	      return this._pauseGrips[aGrip.actor];
+	    }
+	
+	    let client = new ObjectClient(this.client, aGrip);
+	    this._pauseGrips[aGrip.actor] = client;
+	    return client;
+	  },
+	
+	  /**
+	   * Get or create a long string client, checking the grip client cache if it
+	   * already exists.
+	   *
+	   * @param aGrip Object
+	   *        The long string grip returned by the protocol.
+	   * @param aGripCacheName String
+	   *        The property name of the grip client cache to check for existing
+	   *        clients in.
+	   */
+	  _longString: function (aGrip, aGripCacheName) {
+	    if (aGrip.actor in this[aGripCacheName]) {
+	      return this[aGripCacheName][aGrip.actor];
+	    }
+	
+	    let client = new LongStringClient(this.client, aGrip);
+	    this[aGripCacheName][aGrip.actor] = client;
+	    return client;
+	  },
+	
+	  /**
+	   * Return an instance of LongStringClient for the given long string grip that
+	   * is scoped to the current pause.
+	   *
+	   * @param aGrip Object
+	   *        The long string grip returned by the protocol.
+	   */
+	  pauseLongString: function (aGrip) {
+	    return this._longString(aGrip, "_pauseGrips");
+	  },
+	
+	  /**
+	   * Return an instance of LongStringClient for the given long string grip that
+	   * is scoped to the thread lifetime.
+	   *
+	   * @param aGrip Object
+	   *        The long string grip returned by the protocol.
+	   */
+	  threadLongString: function (aGrip) {
+	    return this._longString(aGrip, "_threadGrips");
+	  },
+	
+	  /**
+	   * Clear and invalidate all the grip clients from the given cache.
+	   *
+	   * @param aGripCacheName
+	   *        The property name of the grip cache we want to clear.
+	   */
+	  _clearObjectClients: function (aGripCacheName) {
+	    for (let id in this[aGripCacheName]) {
+	      this[aGripCacheName][id].valid = false;
+	    }
+	    this[aGripCacheName] = {};
+	  },
+	
+	  /**
+	   * Invalidate pause-lifetime grip clients and clear the list of current grip
+	   * clients.
+	   */
+	  _clearPauseGrips: function () {
+	    this._clearObjectClients("_pauseGrips");
+	  },
+	
+	  /**
+	   * Invalidate thread-lifetime grip clients and clear the list of current grip
+	   * clients.
+	   */
+	  _clearThreadGrips: function () {
+	    this._clearObjectClients("_threadGrips");
+	  },
+	
+	  /**
+	   * Handle thread state change by doing necessary cleanup and notifying all
+	   * registered listeners.
+	   */
+	  _onThreadState: function (aPacket) {
+	    this._state = ThreadStateTypes[aPacket.type];
+	    // The debugger UI may not be initialized yet so we want to keep
+	    // the packet around so it knows what to pause state to display
+	    // when it's initialized
+	    this._lastPausePacket = aPacket.type === 'resumed' ? null : aPacket;
+	    this._clearFrames();
+	    this._clearPauseGrips();
+	    aPacket.type === ThreadStateTypes.detached && this._clearThreadGrips();
+	    this.client._eventsEnabled && this.emit(aPacket.type, aPacket);
+	  },
+	
+	  getLastPausePacket: function() {
+	    return this._lastPausePacket;
+	  },
+	
+	  /**
+	   * Return an EnvironmentClient instance for the given environment actor form.
+	   */
+	  environment: function (aForm) {
+	    return new EnvironmentClient(this.client, aForm);
+	  },
+	
+	  /**
+	   * Return an instance of SourceClient for the given source actor form.
+	   */
+	  source: function (aForm) {
+	    if (aForm.actor in this._threadGrips) {
+	      return this._threadGrips[aForm.actor];
+	    }
+	
+	    return this._threadGrips[aForm.actor] = new SourceClient(this, aForm);
+	  },
+	
+	  /**
+	   * Request the prototype and own properties of mutlipleObjects.
+	   *
+	   * @param aOnResponse function
+	   *        Called with the request's response.
+	   * @param actors [string]
+	   *        List of actor ID of the queried objects.
+	   */
+	  getPrototypesAndProperties: DebuggerClient.requester({
+	    type: "prototypesAndProperties",
+	    actors: args(0)
+	  }, {
+	    telemetry: "PROTOTYPESANDPROPERTIES"
+	  }),
+	
+	  events: ["newSource"]
+	};
+	
+	eventSource(ThreadClient.prototype);
+	
+	/**
+	 * Creates a tracing profiler client for the remote debugging protocol
+	 * server. This client is a front to the trace actor created on the
+	 * server side, hiding the protocol details in a traditional
+	 * JavaScript API.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aActor string
+	 *        The actor ID for this thread.
+	 */
+	function TraceClient(aClient, aActor) {
+	  this._client = aClient;
+	  this._actor = aActor;
+	  this._activeTraces = new Set();
+	  this._waitingPackets = new Map();
+	  this._expectedPacket = 0;
+	  this.request = this._client.request;
+	  this.events = [];
+	}
+	
+	TraceClient.prototype = {
+	  get actor()   { return this._actor; },
+	  get tracing() { return this._activeTraces.size > 0; },
+	
+	  get _transport() { return this._client._transport; },
+	
+	  /**
+	   * Detach from the trace actor.
+	   */
+	  detach: DebuggerClient.requester({
+	    type: "detach"
+	  }, {
+	    after: function (aResponse) {
+	      this._client.unregisterClient(this);
+	      return aResponse;
+	    },
+	    telemetry: "TRACERDETACH"
+	  }),
+	
+	  /**
+	   * Start a new trace.
+	   *
+	   * @param aTrace [string]
+	   *        An array of trace types to be recorded by the new trace.
+	   *
+	   * @param aName string
+	   *        The name of the new trace.
+	   *
+	   * @param aOnResponse function
+	   *        Called with the request's response.
+	   */
+	  startTrace: DebuggerClient.requester({
+	    type: "startTrace",
+	    name: args(1),
+	    trace: args(0)
+	  }, {
+	    after: function (aResponse) {
+	      if (aResponse.error) {
+	        return aResponse;
+	      }
+	
+	      if (!this.tracing) {
+	        this._waitingPackets.clear();
+	        this._expectedPacket = 0;
+	      }
+	      this._activeTraces.add(aResponse.name);
+	
+	      return aResponse;
+	    },
+	    telemetry: "STARTTRACE"
+	  }),
+	
+	  /**
+	   * End a trace. If a name is provided, stop the named
+	   * trace. Otherwise, stop the most recently started trace.
+	   *
+	   * @param aName string
+	   *        The name of the trace to stop.
+	   *
+	   * @param aOnResponse function
+	   *        Called with the request's response.
+	   */
+	  stopTrace: DebuggerClient.requester({
+	    type: "stopTrace",
+	    name: args(0)
+	  }, {
+	    after: function (aResponse) {
+	      if (aResponse.error) {
+	        return aResponse;
+	      }
+	
+	      this._activeTraces.delete(aResponse.name);
+	
+	      return aResponse;
+	    },
+	    telemetry: "STOPTRACE"
+	  })
+	};
+	
+	/**
+	 * Grip clients are used to retrieve information about the relevant object.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aGrip object
+	 *        A pause-lifetime object grip returned by the protocol.
+	 */
+	function ObjectClient(aClient, aGrip)
+	{
+	  this._grip = aGrip;
+	  this._client = aClient;
+	  this.request = this._client.request;
+	}
+	exports.ObjectClient = ObjectClient;
+	
+	ObjectClient.prototype = {
+	  get actor() { return this._grip.actor },
+	  get _transport() { return this._client._transport; },
+	
+	  valid: true,
+	
+	  get isFrozen() {
+	    return this._grip.frozen;
+	  },
+	  get isSealed() {
+	    return this._grip.sealed;
+	  },
+	  get isExtensible() {
+	    return this._grip.extensible;
+	  },
+	
+	  getDefinitionSite: DebuggerClient.requester({
+	    type: "definitionSite"
+	  }, {
+	    before: function (aPacket) {
+	      if (this._grip.class != "Function") {
+	        throw new Error("getDefinitionSite is only valid for function grips.");
+	      }
+	      return aPacket;
+	    }
+	  }),
+	
+	  /**
+	   * Request the names of a function's formal parameters.
+	   *
+	   * @param aOnResponse function
+	   *        Called with an object of the form:
+	   *        { parameterNames:[<parameterName>, ...] }
+	   *        where each <parameterName> is the name of a parameter.
+	   */
+	  getParameterNames: DebuggerClient.requester({
+	    type: "parameterNames"
+	  }, {
+	    before: function (aPacket) {
+	      if (this._grip["class"] !== "Function") {
+	        throw new Error("getParameterNames is only valid for function grips.");
+	      }
+	      return aPacket;
+	    },
+	    telemetry: "PARAMETERNAMES"
+	  }),
+	
+	  /**
+	   * Request the names of the properties defined on the object and not its
+	   * prototype.
+	   *
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  getOwnPropertyNames: DebuggerClient.requester({
+	    type: "ownPropertyNames"
+	  }, {
+	    telemetry: "OWNPROPERTYNAMES"
+	  }),
+	
+	  /**
+	   * Request the prototype and own properties of the object.
+	   *
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  getPrototypeAndProperties: DebuggerClient.requester({
+	    type: "prototypeAndProperties"
+	  }, {
+	    telemetry: "PROTOTYPEANDPROPERTIES"
+	  }),
+	
+	  /**
+	   * Request a PropertyIteratorClient instance to ease listing
+	   * properties for this object.
+	   *
+	   * @param options Object
+	   *        A dictionary object with various boolean attributes:
+	   *        - ignoreSafeGetters Boolean
+	   *          If true, do not iterate over safe getters.
+	   *        - ignoreIndexedProperties Boolean
+	   *          If true, filters out Array items.
+	   *          e.g. properties names between `0` and `object.length`.
+	   *        - ignoreNonIndexedProperties Boolean
+	   *          If true, filters out items that aren't array items
+	   *          e.g. properties names that are not a number between `0`
+	   *          and `object.length`.
+	   *        - sort Boolean
+	   *          If true, the iterator will sort the properties by name
+	   *          before dispatching them.
+	   * @param aOnResponse function Called with the client instance.
+	   */
+	  enumProperties: DebuggerClient.requester({
+	    type: "enumProperties",
+	    options: args(0)
+	  }, {
+	    after: function(aResponse) {
+	      if (aResponse.iterator) {
+	        return { iterator: new PropertyIteratorClient(this._client, aResponse.iterator) };
+	      }
+	      return aResponse;
+	    },
+	    telemetry: "ENUMPROPERTIES"
+	  }),
+	
+	  /**
+	   * Request a PropertyIteratorClient instance to enumerate entries in a
+	   * Map/Set-like object.
+	   *
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  enumEntries: DebuggerClient.requester({
+	    type: "enumEntries"
+	  }, {
+	    before: function(packet) {
+	      if (!["Map", "WeakMap", "Set", "WeakSet"].includes(this._grip.class)) {
+	        throw new Error("enumEntries is only valid for Map/Set-like grips.");
+	      }
+	      return packet;
+	    },
+	    after: function(response) {
+	      if (response.iterator) {
+	        return {
+	          iterator: new PropertyIteratorClient(this._client, response.iterator)
+	        };
+	      }
+	      return response;
+	    }
+	  }),
+	
+	  /**
+	   * Request the property descriptor of the object's specified property.
+	   *
+	   * @param aName string The name of the requested property.
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  getProperty: DebuggerClient.requester({
+	    type: "property",
+	    name: args(0)
+	  }, {
+	    telemetry: "PROPERTY"
+	  }),
+	
+	  /**
+	   * Request the prototype of the object.
+	   *
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  getPrototype: DebuggerClient.requester({
+	    type: "prototype"
+	  }, {
+	    telemetry: "PROTOTYPE"
+	  }),
+	
+	  /**
+	   * Request the display string of the object.
+	   *
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  getDisplayString: DebuggerClient.requester({
+	    type: "displayString"
+	  }, {
+	    telemetry: "DISPLAYSTRING"
+	  }),
+	
+	  /**
+	   * Request the scope of the object.
+	   *
+	   * @param aOnResponse function Called with the request's response.
+	   */
+	  getScope: DebuggerClient.requester({
+	    type: "scope"
+	  }, {
+	    before: function (aPacket) {
+	      if (this._grip.class !== "Function") {
+	        throw new Error("scope is only valid for function grips.");
+	      }
+	      return aPacket;
+	    },
+	    telemetry: "SCOPE"
+	  }),
+	
+	  /**
+	   * Request the promises directly depending on the current promise.
+	   */
+	  getDependentPromises: DebuggerClient.requester({
+	    type: "dependentPromises"
+	  }, {
+	    before: function(aPacket) {
+	      if (this._grip.class !== "Promise") {
+	        throw new Error("getDependentPromises is only valid for promise " +
+	          "grips.");
+	      }
+	      return aPacket;
+	    }
+	  }),
+	
+	  /**
+	   * Request the stack to the promise's allocation point.
+	   */
+	  getPromiseAllocationStack: DebuggerClient.requester({
+	    type: "allocationStack"
+	  }, {
+	    before: function(aPacket) {
+	      if (this._grip.class !== "Promise") {
+	        throw new Error("getAllocationStack is only valid for promise grips.");
+	      }
+	      return aPacket;
+	    }
+	  }),
+	
+	  /**
+	   * Request the stack to the promise's fulfillment point.
+	   */
+	  getPromiseFulfillmentStack: DebuggerClient.requester({
+	    type: "fulfillmentStack"
+	  }, {
+	    before: function(packet) {
+	      if (this._grip.class !== "Promise") {
+	        throw new Error("getPromiseFulfillmentStack is only valid for " +
+	          "promise grips.");
+	      }
+	      return packet;
+	    }
+	  }),
+	
+	  /**
+	   * Request the stack to the promise's rejection point.
+	   */
+	  getPromiseRejectionStack: DebuggerClient.requester({
+	    type: "rejectionStack"
+	  }, {
+	    before: function(packet) {
+	      if (this._grip.class !== "Promise") {
+	        throw new Error("getPromiseRejectionStack is only valid for " +
+	          "promise grips.");
+	      }
+	      return packet;
+	    }
+	  })
+	};
+	
+	/**
+	 * A PropertyIteratorClient provides a way to access to property names and
+	 * values of an object efficiently, slice by slice.
+	 * Note that the properties can be sorted in the backend,
+	 * this is controled while creating the PropertyIteratorClient
+	 * from ObjectClient.enumProperties.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aGrip Object
+	 *        A PropertyIteratorActor grip returned by the protocol via
+	 *        TabActor.enumProperties request.
+	 */
+	function PropertyIteratorClient(aClient, aGrip) {
+	  this._grip = aGrip;
+	  this._client = aClient;
+	  this.request = this._client.request;
+	}
+	
+	PropertyIteratorClient.prototype = {
+	  get actor() { return this._grip.actor; },
+	
+	  /**
+	   * Get the total number of properties available in the iterator.
+	   */
+	  get count() { return this._grip.count; },
+	
+	  /**
+	   * Get one or more property names that correspond to the positions in the
+	   * indexes parameter.
+	   *
+	   * @param indexes Array
+	   *        An array of property indexes.
+	   * @param aCallback Function
+	   *        The function called when we receive the property names.
+	   */
+	  names: DebuggerClient.requester({
+	    type: "names",
+	    indexes: args(0)
+	  }, {}),
+	
+	  /**
+	   * Get a set of following property value(s).
+	   *
+	   * @param start Number
+	   *        The index of the first property to fetch.
+	   * @param count Number
+	   *        The number of properties to fetch.
+	   * @param aCallback Function
+	   *        The function called when we receive the property values.
+	   */
+	  slice: DebuggerClient.requester({
+	    type: "slice",
+	    start: args(0),
+	    count: args(1)
+	  }, {}),
+	
+	  /**
+	   * Get all the property values.
+	   *
+	   * @param aCallback Function
+	   *        The function called when we receive the property values.
+	   */
+	  all: DebuggerClient.requester({
+	    type: "all"
+	  }, {}),
+	};
+	
+	/**
+	 * A LongStringClient provides a way to access "very long" strings from the
+	 * debugger server.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aGrip Object
+	 *        A pause-lifetime long string grip returned by the protocol.
+	 */
+	function LongStringClient(aClient, aGrip) {
+	  this._grip = aGrip;
+	  this._client = aClient;
+	  this.request = this._client.request;
+	}
+	exports.LongStringClient = LongStringClient;
+	
+	LongStringClient.prototype = {
+	  get actor() { return this._grip.actor; },
+	  get length() { return this._grip.length; },
+	  get initial() { return this._grip.initial; },
+	  get _transport() { return this._client._transport; },
+	
+	  valid: true,
+	
+	  /**
+	   * Get the substring of this LongString from aStart to aEnd.
+	   *
+	   * @param aStart Number
+	   *        The starting index.
+	   * @param aEnd Number
+	   *        The ending index.
+	   * @param aCallback Function
+	   *        The function called when we receive the substring.
+	   */
+	  substring: DebuggerClient.requester({
+	    type: "substring",
+	    start: args(0),
+	    end: args(1)
+	  }, {
+	    telemetry: "SUBSTRING"
+	  }),
+	};
+	
+	/**
+	 * A SourceClient provides a way to access the source text of a script.
+	 *
+	 * @param aClient ThreadClient
+	 *        The thread client parent.
+	 * @param aForm Object
+	 *        The form sent across the remote debugging protocol.
+	 */
+	function SourceClient(aClient, aForm) {
+	  this._form = aForm;
+	  this._isBlackBoxed = aForm.isBlackBoxed;
+	  this._isPrettyPrinted = aForm.isPrettyPrinted;
+	  this._activeThread = aClient;
+	  this._client = aClient.client;
+	}
+	
+	SourceClient.prototype = {
+	  get _transport() {
+	    return this._client._transport;
+	  },
+	  get isBlackBoxed() {
+	    return this._isBlackBoxed;
+	  },
+	  get isPrettyPrinted() {
+	    return this._isPrettyPrinted;
+	  },
+	  get actor() {
+	    return this._form.actor;
+	  },
+	  get request() {
+	    return this._client.request;
+	  },
+	  get url() {
+	    return this._form.url;
+	  },
+	
+	  /**
+	   * Black box this SourceClient's source.
+	   *
+	   * @param aCallback Function
+	   *        The callback function called when we receive the response from the server.
+	   */
+	  blackBox: DebuggerClient.requester({
+	    type: "blackbox"
+	  }, {
+	    telemetry: "BLACKBOX",
+	    after: function (aResponse) {
+	      if (!aResponse.error) {
+	        this._isBlackBoxed = true;
+	        if (this._activeThread) {
+	          this._activeThread.emit("blackboxchange", this);
+	        }
+	      }
+	      return aResponse;
+	    }
+	  }),
+	
+	  /**
+	   * Un-black box this SourceClient's source.
+	   *
+	   * @param aCallback Function
+	   *        The callback function called when we receive the response from the server.
+	   */
+	  unblackBox: DebuggerClient.requester({
+	    type: "unblackbox"
+	  }, {
+	    telemetry: "UNBLACKBOX",
+	    after: function (aResponse) {
+	      if (!aResponse.error) {
+	        this._isBlackBoxed = false;
+	        if (this._activeThread) {
+	          this._activeThread.emit("blackboxchange", this);
+	        }
+	      }
+	      return aResponse;
+	    }
+	  }),
+	
+	  /**
+	   * Get Executable Lines from a source
+	   *
+	   * @param aCallback Function
+	   *        The callback function called when we receive the response from the server.
+	   */
+	  getExecutableLines: function(cb = noop){
+	    let packet = {
+	      to: this._form.actor,
+	      type: "getExecutableLines"
+	    };
+	
+	    return this._client.request(packet).then(res => {
+	      cb(res.lines);
+	      return res.lines;
+	    });
+	  },
+	
+	  /**
+	   * Get a long string grip for this SourceClient's source.
+	   */
+	  source: function (aCallback = noop) {
+	    let packet = {
+	      to: this._form.actor,
+	      type: "source"
+	    };
+	    return this._client.request(packet).then(aResponse => {
+	      return this._onSourceResponse(aResponse, aCallback)
+	    });
+	  },
+	
+	  /**
+	   * Pretty print this source's text.
+	   */
+	  prettyPrint: function (aIndent, aCallback = noop) {
+	    const packet = {
+	      to: this._form.actor,
+	      type: "prettyPrint",
+	      indent: aIndent
+	    };
+	    return this._client.request(packet).then(aResponse => {
+	      if (!aResponse.error) {
+	        this._isPrettyPrinted = true;
+	        this._activeThread._clearFrames();
+	        this._activeThread.emit("prettyprintchange", this);
+	      }
+	      return this._onSourceResponse(aResponse, aCallback);
+	    });
+	  },
+	
+	  /**
+	   * Stop pretty printing this source's text.
+	   */
+	  disablePrettyPrint: function (aCallback = noop) {
+	    const packet = {
+	      to: this._form.actor,
+	      type: "disablePrettyPrint"
+	    };
+	    return this._client.request(packet).then(aResponse => {
+	      if (!aResponse.error) {
+	        this._isPrettyPrinted = false;
+	        this._activeThread._clearFrames();
+	        this._activeThread.emit("prettyprintchange", this);
+	      }
+	      return this._onSourceResponse(aResponse, aCallback);
+	    });
+	  },
+	
+	  _onSourceResponse: function (aResponse, aCallback) {
+	    if (aResponse.error) {
+	      aCallback(aResponse);
+	      return aResponse;
+	    }
+	
+	    if (typeof aResponse.source === "string") {
+	      aCallback(aResponse);
+	      return aResponse;
+	    }
+	
+	    let { contentType, source } = aResponse;
+	    let longString = this._activeThread.threadLongString(source);
+	    return longString.substring(0, longString.length).then(function (aResponse) {
+	      if (aResponse.error) {
+	        aCallback(aResponse);
+	        return aReponse;
+	      }
+	
+	      let response = {
+	        source: aResponse.substring,
+	        contentType: contentType
+	      };
+	      aCallback(response);
+	      return response;
+	    });
+	  },
+	
+	  /**
+	   * Request to set a breakpoint in the specified location.
+	   *
+	   * @param object aLocation
+	   *        The location and condition of the breakpoint in
+	   *        the form of { line[, column, condition] }.
+	   * @param function aOnResponse
+	   *        Called with the thread's response.
+	   */
+	  setBreakpoint: function ({ line, column, condition, noSliding }, aOnResponse = noop) {
+	    // A helper function that sets the breakpoint.
+	    let doSetBreakpoint = aCallback => {
+	      let root = this._client.mainRoot;
+	      let location = {
+	        line: line,
+	        column: column
+	      };
+	
+	      let packet = {
+	        to: this.actor,
+	        type: "setBreakpoint",
+	        location: location,
+	        condition: condition,
+	        noSliding: noSliding
+	      };
+	
+	      // Backwards compatibility: send the breakpoint request to the
+	      // thread if the server doesn't support Debugger.Source actors.
+	      if (!root.traits.debuggerSourceActors) {
+	        packet.to = this._activeThread.actor;
+	        packet.location.url = this.url;
+	      }
+	
+	      return this._client.request(packet).then(aResponse => {
+	        // Ignoring errors, since the user may be setting a breakpoint in a
+	        // dead script that will reappear on a page reload.
+	        let bpClient;
+	        if (aResponse.actor) {
+	          bpClient = new BreakpointClient(
+	            this._client,
+	            this,
+	            aResponse.actor,
+	            location,
+	            root.traits.conditionalBreakpoints ? condition : undefined
+	          );
+	        }
+	        aOnResponse(aResponse, bpClient);
+	        if (aCallback) {
+	          aCallback();
+	        }
+	        return [aResponse, bpClient];
+	      });
+	    };
+	
+	    // If the debuggee is paused, just set the breakpoint.
+	    if (this._activeThread.paused) {
+	      return doSetBreakpoint();
+	    }
+	    // Otherwise, force a pause in order to set the breakpoint.
+	    return this._activeThread.interrupt().then(aResponse => {
+	      if (aResponse.error) {
+	        // Can't set the breakpoint if pausing failed.
+	        aOnResponse(aResponse);
+	        return aResponse;
+	      }
+	
+	      const { type, why } = aResponse;
+	      const cleanUp = type == "paused" && why.type == "interrupted"
+	            ? () => this._activeThread.resume()
+	            : noop;
+	
+	      return doSetBreakpoint(cleanUp);
+	    });
+	  }
+	};
+	
+	/**
+	 * Breakpoint clients are used to remove breakpoints that are no longer used.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aSourceClient SourceClient
+	 *        The source where this breakpoint exists
+	 * @param aActor string
+	 *        The actor ID for this breakpoint.
+	 * @param aLocation object
+	 *        The location of the breakpoint. This is an object with two properties:
+	 *        url and line.
+	 * @param aCondition string
+	 *        The conditional expression of the breakpoint
+	 */
+	function BreakpointClient(aClient, aSourceClient, aActor, aLocation, aCondition) {
+	  this._client = aClient;
+	  this._actor = aActor;
+	  this.location = aLocation;
+	  this.location.actor = aSourceClient.actor;
+	  this.location.url = aSourceClient.url;
+	  this.source = aSourceClient;
+	  this.request = this._client.request;
+	
+	  // The condition property should only exist if it's a truthy value
+	  if (aCondition) {
+	    this.condition = aCondition;
+	  }
+	}
+	
+	BreakpointClient.prototype = {
+	
+	  _actor: null,
+	  get actor() { return this._actor; },
+	  get _transport() { return this._client._transport; },
+	
+	  /**
+	   * Remove the breakpoint from the server.
+	   */
+	  remove: DebuggerClient.requester({
+	    type: "delete"
+	  }, {
+	    telemetry: "DELETE"
+	  }),
+	
+	  /**
+	   * Determines if this breakpoint has a condition
+	   */
+	  hasCondition: function() {
+	    let root = this._client.mainRoot;
+	    // XXX bug 990137: We will remove support for client-side handling of
+	    // conditional breakpoints
+	    if (root.traits.conditionalBreakpoints) {
+	      return "condition" in this;
+	    } else {
+	      return "conditionalExpression" in this;
+	    }
+	  },
+	
+	  /**
+	   * Get the condition of this breakpoint. Currently we have to
+	   * support locally emulated conditional breakpoints until the
+	   * debugger servers are updated (see bug 990137). We used a
+	   * different property when moving it server-side to ensure that we
+	   * are testing the right code.
+	   */
+	  getCondition: function() {
+	    let root = this._client.mainRoot;
+	    if (root.traits.conditionalBreakpoints) {
+	      return this.condition;
+	    } else {
+	      return this.conditionalExpression;
+	    }
+	  },
+	
+	  /**
+	   * Set the condition of this breakpoint
+	   */
+	  setCondition: function(gThreadClient, aCondition) {
+	    let root = this._client.mainRoot;
+	    let deferred = promise.defer();
+	
+	    if (root.traits.conditionalBreakpoints) {
+	      let info = {
+	        line: this.location.line,
+	        column: this.location.column,
+	        condition: aCondition
+	      };
+	
+	      // Remove the current breakpoint and add a new one with the
+	      // condition.
+	      this.remove(aResponse => {
+	        if (aResponse && aResponse.error) {
+	          deferred.reject(aResponse);
+	          return;
+	        }
+	
+	        this.source.setBreakpoint(info, (aResponse, aNewBreakpoint) => {
+	          if (aResponse && aResponse.error) {
+	            deferred.reject(aResponse);
+	          } else {
+	            deferred.resolve(aNewBreakpoint);
+	          }
+	        });
+	      });
+	    } else {
+	      // The property shouldn't even exist if the condition is blank
+	      if (aCondition === "") {
+	        delete this.conditionalExpression;
+	      }
+	      else {
+	        this.conditionalExpression = aCondition;
+	      }
+	      deferred.resolve(this);
+	    }
+	
+	    return deferred.promise;
+	  }
+	};
+	
+	eventSource(BreakpointClient.prototype);
+	
+	/**
+	 * Environment clients are used to manipulate the lexical environment actors.
+	 *
+	 * @param aClient DebuggerClient
+	 *        The debugger client parent.
+	 * @param aForm Object
+	 *        The form sent across the remote debugging protocol.
+	 */
+	function EnvironmentClient(aClient, aForm) {
+	  this._client = aClient;
+	  this._form = aForm;
+	  this.request = this._client.request;
+	}
+	exports.EnvironmentClient = EnvironmentClient;
+	
+	EnvironmentClient.prototype = {
+	
+	  get actor() {
+	    return this._form.actor;
+	  },
+	  get _transport() { return this._client._transport; },
+	
+	  /**
+	   * Fetches the bindings introduced by this lexical environment.
+	   */
+	  getBindings: DebuggerClient.requester({
+	    type: "bindings"
+	  }, {
+	    telemetry: "BINDINGS"
+	  }),
+	
+	  /**
+	   * Changes the value of the identifier whose name is name (a string) to that
+	   * represented by value (a grip).
+	   */
+	  assign: DebuggerClient.requester({
+	    type: "assign",
+	    name: args(0),
+	    value: args(1)
+	  }, {
+	    telemetry: "ASSIGN"
+	  })
+	};
+	
+	eventSource(EnvironmentClient.prototype);
+
+
+/***/ },
+/* 255 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(module) {/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	module.metadata = {
+	  "stability": "unstable"
+	};
+	
+	const UNCAUGHT_ERROR = 'An error event was emitted for which there was no listener.';
+	const BAD_LISTENER = 'The event listener must be a function.';
+	
+	const { ns } = __webpack_require__(257);
+	
+	const event = ns();
+	
+	const EVENT_TYPE_PATTERN = /^on([A-Z]\w+$)/;
+	exports.EVENT_TYPE_PATTERN = EVENT_TYPE_PATTERN;
+	
+	// Utility function to access given event `target` object's event listeners for
+	// the specific event `type`. If listeners for this type does not exists they
+	// will be created.
+	const observers = function observers(target, type) {
+	  if (!target) throw TypeError("Event target must be an object");
+	  let listeners = event(target);
+	  return type in listeners ? listeners[type] : listeners[type] = [];
+	};
+	
+	/**
+	 * Registers an event `listener` that is called every time events of
+	 * specified `type` is emitted on the given event `target`.
+	 * @param {Object} target
+	 *    Event target object.
+	 * @param {String} type
+	 *    The type of event.
+	 * @param {Function} listener
+	 *    The listener function that processes the event.
+	 */
+	function on(target, type, listener) {
+	  if (typeof(listener) !== 'function')
+	    throw new Error(BAD_LISTENER);
+	
+	  let listeners = observers(target, type);
+	  if (!~listeners.indexOf(listener))
+	    listeners.push(listener);
+	}
+	exports.on = on;
+	
+	
+	var onceWeakMap = new WeakMap();
+	
+	
+	/**
+	 * Registers an event `listener` that is called only the next time an event
+	 * of the specified `type` is emitted on the given event `target`.
+	 * @param {Object} target
+	 *    Event target object.
+	 * @param {String} type
+	 *    The type of the event.
+	 * @param {Function} listener
+	 *    The listener function that processes the event.
+	 */
+	function once(target, type, listener) {
+	  let replacement = function observer(...args) {
+	    off(target, type, observer);
+	    onceWeakMap.delete(listener);
+	    listener.apply(target, args);
+	  };
+	  onceWeakMap.set(listener, replacement);
+	  on(target, type, replacement);
+	}
+	exports.once = once;
+	
+	/**
+	 * Execute each of the listeners in order with the supplied arguments.
+	 * All the exceptions that are thrown by listeners during the emit
+	 * are caught and can be handled by listeners of 'error' event. Thrown
+	 * exceptions are passed as an argument to an 'error' event listener.
+	 * If no 'error' listener is registered exception will be logged into an
+	 * error console.
+	 * @param {Object} target
+	 *    Event target object.
+	 * @param {String} type
+	 *    The type of event.
+	 * @params {Object|Number|String|Boolean} args
+	 *    Arguments that will be passed to listeners.
+	 */
+	function emit (target, type, ...args) {
+	  emitOnObject(target, type, target, ...args);
+	}
+	exports.emit = emit;
+	
+	/**
+	 * A variant of emit that allows setting the this property for event listeners
+	 */
+	function emitOnObject(target, type, thisArg, ...args) {
+	  let all = observers(target, '*').length;
+	  let state = observers(target, type);
+	  let listeners = state.slice();
+	  let count = listeners.length;
+	  let index = 0;
+	
+	  // If error event and there are no handlers (explicit or catch-all)
+	  // then print error message to the console.
+	  if (count === 0 && type === 'error' && all === 0)
+	    console.exception(args[0]);
+	  while (index < count) {
+	    try {
+	      let listener = listeners[index];
+	      // Dispatch only if listener is still registered.
+	      if (~state.indexOf(listener))
+	        listener.apply(thisArg, args);
+	    }
+	    catch (error) {
+	      // If exception is not thrown by a error listener and error listener is
+	      // registered emit `error` event. Otherwise dump exception to the console.
+	      if (type !== 'error') emit(target, 'error', error);
+	      else console.exception(error);
+	    }
+	    index++;
+	  }
+	   // Also emit on `"*"` so that one could listen for all events.
+	  if (type !== '*') emit(target, '*', type, ...args);
+	}
+	exports.emitOnObject = emitOnObject;
+	
+	/**
+	 * Removes an event `listener` for the given event `type` on the given event
+	 * `target`. If no `listener` is passed removes all listeners of the given
+	 * `type`. If `type` is not passed removes all the listeners of the given
+	 * event `target`.
+	 * @param {Object} target
+	 *    The event target object.
+	 * @param {String} type
+	 *    The type of event.
+	 * @param {Function} listener
+	 *    The listener function that processes the event.
+	 */
+	function off(target, type, listener) {
+	  let length = arguments.length;
+	  if (length === 3) {
+	    if (onceWeakMap.has(listener)) {
+	      listener = onceWeakMap.get(listener);
+	      onceWeakMap.delete(listener);
+	    }
+	
+	    let listeners = observers(target, type);
+	    let index = listeners.indexOf(listener);
+	    if (~index)
+	      listeners.splice(index, 1);
+	  }
+	  else if (length === 2) {
+	    observers(target, type).splice(0);
+	  }
+	  else if (length === 1) {
+	    let listeners = event(target);
+	    Object.keys(listeners).forEach(type => delete listeners[type]);
+	  }
+	}
+	exports.off = off;
+	
+	/**
+	 * Returns a number of event listeners registered for the given event `type`
+	 * on the given event `target`.
+	 */
+	function count(target, type) {
+	  return observers(target, type).length;
+	}
+	exports.count = count;
+	
+	/**
+	 * Registers listeners on the given event `target` from the given `listeners`
+	 * dictionary. Iterates over the listeners and if property name matches name
+	 * pattern `onEventType` and property is a function, then registers it as
+	 * an `eventType` listener on `target`.
+	 *
+	 * @param {Object} target
+	 *    The type of event.
+	 * @param {Object} listeners
+	 *    Dictionary of listeners.
+	 */
+	function setListeners(target, listeners) {
+	  Object.keys(listeners || {}).forEach(key => {
+	    let match = EVENT_TYPE_PATTERN.exec(key);
+	    let type = match && match[1].toLowerCase();
+	    if (!type) return;
+	
+	    let listener = listeners[key];
+	    if (typeof(listener) === 'function')
+	      on(target, type, listener);
+	  });
+	}
+	exports.setListeners = setListeners;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module)))
+
+/***/ },
+/* 256 */
+/***/ function(module, exports) {
+
+	module.exports = function(module) {
+		if(!module.webpackPolyfill) {
+			module.deprecate = function() {};
+			module.paths = [];
+			// module.parent = undefined by default
+			module.children = [];
+			module.webpackPolyfill = 1;
+		}
+		return module;
+	}
+
+
+/***/ },
+/* 257 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(module) {/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	module.metadata = {
+	  "stability": "unstable"
+	};
+	
+	const create = Object.create;
+	const prototypeOf = Object.getPrototypeOf;
+	
+	/**
+	 * Returns a new namespace, function that may can be used to access an
+	 * namespaced object of the argument argument. Namespaced object are associated
+	 * with owner objects via weak references. Namespaced objects inherit from the
+	 * owners ancestor namespaced object. If owner's ancestor is `null` then
+	 * namespaced object inherits from given `prototype`. Namespaces can be used
+	 * to define internal APIs that can be shared via enclosing `namespace`
+	 * function.
+	 * @examples
+	 *    const internals = ns();
+	 *    internals(object).secret = secret;
+	 */
+	function ns() {
+	  const map = new WeakMap();
+	  return function namespace(target) {
+	    if (!target)        // If `target` is not an object return `target` itself.
+	      return target;
+	    // If target has no namespaced object yet, create one that inherits from
+	    // the target prototype's namespaced object.
+	    if (!map.has(target))
+	      map.set(target, create(namespace(prototypeOf(target) || null)));
+	
+	    return map.get(target);
+	  };
+	};
+	
+	// `Namespace` is a e4x function in the scope, so we export the function also as
+	// `ns` as alias to avoid clashing.
+	exports.ns = ns;
+	exports.Namespace = ns;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module)))
+
+/***/ },
+/* 258 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- js-indent-level: 2; indent-tabs-mode: nil -*- */
+	/* vim: set ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const {Cc, Ci, Cu} = __webpack_require__(183);
+	const DevToolsUtils = __webpack_require__(182);
+	const EventEmitter = __webpack_require__(259);
+	const promise = __webpack_require__(194);
+	const {LongStringClient} = __webpack_require__(254);
+	
+	/**
+	 * A WebConsoleClient is used as a front end for the WebConsoleActor that is
+	 * created on the server, hiding implementation details.
+	 *
+	 * @param object aDebuggerClient
+	 *        The DebuggerClient instance we live for.
+	 * @param object aResponse
+	 *        The response packet received from the "startListeners" request sent to
+	 *        the WebConsoleActor.
+	 */
+	function WebConsoleClient(aDebuggerClient, aResponse)
+	{
+	  this._actor = aResponse.from;
+	  this._client = aDebuggerClient;
+	  this._longStrings = {};
+	  this.traits = aResponse.traits || {};
+	  this.events = [];
+	  this._networkRequests = new Map();
+	
+	  this.pendingEvaluationResults = new Map();
+	  this.onEvaluationResult = this.onEvaluationResult.bind(this);
+	  this.onNetworkEvent = this._onNetworkEvent.bind(this);
+	  this.onNetworkEventUpdate = this._onNetworkEventUpdate.bind(this);
+	
+	  this._client.addListener("evaluationResult", this.onEvaluationResult);
+	  this._client.addListener("networkEvent", this.onNetworkEvent);
+	  this._client.addListener("networkEventUpdate", this.onNetworkEventUpdate);
+	  EventEmitter.decorate(this);
+	}
+	
+	exports.WebConsoleClient = WebConsoleClient;
+	
+	WebConsoleClient.prototype = {
+	  _longStrings: null,
+	  traits: null,
+	
+	  /**
+	   * Holds the network requests currently displayed by the Web Console. Each key
+	   * represents the connection ID and the value is network request information.
+	   * @private
+	   * @type object
+	   */
+	  _networkRequests: null,
+	
+	  getNetworkRequest(actorId) {
+	    return this._networkRequests.get(actorId);
+	  },
+	
+	  hasNetworkRequest(actorId) {
+	    return this._networkRequests.has(actorId);
+	  },
+	
+	  removeNetworkRequest(actorId) {
+	    this._networkRequests.delete(actorId);
+	  },
+	
+	  getNetworkEvents() {
+	    return this._networkRequests.values();
+	  },
+	
+	  get actor() { return this._actor; },
+	
+	  /**
+	   * The "networkEvent" message type handler. We redirect any message to
+	   * the UI for displaying.
+	   *
+	   * @private
+	   * @param string type
+	   *        Message type.
+	   * @param object packet
+	   *        The message received from the server.
+	   */
+	  _onNetworkEvent: function (type, packet)
+	  {
+	    if (packet.from == this._actor) {
+	      let actor = packet.eventActor;
+	      let networkInfo = {
+	        _type: "NetworkEvent",
+	        timeStamp: actor.timeStamp,
+	        node: null,
+	        actor: actor.actor,
+	        discardRequestBody: true,
+	        discardResponseBody: true,
+	        startedDateTime: actor.startedDateTime,
+	        request: {
+	          url: actor.url,
+	          method: actor.method,
+	        },
+	        isXHR: actor.isXHR,
+	        response: {},
+	        timings: {},
+	        updates: [], // track the list of network event updates
+	        private: actor.private,
+	        fromCache: actor.fromCache
+	      };
+	      this._networkRequests.set(actor.actor, networkInfo);
+	
+	      this.emit("networkEvent", networkInfo);
+	    }
+	  },
+	
+	  /**
+	   * The "networkEventUpdate" message type handler. We redirect any message to
+	   * the UI for displaying.
+	   *
+	   * @private
+	   * @param string type
+	   *        Message type.
+	   * @param object packet
+	   *        The message received from the server.
+	   */
+	  _onNetworkEventUpdate: function (type, packet)
+	  {
+	    let networkInfo = this.getNetworkRequest(packet.from);
+	    if (!networkInfo) {
+	      return;
+	    }
+	
+	    networkInfo.updates.push(packet.updateType);
+	
+	    switch (packet.updateType) {
+	      case "requestHeaders":
+	        networkInfo.request.headersSize = packet.headersSize;
+	        break;
+	      case "requestPostData":
+	        networkInfo.discardRequestBody = packet.discardRequestBody;
+	        networkInfo.request.bodySize = packet.dataSize;
+	        break;
+	      case "responseStart":
+	        networkInfo.response.httpVersion = packet.response.httpVersion;
+	        networkInfo.response.status = packet.response.status;
+	        networkInfo.response.statusText = packet.response.statusText;
+	        networkInfo.response.headersSize = packet.response.headersSize;
+	        networkInfo.response.remoteAddress = packet.response.remoteAddress;
+	        networkInfo.response.remotePort = packet.response.remotePort;
+	        networkInfo.discardResponseBody = packet.response.discardResponseBody;
+	        break;
+	      case "responseContent":
+	        networkInfo.response.content = {
+	          mimeType: packet.mimeType,
+	        };
+	        networkInfo.response.bodySize = packet.contentSize;
+	        networkInfo.response.transferredSize = packet.transferredSize;
+	        networkInfo.discardResponseBody = packet.discardResponseBody;
+	        break;
+	      case "eventTimings":
+	        networkInfo.totalTime = packet.totalTime;
+	        break;
+	      case "securityInfo":
+	        networkInfo.securityInfo = packet.state;
+	        break;
+	    }
+	
+	    this.emit("networkEventUpdate", {
+	      packet: packet,
+	      networkInfo
+	    });
+	  },
+	
+	  /**
+	   * Retrieve the cached messages from the server.
+	   *
+	   * @see this.CACHED_MESSAGES
+	   * @param array types
+	   *        The array of message types you want from the server. See
+	   *        this.CACHED_MESSAGES for known types.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getCachedMessages: function WCC_getCachedMessages(types, aOnResponse)
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "getCachedMessages",
+	      messageTypes: types,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Inspect the properties of an object.
+	   *
+	   * @param string aActor
+	   *        The WebConsoleObjectActor ID to send the request to.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  inspectObjectProperties:
+	  function WCC_inspectObjectProperties(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "inspectProperties",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Evaluate a JavaScript expression.
+	   *
+	   * @param string aString
+	   *        The code you want to evaluate.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   * @param object [aOptions={}]
+	   *        Options for evaluation:
+	   *
+	   *        - bindObjectActor: an ObjectActor ID. The OA holds a reference to
+	   *        a Debugger.Object that wraps a content object. This option allows
+	   *        you to bind |_self| to the D.O of the given OA, during string
+	   *        evaluation.
+	   *
+	   *        See: Debugger.Object.executeInGlobalWithBindings() for information
+	   *        about bindings.
+	   *
+	   *        Use case: the variable view needs to update objects and it does so
+	   *        by knowing the ObjectActor it inspects and binding |_self| to the
+	   *        D.O of the OA. As such, variable view sends strings like these for
+	   *        eval:
+	   *          _self["prop"] = value;
+	   *
+	   *        - frameActor: a FrameActor ID. The FA holds a reference to
+	   *        a Debugger.Frame. This option allows you to evaluate the string in
+	   *        the frame of the given FA.
+	   *
+	   *        - url: the url to evaluate the script as. Defaults to
+	   *        "debugger eval code".
+	   *
+	   *        - selectedNodeActor: the NodeActor ID of the current selection in the
+	   *        Inspector, if such a selection exists. This is used by helper functions
+	   *        that can reference the currently selected node in the Inspector, like
+	   *        $0.
+	   */
+	  evaluateJS: function WCC_evaluateJS(aString, aOnResponse, aOptions = {})
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "evaluateJS",
+	      text: aString,
+	      bindObjectActor: aOptions.bindObjectActor,
+	      frameActor: aOptions.frameActor,
+	      url: aOptions.url,
+	      selectedNodeActor: aOptions.selectedNodeActor,
+	      selectedObjectActor: aOptions.selectedObjectActor,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Evaluate a JavaScript expression asynchronously.
+	   * See evaluateJS for parameter and response information.
+	   */
+	  evaluateJSAsync: function(aString, aOnResponse, aOptions = {})
+	  {
+	    // Pre-37 servers don't support async evaluation.
+	    if (!this.traits.evaluateJSAsync) {
+	      this.evaluateJS(aString, aOnResponse, aOptions);
+	      return;
+	    }
+	
+	    let packet = {
+	      to: this._actor,
+	      type: "evaluateJSAsync",
+	      text: aString,
+	      bindObjectActor: aOptions.bindObjectActor,
+	      frameActor: aOptions.frameActor,
+	      url: aOptions.url,
+	      selectedNodeActor: aOptions.selectedNodeActor,
+	      selectedObjectActor: aOptions.selectedObjectActor,
+	    };
+	
+	    this._client.request(packet, response => {
+	      // Null check this in case the client has been detached while waiting
+	      // for a response.
+	      if (this.pendingEvaluationResults) {
+	        this.pendingEvaluationResults.set(response.resultID, aOnResponse);
+	      }
+	    });
+	  },
+	
+	  /**
+	   * Handler for the actors's unsolicited evaluationResult packet.
+	   */
+	  onEvaluationResult: function(aNotification, aPacket) {
+	    // The client on the main thread can receive notification packets from
+	    // multiple webconsole actors: the one on the main thread and the ones
+	    // on worker threads.  So make sure we should be handling this request.
+	    if (aPacket.from !== this._actor) {
+	      return;
+	    }
+	
+	    // Find the associated callback based on this ID, and fire it.
+	    // In a sync evaluation, this would have already been called in
+	    // direct response to the client.request function.
+	    let onResponse = this.pendingEvaluationResults.get(aPacket.resultID);
+	    if (onResponse) {
+	      onResponse(aPacket);
+	      this.pendingEvaluationResults.delete(aPacket.resultID);
+	    } else {
+	      DevToolsUtils.reportException("onEvaluationResult",
+	        "No response handler for an evaluateJSAsync result (resultID: " + aPacket.resultID + ")");
+	    }
+	  },
+	
+	  /**
+	   * Autocomplete a JavaScript expression.
+	   *
+	   * @param string aString
+	   *        The code you want to autocomplete.
+	   * @param number aCursor
+	   *        Cursor location inside the string. Index starts from 0.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   * @param string aFrameActor
+	   *        The id of the frame actor that made the call.
+	   */
+	  autocomplete: function WCC_autocomplete(aString, aCursor, aOnResponse, aFrameActor)
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "autocomplete",
+	      text: aString,
+	      cursor: aCursor,
+	      frameActor: aFrameActor,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Clear the cache of messages (page errors and console API calls).
+	   */
+	  clearMessagesCache: function WCC_clearMessagesCache()
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "clearMessagesCache",
+	    };
+	    this._client.request(packet);
+	  },
+	
+	  /**
+	   * Get Web Console-related preferences on the server.
+	   *
+	   * @param array aPreferences
+	   *        An array with the preferences you want to retrieve.
+	   * @param function [aOnResponse]
+	   *        Optional function to invoke when the response is received.
+	   */
+	  getPreferences: function WCC_getPreferences(aPreferences, aOnResponse)
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "getPreferences",
+	      preferences: aPreferences,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Set Web Console-related preferences on the server.
+	   *
+	   * @param object aPreferences
+	   *        An object with the preferences you want to change.
+	   * @param function [aOnResponse]
+	   *        Optional function to invoke when the response is received.
+	   */
+	  setPreferences: function WCC_setPreferences(aPreferences, aOnResponse)
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "setPreferences",
+	      preferences: aPreferences,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the request headers from the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getRequestHeaders: function WCC_getRequestHeaders(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getRequestHeaders",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the request cookies from the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getRequestCookies: function WCC_getRequestCookies(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getRequestCookies",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the request post data from the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getRequestPostData: function WCC_getRequestPostData(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getRequestPostData",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the response headers from the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getResponseHeaders: function WCC_getResponseHeaders(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getResponseHeaders",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the response cookies from the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getResponseCookies: function WCC_getResponseCookies(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getResponseCookies",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the response content from the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getResponseContent: function WCC_getResponseContent(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getResponseContent",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the timing information for the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getEventTimings: function WCC_getEventTimings(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getEventTimings",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Retrieve the security information for the given NetworkEventActor.
+	   *
+	   * @param string aActor
+	   *        The NetworkEventActor ID.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  getSecurityInfo: function WCC_getSecurityInfo(aActor, aOnResponse)
+	  {
+	    let packet = {
+	      to: aActor,
+	      type: "getSecurityInfo",
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Send a HTTP request with the given data.
+	   *
+	   * @param string aData
+	   *        The details of the HTTP request.
+	   * @param function aOnResponse
+	   *        The function invoked when the response is received.
+	   */
+	  sendHTTPRequest: function WCC_sendHTTPRequest(aData, aOnResponse) {
+	    let packet = {
+	      to: this._actor,
+	      type: "sendHTTPRequest",
+	      request: aData
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Start the given Web Console listeners.
+	   *
+	   * @see this.LISTENERS
+	   * @param array aListeners
+	   *        Array of listeners you want to start. See this.LISTENERS for
+	   *        known listeners.
+	   * @param function aOnResponse
+	   *        Function to invoke when the server response is received.
+	   */
+	  startListeners: function WCC_startListeners(aListeners, aOnResponse)
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "startListeners",
+	      listeners: aListeners,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Stop the given Web Console listeners.
+	   *
+	   * @see this.LISTENERS
+	   * @param array aListeners
+	   *        Array of listeners you want to stop. See this.LISTENERS for
+	   *        known listeners.
+	   * @param function aOnResponse
+	   *        Function to invoke when the server response is received.
+	   */
+	  stopListeners: function WCC_stopListeners(aListeners, aOnResponse)
+	  {
+	    let packet = {
+	      to: this._actor,
+	      type: "stopListeners",
+	      listeners: aListeners,
+	    };
+	    this._client.request(packet, aOnResponse);
+	  },
+	
+	  /**
+	   * Return an instance of LongStringClient for the given long string grip.
+	   *
+	   * @param object aGrip
+	   *        The long string grip returned by the protocol.
+	   * @return object
+	   *         The LongStringClient for the given long string grip.
+	   */
+	  longString: function WCC_longString(aGrip)
+	  {
+	    if (aGrip.actor in this._longStrings) {
+	      return this._longStrings[aGrip.actor];
+	    }
+	
+	    let client = new LongStringClient(this._client, aGrip);
+	    this._longStrings[aGrip.actor] = client;
+	    return client;
+	  },
+	
+	  /**
+	   * Close the WebConsoleClient. This stops all the listeners on the server and
+	   * detaches from the console actor.
+	   *
+	   * @param function aOnResponse
+	   *        Function to invoke when the server response is received.
+	   */
+	  detach: function WCC_detach(aOnResponse)
+	  {
+	    this._client.removeListener("evaluationResult", this.onEvaluationResult);
+	    this._client.removeListener("networkEvent", this.onNetworkEvent);
+	    this._client.removeListener("networkEventUpdate", this.onNetworkEventUpdate);
+	    this.stopListeners(null, aOnResponse);
+	    this._longStrings = null;
+	    this._client = null;
+	    this.pendingEvaluationResults.clear();
+	    this.pendingEvaluationResults = null;
+	    this.clearNetworkRequests();
+	    this._networkRequests = null;
+	  },
+	
+	  clearNetworkRequests: function () {
+	    this._networkRequests.clear();
+	  },
+	
+	  /**
+	   * Fetches the full text of a LongString.
+	   *
+	   * @param object | string stringGrip
+	   *        The long string grip containing the corresponding actor.
+	   *        If you pass in a plain string (by accident or because you're lazy),
+	   *        then a promise of the same string is simply returned.
+	   * @return object Promise
+	   *         A promise that is resolved when the full string contents
+	   *         are available, or rejected if something goes wrong.
+	   */
+	  getString: function(stringGrip) {
+	    // Make sure this is a long string.
+	    if (typeof stringGrip != "object" || stringGrip.type != "longString") {
+	      return promise.resolve(stringGrip); // Go home string, you're drunk.
+	    }
+	
+	    // Fetch the long string only once.
+	    if (stringGrip._fullText) {
+	      return stringGrip._fullText.promise;
+	    }
+	
+	    let deferred = stringGrip._fullText = promise.defer();
+	    let { actor, initial, length } = stringGrip;
+	    let longStringClient = this.longString(stringGrip);
+	
+	    longStringClient.substring(initial.length, length, aResponse => {
+	      if (aResponse.error) {
+	        DevToolsUtils.reportException("getString",
+	            aResponse.error + ": " + aResponse.message);
+	
+	        deferred.reject(aResponse);
+	        return;
+	      }
+	      deferred.resolve(initial + aResponse.substring);
+	    });
+	
+	    return deferred.promise;
+	  }
+	};
+
+
+/***/ },
+/* 259 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	/**
+	 * EventEmitter.
+	 */
+	
+	var EventEmitter = function EventEmitter() {};
+	module.exports = EventEmitter;
+	
+	const { Cu } = __webpack_require__(183);
+	const promise = __webpack_require__(194);
+	
+	/**
+	 * Decorate an object with event emitter functionality.
+	 *
+	 * @param Object aObjectToDecorate
+	 *        Bind all public methods of EventEmitter to
+	 *        the aObjectToDecorate object.
+	 */
+	EventEmitter.decorate = function EventEmitter_decorate (aObjectToDecorate) {
+	  let emitter = new EventEmitter();
+	  aObjectToDecorate.on = emitter.on.bind(emitter);
+	  aObjectToDecorate.off = emitter.off.bind(emitter);
+	  aObjectToDecorate.once = emitter.once.bind(emitter);
+	  aObjectToDecorate.emit = emitter.emit.bind(emitter);
+	};
+	
+	EventEmitter.prototype = {
+	  /**
+	   * Connect a listener.
+	   *
+	   * @param string aEvent
+	   *        The event name to which we're connecting.
+	   * @param function aListener
+	   *        Called when the event is fired.
+	   */
+	  on: function EventEmitter_on(aEvent, aListener) {
+	    if (!this._eventEmitterListeners)
+	      this._eventEmitterListeners = new Map();
+	    if (!this._eventEmitterListeners.has(aEvent)) {
+	      this._eventEmitterListeners.set(aEvent, []);
+	    }
+	    this._eventEmitterListeners.get(aEvent).push(aListener);
+	  },
+	
+	  /**
+	   * Listen for the next time an event is fired.
+	   *
+	   * @param string aEvent
+	   *        The event name to which we're connecting.
+	   * @param function aListener
+	   *        (Optional) Called when the event is fired. Will be called at most
+	   *        one time.
+	   * @return promise
+	   *        A promise which is resolved when the event next happens. The
+	   *        resolution value of the promise is the first event argument. If
+	   *        you need access to second or subsequent event arguments (it's rare
+	   *        that this is needed) then use aListener
+	   */
+	  once: function EventEmitter_once(aEvent, aListener) {
+	    let deferred = promise.defer();
+	
+	    let handler = (aEvent, aFirstArg, ...aRest) => {
+	      this.off(aEvent, handler);
+	      if (aListener) {
+	        aListener.apply(null, [aEvent, aFirstArg, ...aRest]);
+	      }
+	      deferred.resolve(aFirstArg);
+	    };
+	
+	    handler._originalListener = aListener;
+	    this.on(aEvent, handler);
+	
+	    return deferred.promise;
+	  },
+	
+	  /**
+	   * Remove a previously-registered event listener.  Works for events
+	   * registered with either on or once.
+	   *
+	   * @param string aEvent
+	   *        The event name whose listener we're disconnecting.
+	   * @param function aListener
+	   *        The listener to remove.
+	   */
+	  off: function EventEmitter_off(aEvent, aListener) {
+	    if (!this._eventEmitterListeners)
+	      return;
+	    let listeners = this._eventEmitterListeners.get(aEvent);
+	    if (listeners) {
+	      this._eventEmitterListeners.set(aEvent, listeners.filter(l => {
+	        return l !== aListener && l._originalListener !== aListener;
+	      }));
+	    }
+	  },
+	
+	  /**
+	   * Emit an event.  All arguments to this method will
+	   * be sent to listener functions.
+	   */
+	  emit: function EventEmitter_emit(aEvent) {
+	    if (!this._eventEmitterListeners || !this._eventEmitterListeners.has(aEvent)) {
+	      return;
+	    }
+	
+	    let originalListeners = this._eventEmitterListeners.get(aEvent);
+	    for (let listener of this._eventEmitterListeners.get(aEvent)) {
+	      // If the object was destroyed during event emission, stop
+	      // emitting.
+	      if (!this._eventEmitterListeners) {
+	        break;
+	      }
+	
+	      // If listeners were removed during emission, make sure the
+	      // event handler we're going to fire wasn't removed.
+	      if (originalListeners === this._eventEmitterListeners.get(aEvent) ||
+	          this._eventEmitterListeners.get(aEvent).some(l => l === listener)) {
+	        try {
+	          listener.apply(null, arguments);
+	        }
+	        catch (ex) {
+	          // Prevent a bad listener from interfering with the others.
+	          let msg = ex + ": " + ex.stack;
+	          //console.error(msg);
+	          console.log(msg);
+	        }
+	      }
+	    }
+	  },
+	};
+
+
+/***/ },
+/* 260 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* eslint-env browser */
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	// TODO: Get rid of this code once the marionette server loads transport.js as
+	// an SDK module (see bug 1000814)
+	
+	"use strict";
+	
+	const DevToolsUtils = __webpack_require__(182);
+	const { dumpn, dumpv } = DevToolsUtils;
+	const StreamUtils = __webpack_require__(261);
+	const { Packet, JSONPacket, BulkPacket } =
+	  __webpack_require__(262);
+	const promise = __webpack_require__(194);
+	const EventEmitter = __webpack_require__(259);
+	const utf8 = __webpack_require__(264);
+	
+	const PACKET_HEADER_MAX = 200;
+	
+	/**
+	 * An adapter that handles data transfers between the debugger client and
+	 * server. It can work with both nsIPipe and nsIServerSocket transports so
+	 * long as the properly created input and output streams are specified.
+	 * (However, for intra-process connections, LocalDebuggerTransport, below,
+	 * is more efficient than using an nsIPipe pair with DebuggerTransport.)
+	 *
+	 * @param input nsIAsyncInputStream
+	 *        The input stream.
+	 * @param output nsIAsyncOutputStream
+	 *        The output stream.
+	 *
+	 * Given a DebuggerTransport instance dt:
+	 * 1) Set dt.hooks to a packet handler object (described below).
+	 * 2) Call dt.ready() to begin watching for input packets.
+	 * 3) Call dt.send() / dt.startBulkSend() to send packets.
+	 * 4) Call dt.close() to close the connection, and disengage from the event
+	 *    loop.
+	 *
+	 * A packet handler is an object with the following methods:
+	 *
+	 * - onPacket(packet) - called when we have received a complete packet.
+	 *   |packet| is the parsed form of the packet --- a JavaScript value, not
+	 *   a JSON-syntax string.
+	 *
+	 * - onBulkPacket(packet) - called when we have switched to bulk packet
+	 *   receiving mode. |packet| is an object containing:
+	 *   * actor:  Name of actor that will receive the packet
+	 *   * type:   Name of actor's method that should be called on receipt
+	 *   * length: Size of the data to be read
+	 *   * stream: This input stream should only be used directly if you can ensure
+	 *             that you will read exactly |length| bytes and will not close the
+	 *             stream when reading is complete
+	 *   * done:   If you use the stream directly (instead of |copyTo| below), you
+	 *             must signal completion by resolving / rejecting this deferred.
+	 *             If it's rejected, the transport will be closed.  If an Error is
+	 *             supplied as a rejection value, it will be logged via |dumpn|.
+	 *             If you do use |copyTo|, resolving is taken care of for you when
+	 *             copying completes.
+	 *   * copyTo: A helper function for getting your data out of the stream that
+	 *             meets the stream handling requirements above, and has the
+	 *             following signature:
+	 *     @param  output nsIAsyncOutputStream
+	 *             The stream to copy to.
+	 *     @return Promise
+	 *             The promise is resolved when copying completes or rejected if any
+	 *             (unexpected) errors occur.
+	 *             This object also emits "progress" events for each chunk that is
+	 *             copied.  See stream-utils.js.
+	 *
+	 * - onClosed(reason) - called when the connection is closed. |reason| is
+	 *   an optional nsresult or object, typically passed when the transport is
+	 *   closed due to some error in a underlying stream.
+	 *
+	 * See ./packets.js and the Remote Debugging Protocol specification for more
+	 * details on the format of these packets.
+	 */
+	function DebuggerTransport(socket) {
+	  EventEmitter.decorate(this);
+	
+	  this._socket = socket;
+	
+	  // The current incoming (possibly partial) header, which will determine which
+	  // type of Packet |_incoming| below will become.
+	  this._incomingHeader = "";
+	  // The current incoming Packet object
+	  this._incoming = null;
+	  // A queue of outgoing Packet objects
+	  this._outgoing = [];
+	
+	  this.hooks = null;
+	  this.active = false;
+	
+	  this._incomingEnabled = true;
+	  this._outgoingEnabled = true;
+	
+	  this.close = this.close.bind(this);
+	}
+	
+	DebuggerTransport.prototype = {
+	  /**
+	   * Transmit an object as a JSON packet.
+	   *
+	   * This method returns immediately, without waiting for the entire
+	   * packet to be transmitted, registering event handlers as needed to
+	   * transmit the entire packet. Packets are transmitted in the order
+	   * they are passed to this method.
+	   */
+	  send: function(object) {
+	    this.emit("send", object);
+	
+	    let packet = new JSONPacket(this);
+	    packet.object = object;
+	    this._outgoing.push(packet);
+	    this._flushOutgoing();
+	  },
+	
+	  /**
+	   * Transmit streaming data via a bulk packet.
+	   *
+	   * This method initiates the bulk send process by queuing up the header data.
+	   * The caller receives eventual access to a stream for writing.
+	   *
+	   * N.B.: Do *not* attempt to close the stream handed to you, as it will
+	   * continue to be used by this transport afterwards.  Most users should
+	   * instead use the provided |copyFrom| function instead.
+	   *
+	   * @param header Object
+	   *        This is modeled after the format of JSON packets above, but does not
+	   *        actually contain the data, but is instead just a routing header:
+	   *          * actor:  Name of actor that will receive the packet
+	   *          * type:   Name of actor's method that should be called on receipt
+	   *          * length: Size of the data to be sent
+	   * @return Promise
+	   *         The promise will be resolved when you are allowed to write to the
+	   *         stream with an object containing:
+	   *           * stream:   This output stream should only be used directly if
+	   *                       you can ensure that you will write exactly |length|
+	   *                       bytes and will not close the stream when writing is
+	   *                       complete
+	   *           * done:     If you use the stream directly (instead of |copyFrom|
+	   *                       below), you must signal completion by resolving /
+	   *                       rejecting this deferred.  If it's rejected, the
+	   *                       transport will be closed.  If an Error is supplied as
+	   *                       a rejection value, it will be logged via |dumpn|.  If
+	   *                       you do use |copyFrom|, resolving is taken care of for
+	   *                       you when copying completes.
+	   *           * copyFrom: A helper function for getting your data onto the
+	   *                       stream that meets the stream handling requirements
+	   *                       above, and has the following signature:
+	   *             @param  input nsIAsyncInputStream
+	   *                     The stream to copy from.
+	   *             @return Promise
+	   *                     The promise is resolved when copying completes or
+	   *                     rejected if any (unexpected) errors occur.
+	   *                     This object also emits "progress" events for each chunk
+	   *                     that is copied.  See stream-utils.js.
+	   */
+	  startBulkSend: function(header) {
+	    this.emit("startBulkSend", header);
+	
+	    let packet = new BulkPacket(this);
+	    packet.header = header;
+	    this._outgoing.push(packet);
+	    this._flushOutgoing();
+	    return packet.streamReadyForWriting;
+	  },
+	
+	  /**
+	   * Close the transport.
+	   * @param reason nsresult / object (optional)
+	   *        The status code or error message that corresponds to the reason for
+	   *        closing the transport (likely because a stream closed or failed).
+	   */
+	  close: function(reason) {
+	    this.emit("onClosed", reason);
+	
+	    this.active = false;
+	    this._socket.close();
+	    this._destroyIncoming();
+	    this._destroyAllOutgoing();
+	    if (this.hooks) {
+	      this.hooks.onClosed(reason);
+	      this.hooks = null;
+	    }
+	    if (reason) {
+	      dumpn("Transport closed: " + DevToolsUtils.safeErrorString(reason));
+	    } else {
+	      dumpn("Transport closed.");
+	    }
+	  },
+	
+	  /**
+	   * The currently outgoing packet (at the top of the queue).
+	   */
+	  get _currentOutgoing() {
+	    return this._outgoing[0];
+	  },
+	
+	  /**
+	   * Flush data to the outgoing stream.  Waits until the output stream notifies
+	   * us that it is ready to be written to (via onOutputStreamReady).
+	   */
+	  _flushOutgoing: function() {
+	    if (!this._outgoingEnabled || this._outgoing.length === 0) {
+	      return;
+	    }
+	
+	    // If the top of the packet queue has nothing more to send, remove it.
+	    if (this._currentOutgoing.done) {
+	      this._finishCurrentOutgoing();
+	    }
+	
+	    if (this._outgoing.length > 0) {
+	      setTimeout(this.onOutputStreamReady.bind(this), 0);
+	    }
+	  },
+	
+	  /**
+	   * Pause this transport's attempts to write to the output stream.  This is
+	   * used when we've temporarily handed off our output stream for writing bulk
+	   * data.
+	   */
+	  pauseOutgoing: function() {
+	    this._outgoingEnabled = false;
+	  },
+	
+	  /**
+	   * Resume this transport's attempts to write to the output stream.
+	   */
+	  resumeOutgoing: function() {
+	    this._outgoingEnabled = true;
+	    this._flushOutgoing();
+	  },
+	
+	  // nsIOutputStreamCallback
+	  /**
+	   * This is called when the output stream is ready for more data to be written.
+	   * The current outgoing packet will attempt to write some amount of data, but
+	   * may not complete.
+	   */
+	  onOutputStreamReady: DevToolsUtils.makeInfallible(function() {
+	    if (!this._outgoingEnabled || this._outgoing.length === 0) {
+	      return;
+	    }
+	
+	    try {
+	      this._currentOutgoing.write({
+	        write: data => {
+	          let count = data.length;
+	          this._socket.send(data);
+	          return count;
+	        }
+	      });
+	    } catch(e) {
+	      if (e.result != Cr.NS_BASE_STREAM_WOULD_BLOCK) {
+	        this.close(e.result);
+	        return;
+	      } else {
+	        throw e;
+	      }
+	    }
+	
+	    this._flushOutgoing();
+	  }, "DebuggerTransport.prototype.onOutputStreamReady"),
+	
+	  /**
+	   * Remove the current outgoing packet from the queue upon completion.
+	   */
+	  _finishCurrentOutgoing: function() {
+	    if (this._currentOutgoing) {
+	      this._currentOutgoing.destroy();
+	      this._outgoing.shift();
+	    }
+	  },
+	
+	  /**
+	   * Clear the entire outgoing queue.
+	   */
+	  _destroyAllOutgoing: function() {
+	    for (let packet of this._outgoing) {
+	      packet.destroy();
+	    }
+	    this._outgoing = [];
+	  },
+	
+	  /**
+	   * Initialize the input stream for reading. Once this method has been called,
+	   * we watch for packets on the input stream, and pass them to the appropriate
+	   * handlers via this.hooks.
+	   */
+	  ready: function() {
+	    this.active = true;
+	    this._waitForIncoming();
+	  },
+	
+	  /**
+	   * Asks the input stream to notify us (via onInputStreamReady) when it is
+	   * ready for reading.
+	   */
+	  _waitForIncoming: function() {
+	    if (this._incomingEnabled && !this._socket.onmessage) {
+	      this._socket.onmessage = this.onInputStreamReady.bind(this);
+	    }
+	  },
+	
+	  /**
+	   * Pause this transport's attempts to read from the input stream.  This is
+	   * used when we've temporarily handed off our input stream for reading bulk
+	   * data.
+	   */
+	  pauseIncoming: function() {
+	    this._incomingEnabled = false;
+	  },
+	
+	  /**
+	   * Resume this transport's attempts to read from the input stream.
+	   */
+	  resumeIncoming: function() {
+	    this._incomingEnabled = true;
+	    this._flushIncoming();
+	    this._waitForIncoming();
+	  },
+	
+	  // nsIInputStreamCallback
+	  /**
+	   * Called when the stream is either readable or closed.
+	   */
+	  onInputStreamReady:
+	  DevToolsUtils.makeInfallible(function(event) {
+	    let data = event.data;
+	    // TODO: ws-tcp-proxy decodes utf-8, but the transport expects to see the
+	    // encoded bytes.  Simplest step is to re-encode for now.
+	    data = utf8.encode(data);
+	    let stream = {
+	      available() {
+	        return data.length;
+	      },
+	      readBytes(count) {
+	        let result = data.slice(0, count);
+	        data = data.slice(count);
+	        return result;
+	      },
+	    };
+	
+	    try {
+	      while (data && this._incomingEnabled &&
+	             this._processIncoming(stream, stream.available())) {}
+	      this._waitForIncoming();
+	    } catch(e) {
+	      if (e.result != Cr.NS_BASE_STREAM_WOULD_BLOCK) {
+	        this.close(e.result);
+	      } else {
+	        throw e;
+	      }
+	    }
+	  }, "DebuggerTransport.prototype.onInputStreamReady"),
+	
+	  /**
+	   * Process the incoming data.  Will create a new currently incoming Packet if
+	   * needed.  Tells the incoming Packet to read as much data as it can, but
+	   * reading may not complete.  The Packet signals that its data is ready for
+	   * delivery by calling one of this transport's _on*Ready methods (see
+	   * ./packets.js and the _on*Ready methods below).
+	   * @return boolean
+	   *         Whether incoming stream processing should continue for any
+	   *         remaining data.
+	   */
+	  _processIncoming: function(stream, count) {
+	    dumpv("Data available: " + count);
+	
+	    if (!count) {
+	      dumpv("Nothing to read, skipping");
+	      return false;
+	    }
+	
+	    try {
+	      if (!this._incoming) {
+	        dumpv("Creating a new packet from incoming");
+	
+	        if (!this._readHeader(stream)) {
+	          return false; // Not enough data to read packet type
+	        }
+	
+	        // Attempt to create a new Packet by trying to parse each possible
+	        // header pattern.
+	        this._incoming = Packet.fromHeader(this._incomingHeader, this);
+	        if (!this._incoming) {
+	          throw new Error("No packet types for header: " +
+	                          this._incomingHeader);
+	        }
+	      }
+	
+	      if (!this._incoming.done) {
+	        // We have an incomplete packet, keep reading it.
+	        dumpv("Existing packet incomplete, keep reading");
+	        this._incoming.read(stream);
+	      }
+	    } catch(e) {
+	      let msg = "Error reading incoming packet: (" + e + " - " + e.stack + ")";
+	      dumpn(msg);
+	
+	      // Now in an invalid state, shut down the transport.
+	      this.close();
+	      return false;
+	    }
+	
+	    if (!this._incoming.done) {
+	      // Still not complete, we'll wait for more data.
+	      dumpv("Packet not done, wait for more");
+	      return true;
+	    }
+	
+	    // Ready for next packet
+	    this._flushIncoming();
+	    return true;
+	  },
+	
+	  /**
+	   * Read as far as we can into the incoming data, attempting to build up a
+	   * complete packet header (which terminates with ":").  We'll only read up to
+	   * PACKET_HEADER_MAX characters.
+	   * @return boolean
+	   *         True if we now have a complete header.
+	   */
+	  _readHeader: function(stream) {
+	    let amountToRead = PACKET_HEADER_MAX - this._incomingHeader.length;
+	    this._incomingHeader +=
+	      StreamUtils.delimitedRead(stream, ":", amountToRead);
+	    if (dumpv.wantVerbose) {
+	      dumpv("Header read: " + this._incomingHeader);
+	    }
+	
+	    if (this._incomingHeader.endsWith(":")) {
+	      if (dumpv.wantVerbose) {
+	        dumpv("Found packet header successfully: " + this._incomingHeader);
+	      }
+	      return true;
+	    }
+	
+	    if (this._incomingHeader.length >= PACKET_HEADER_MAX) {
+	      throw new Error("Failed to parse packet header!");
+	    }
+	
+	    // Not enough data yet.
+	    return false;
+	  },
+	
+	  /**
+	   * If the incoming packet is done, log it as needed and clear the buffer.
+	   */
+	  _flushIncoming: function() {
+	    if (!this._incoming.done) {
+	      return;
+	    }
+	    if (dumpn.wantLogging) {
+	      dumpn("Got: " + this._incoming);
+	    }
+	    this._destroyIncoming();
+	  },
+	
+	  /**
+	   * Handler triggered by an incoming JSONPacket completing it's |read| method.
+	   * Delivers the packet to this.hooks.onPacket.
+	   */
+	  _onJSONObjectReady: function(object) {
+	    DevToolsUtils.executeSoon(DevToolsUtils.makeInfallible(() => {
+	      // Ensure the transport is still alive by the time this runs.
+	      if (this.active) {
+	        this.emit("onPacket", object);
+	        this.hooks.onPacket(object);
+	      }
+	    }, "DebuggerTransport instance's this.hooks.onPacket"));
+	  },
+	
+	  /**
+	   * Handler triggered by an incoming BulkPacket entering the |read| phase for
+	   * the stream portion of the packet.  Delivers info about the incoming
+	   * streaming data to this.hooks.onBulkPacket.  See the main comment on the
+	   * transport at the top of this file for more details.
+	   */
+	  _onBulkReadReady: function(...args) {
+	    DevToolsUtils.executeSoon(DevToolsUtils.makeInfallible(() => {
+	      // Ensure the transport is still alive by the time this runs.
+	      if (this.active) {
+	        this.emit("onBulkPacket", ...args);
+	        this.hooks.onBulkPacket(...args);
+	      }
+	    }, "DebuggerTransport instance's this.hooks.onBulkPacket"));
+	  },
+	
+	  /**
+	   * Remove all handlers and references related to the current incoming packet,
+	   * either because it is now complete or because the transport is closing.
+	   */
+	  _destroyIncoming: function() {
+	    if (this._incoming) {
+	      this._incoming.destroy();
+	    }
+	    this._incomingHeader = "";
+	    this._incoming = null;
+	  }
+	
+	};
+	
+	exports.DebuggerTransport = DebuggerTransport;
+	
+	/**
+	 * An adapter that handles data transfers between the debugger client and
+	 * server when they both run in the same process. It presents the same API as
+	 * DebuggerTransport, but instead of transmitting serialized messages across a
+	 * connection it merely calls the packet dispatcher of the other side.
+	 *
+	 * @param other LocalDebuggerTransport
+	 *        The other endpoint for this debugger connection.
+	 *
+	 * @see DebuggerTransport
+	 */
+	function LocalDebuggerTransport(other) {
+	  EventEmitter.decorate(this);
+	
+	  this.other = other;
+	  this.hooks = null;
+	
+	  /*
+	   * A packet number, shared between this and this.other. This isn't used
+	   * by the protocol at all, but it makes the packet traces a lot easier to
+	   * follow.
+	   */
+	  this._serial = this.other ? this.other._serial : { count: 0 };
+	  this.close = this.close.bind(this);
+	}
+	
+	LocalDebuggerTransport.prototype = {
+	  /**
+	   * Transmit a message by directly calling the onPacket handler of the other
+	   * endpoint.
+	   */
+	  send: function(packet) {
+	    this.emit("send", packet);
+	
+	    let serial = this._serial.count++;
+	    if (dumpn.wantLogging) {
+	      /* Check 'from' first, as 'echo' packets have both. */
+	      if (packet.from) {
+	        dumpn("Packet " + serial + " sent from " + uneval(packet.from));
+	      } else if (packet.to) {
+	        dumpn("Packet " + serial + " sent to " + uneval(packet.to));
+	      }
+	    }
+	    this._deepFreeze(packet);
+	    let other = this.other;
+	    if (other) {
+	      DevToolsUtils.executeSoon(DevToolsUtils.makeInfallible(() => {
+	        // Avoid the cost of JSON.stringify() when logging is disabled.
+	        if (dumpn.wantLogging) {
+	          dumpn("Received packet " + serial + ": " + JSON.stringify(packet, null, 2));
+	        }
+	        if (other.hooks) {
+	          other.emit("onPacket", packet);
+	          other.hooks.onPacket(packet);
+	        }
+	      }, "LocalDebuggerTransport instance's this.other.hooks.onPacket"));
+	    }
+	  },
+	
+	  /**
+	   * Send a streaming bulk packet directly to the onBulkPacket handler of the
+	   * other endpoint.
+	   *
+	   * This case is much simpler than the full DebuggerTransport, since there is
+	   * no primary stream we have to worry about managing while we hand it off to
+	   * others temporarily.  Instead, we can just make a single use pipe and be
+	   * done with it.
+	   */
+	  startBulkSend: function({actor, type, length}) {
+	    this.emit("startBulkSend", {actor, type, length});
+	
+	    let serial = this._serial.count++;
+	
+	    dumpn("Sent bulk packet " + serial + " for actor " + actor);
+	    if (!this.other) {
+	      return;
+	    }
+	
+	    let pipe = new Pipe(true, true, 0, 0, null);
+	
+	    DevToolsUtils.executeSoon(DevToolsUtils.makeInfallible(() => {
+	      dumpn("Received bulk packet " + serial);
+	      if (!this.other.hooks) {
+	        return;
+	      }
+	
+	      // Receiver
+	      let deferred = promise.defer();
+	      let packet = {
+	        actor: actor,
+	        type: type,
+	        length: length,
+	        copyTo: (output) => {
+	          let copying =
+	            StreamUtils.copyStream(pipe.inputStream, output, length);
+	          deferred.resolve(copying);
+	          return copying;
+	        },
+	        stream: pipe.inputStream,
+	        done: deferred
+	      };
+	
+	      this.other.emit("onBulkPacket", packet);
+	      this.other.hooks.onBulkPacket(packet);
+	
+	      // Await the result of reading from the stream
+	      deferred.promise.then(() => pipe.inputStream.close(), this.close);
+	    }, "LocalDebuggerTransport instance's this.other.hooks.onBulkPacket"));
+	
+	    // Sender
+	    let sendDeferred = promise.defer();
+	
+	    // The remote transport is not capable of resolving immediately here, so we
+	    // shouldn't be able to either.
+	    DevToolsUtils.executeSoon(() => {
+	      let copyDeferred = promise.defer();
+	
+	      sendDeferred.resolve({
+	        copyFrom: (input) => {
+	          let copying =
+	            StreamUtils.copyStream(input, pipe.outputStream, length);
+	          copyDeferred.resolve(copying);
+	          return copying;
+	        },
+	        stream: pipe.outputStream,
+	        done: copyDeferred
+	      });
+	
+	      // Await the result of writing to the stream
+	      copyDeferred.promise.then(() => pipe.outputStream.close(), this.close);
+	    });
+	
+	    return sendDeferred.promise;
+	  },
+	
+	  /**
+	   * Close the transport.
+	   */
+	  close: function() {
+	    this.emit("close");
+	
+	    if (this.other) {
+	      // Remove the reference to the other endpoint before calling close(), to
+	      // avoid infinite recursion.
+	      let other = this.other;
+	      this.other = null;
+	      other.close();
+	    }
+	    if (this.hooks) {
+	      try {
+	        this.hooks.onClosed();
+	      } catch(ex) {
+	        console.error(ex);
+	      }
+	      this.hooks = null;
+	    }
+	  },
+	
+	  /**
+	   * An empty method for emulating the DebuggerTransport API.
+	   */
+	  ready: function() {},
+	
+	  /**
+	   * Helper function that makes an object fully immutable.
+	   */
+	  _deepFreeze: function(object) {
+	    Object.freeze(object);
+	    for (let prop in object) {
+	      // Freeze the properties that are objects, not on the prototype, and not
+	      // already frozen. Note that this might leave an unfrozen reference
+	      // somewhere in the object if there is an already frozen object containing
+	      // an unfrozen object.
+	      if (object.hasOwnProperty(prop) && typeof object === "object" &&
+	          !Object.isFrozen(object)) {
+	        this._deepFreeze(o[prop]);
+	      }
+	    }
+	  }
+	};
+	
+	exports.LocalDebuggerTransport = LocalDebuggerTransport;
+	
+	/**
+	 * A transport for the debugging protocol that uses nsIMessageSenders to
+	 * exchange packets with servers running in child processes.
+	 *
+	 * In the parent process, |sender| should be the nsIMessageSender for the
+	 * child process. In a child process, |sender| should be the child process
+	 * message manager, which sends packets to the parent.
+	 *
+	 * |prefix| is a string included in the message names, to distinguish
+	 * multiple servers running in the same child process.
+	 *
+	 * This transport exchanges messages named 'debug:<prefix>:packet', where
+	 * <prefix> is |prefix|, whose data is the protocol packet.
+	 */
+	function ChildDebuggerTransport(sender, prefix) {
+	  EventEmitter.decorate(this);
+	
+	  this._sender = sender.QueryInterface(Ci.nsIMessageSender);
+	  this._messageName = "debug:" + prefix + ":packet";
+	}
+	
+	/*
+	 * To avoid confusion, we use 'message' to mean something that
+	 * nsIMessageSender conveys, and 'packet' to mean a remote debugging
+	 * protocol packet.
+	 */
+	ChildDebuggerTransport.prototype = {
+	  constructor: ChildDebuggerTransport,
+	
+	  hooks: null,
+	
+	  ready: function () {
+	    this._sender.addMessageListener(this._messageName, this);
+	  },
+	
+	  close: function () {
+	    this._sender.removeMessageListener(this._messageName, this);
+	    this.emit("onClosed");
+	    this.hooks.onClosed();
+	  },
+	
+	  receiveMessage: function ({data}) {
+	    this.emit("onPacket", data);
+	    this.hooks.onPacket(data);
+	  },
+	
+	  send: function (packet) {
+	    this.emit("send", packet);
+	    this._sender.sendAsyncMessage(this._messageName, packet);
+	  },
+	
+	  startBulkSend: function() {
+	    throw new Error("Can't send bulk data to child processes.");
+	  }
+	};
+	
+	exports.ChildDebuggerTransport = ChildDebuggerTransport;
+	
+	// WorkerDebuggerTransport is defined differently depending on whether we are
+	// on the main thread or a worker thread. In the former case, we are required
+	// by the devtools loader, and isWorker will be false. Otherwise, we are
+	// required by the worker loader, and isWorker will be true.
+	//
+	// Each worker debugger supports only a single connection to the main thread.
+	// However, its theoretically possible for multiple servers to connect to the
+	// same worker. Consequently, each transport has a connection id, to allow
+	// messages from multiple connections to be multiplexed on a single channel.
+	
+	if (typeof WorkerGlobalScope === 'undefined') { // i.e. not in a worker
+	  (function () { // Main thread
+	    /**
+	     * A transport that uses a WorkerDebugger to send packets from the main
+	     * thread to a worker thread.
+	     */
+	    function WorkerDebuggerTransport(dbg, id) {
+	      this._dbg = dbg;
+	      this._id = id;
+	      this.onMessage = this._onMessage.bind(this);
+	    }
+	
+	    WorkerDebuggerTransport.prototype = {
+	      constructor: WorkerDebuggerTransport,
+	
+	      ready: function () {
+	        this._dbg.addListener(this);
+	      },
+	
+	      close: function () {
+	        this._dbg.removeListener(this);
+	        if (this.hooks) {
+	          this.hooks.onClosed();
+	        }
+	      },
+	
+	      send: function (packet) {
+	        this._dbg.postMessage(JSON.stringify({
+	          type: "message",
+	          id: this._id,
+	          message: packet
+	        }));
+	      },
+	
+	      startBulkSend: function () {
+	        throw new Error("Can't send bulk data from worker threads!");
+	      },
+	
+	      _onMessage: function (message) {
+	        let packet = JSON.parse(message);
+	        if (packet.type !== "message" || packet.id !== this._id) {
+	          return;
+	        }
+	
+	        if (this.hooks) {
+	          this.hooks.onPacket(packet.message);
+	        }
+	      }
+	    };
+	
+	    exports.WorkerDebuggerTransport = WorkerDebuggerTransport;
+	  }).call(this);
+	} else {
+	  (function () { // Worker thread
+	    /*
+	     * A transport that uses a WorkerDebuggerGlobalScope to send packets from a
+	     * worker thread to the main thread.
+	     */
+	    function WorkerDebuggerTransport(scope, id) {
+	      this._scope = scope;
+	      this._id = id;
+	      this._onMessage = this._onMessage.bind(this);
+	    }
+	
+	    WorkerDebuggerTransport.prototype = {
+	      constructor: WorkerDebuggerTransport,
+	
+	      ready: function () {
+	        this._scope.addEventListener("message", this._onMessage);
+	      },
+	
+	      close: function () {
+	        this._scope.removeEventListener("message", this._onMessage);
+	        if (this.hooks) {
+	          this.hooks.onClosed();
+	        }
+	      },
+	
+	      send: function (packet) {
+	        this._scope.postMessage(JSON.stringify({
+	          type: "message",
+	          id: this._id,
+	          message: packet
+	        }));
+	      },
+	
+	      startBulkSend: function () {
+	        throw new Error("Can't send bulk data from worker threads!");
+	      },
+	
+	      _onMessage: function (event) {
+	        let packet = JSON.parse(event.data);
+	        if (packet.type !== "message" || packet.id !== this._id) {
+	          return;
+	        }
+	
+	        if (this.hooks) {
+	          this.hooks.onPacket(packet.message);
+	        }
+	      }
+	    };
+	
+	    exports.WorkerDebuggerTransport = WorkerDebuggerTransport;
+	  }).call(this);
+	}
+
+
+/***/ },
+/* 261 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const { Ci, Cc, Cu, Cr, CC } = __webpack_require__(183);
+	const Services = __webpack_require__(188);
+	const DevToolsUtils = __webpack_require__(182);
+	const { dumpv } = DevToolsUtils;
+	const EventEmitter = __webpack_require__(259);
+	const promise = __webpack_require__(194);
+	
+	const IOUtil = Cc("@mozilla.org/io-util;1").getService(Ci.nsIIOUtil);
+	
+	const ScriptableInputStream = CC("@mozilla.org/scriptableinputstream;1",
+	          "nsIScriptableInputStream", "init");
+	
+	const BUFFER_SIZE = 0x8000;
+	
+	/**
+	 * This helper function (and its companion object) are used by bulk senders and
+	 * receivers to read and write data in and out of other streams.  Functions that
+	 * make use of this tool are passed to callers when it is time to read or write
+	 * bulk data.  It is highly recommended to use these copier functions instead of
+	 * the stream directly because the copier enforces the agreed upon length.
+	 * Since bulk mode reuses an existing stream, the sender and receiver must write
+	 * and read exactly the agreed upon amount of data, or else the entire transport
+	 * will be left in a invalid state.  Additionally, other methods of stream
+	 * copying (such as NetUtil.asyncCopy) close the streams involved, which would
+	 * terminate the debugging transport, and so it is avoided here.
+	 *
+	 * Overall, this *works*, but clearly the optimal solution would be able to just
+	 * use the streams directly.  If it were possible to fully implement
+	 * nsIInputStream / nsIOutputStream in JS, wrapper streams could be created to
+	 * enforce the length and avoid closing, and consumers could use familiar stream
+	 * utilities like NetUtil.asyncCopy.
+	 *
+	 * The function takes two async streams and copies a precise number of bytes
+	 * from one to the other.  Copying begins immediately, but may complete at some
+	 * future time depending on data size.  Use the returned promise to know when
+	 * it's complete.
+	 *
+	 * @param input nsIAsyncInputStream
+	 *        The stream to copy from.
+	 * @param output nsIAsyncOutputStream
+	 *        The stream to copy to.
+	 * @param length Integer
+	 *        The amount of data that needs to be copied.
+	 * @return Promise
+	 *         The promise is resolved when copying completes or rejected if any
+	 *         (unexpected) errors occur.
+	 */
+	function copyStream(input, output, length) {
+	  let copier = new StreamCopier(input, output, length);
+	  return copier.copy();
+	}
+	
+	function StreamCopier(input, output, length) {
+	  EventEmitter.decorate(this);
+	  this._id = StreamCopier._nextId++;
+	  this.input = input;
+	  // Save off the base output stream, since we know it's async as we've required
+	  this.baseAsyncOutput = output;
+	  if (IOUtil.outputStreamIsBuffered(output)) {
+	    this.output = output;
+	  } else {
+	    this.output = Cc("@mozilla.org/network/buffered-output-stream;1").
+	                  createInstance(Ci.nsIBufferedOutputStream);
+	    this.output.init(output, BUFFER_SIZE);
+	  }
+	  this._length = length;
+	  this._amountLeft = length;
+	  this._deferred = promise.defer();
+	
+	  this._copy = this._copy.bind(this);
+	  this._flush = this._flush.bind(this);
+	  this._destroy = this._destroy.bind(this);
+	
+	  // Copy promise's then method up to this object.
+	  // Allows the copier to offer a promise interface for the simple succeed or
+	  // fail scenarios, but also emit events (due to the EventEmitter) for other
+	  // states, like progress.
+	  this.then = this._deferred.promise.then.bind(this._deferred.promise);
+	  this.then(this._destroy, this._destroy);
+	
+	  // Stream ready callback starts as |_copy|, but may switch to |_flush| at end
+	  // if flushing would block the output stream.
+	  this._streamReadyCallback = this._copy;
+	}
+	StreamCopier._nextId = 0;
+	
+	StreamCopier.prototype = {
+	
+	  copy: function() {
+	    // Dispatch to the next tick so that it's possible to attach a progress
+	    // event listener, even for extremely fast copies (like when testing).
+	    Services.tm.currentThread.dispatch(() => {
+	      try {
+	        this._copy();
+	      } catch(e) {
+	        this._deferred.reject(e);
+	      }
+	    }, 0);
+	    return this;
+	  },
+	
+	  _copy: function() {
+	    let bytesAvailable = this.input.available();
+	    let amountToCopy = Math.min(bytesAvailable, this._amountLeft);
+	    this._debug("Trying to copy: " + amountToCopy);
+	
+	    let bytesCopied;
+	    try {
+	      bytesCopied = this.output.writeFrom(this.input, amountToCopy);
+	    } catch(e) {
+	      if (e.result == Cr.NS_BASE_STREAM_WOULD_BLOCK) {
+	        this._debug("Base stream would block, will retry");
+	        this._debug("Waiting for output stream");
+	        this.baseAsyncOutput.asyncWait(this, 0, 0, Services.tm.currentThread);
+	        return;
+	      } else {
+	        throw e;
+	      }
+	    }
+	
+	    this._amountLeft -= bytesCopied;
+	    this._debug("Copied: " + bytesCopied +
+	                ", Left: " + this._amountLeft);
+	    this._emitProgress();
+	
+	    if (this._amountLeft === 0) {
+	      this._debug("Copy done!");
+	      this._flush();
+	      return;
+	    }
+	
+	    this._debug("Waiting for input stream");
+	    this.input.asyncWait(this, 0, 0, Services.tm.currentThread);
+	  },
+	
+	  _emitProgress: function() {
+	    this.emit("progress", {
+	      bytesSent: this._length - this._amountLeft,
+	      totalBytes: this._length
+	    });
+	  },
+	
+	  _flush: function() {
+	    try {
+	      this.output.flush();
+	    } catch(e) {
+	      if (e.result == Cr.NS_BASE_STREAM_WOULD_BLOCK ||
+	          e.result == Cr.NS_ERROR_FAILURE) {
+	        this._debug("Flush would block, will retry");
+	        this._streamReadyCallback = this._flush;
+	        this._debug("Waiting for output stream");
+	        this.baseAsyncOutput.asyncWait(this, 0, 0, Services.tm.currentThread);
+	        return;
+	      } else {
+	        throw e;
+	      }
+	    }
+	    this._deferred.resolve();
+	  },
+	
+	  _destroy: function() {
+	    this._destroy = null;
+	    this._copy = null;
+	    this._flush = null;
+	    this.input = null;
+	    this.output = null;
+	  },
+	
+	  // nsIInputStreamCallback
+	  onInputStreamReady: function() {
+	    this._streamReadyCallback();
+	  },
+	
+	  // nsIOutputStreamCallback
+	  onOutputStreamReady: function() {
+	    this._streamReadyCallback();
+	  },
+	
+	  _debug: function(msg) {
+	    // Prefix logs with the copier ID, which makes logs much easier to
+	    // understand when several copiers are running simultaneously
+	    dumpv("Copier: " + this._id + " " + msg);
+	  }
+	
+	};
+	
+	/**
+	 * Read from a stream, one byte at a time, up to the next |delimiter|
+	 * character, but stopping if we've read |count| without finding it.  Reading
+	 * also terminates early if there are less than |count| bytes available on the
+	 * stream.  In that case, we only read as many bytes as the stream currently has
+	 * to offer.
+	 * TODO: This implementation could be removed if bug 984651 is fixed, which
+	 *       provides a native version of the same idea.
+	 * @param stream nsIInputStream
+	 *        The input stream to read from.
+	 * @param delimiter string
+	 *        The character we're trying to find.
+	 * @param count integer
+	 *        The max number of characters to read while searching.
+	 * @return string
+	 *         The data collected.  If the delimiter was found, this string will
+	 *         end with it.
+	 */
+	function delimitedRead(stream, delimiter, count) {
+	  dumpv("Starting delimited read for " + delimiter + " up to " +
+	        count + " bytes");
+	
+	  let scriptableStream;
+	  if (stream.readBytes) {
+	    scriptableStream = stream;
+	  } else {
+	    scriptableStream = new ScriptableInputStream(stream);
+	  }
+	
+	  let data = "";
+	
+	  // Don't exceed what's available on the stream
+	  count = Math.min(count, stream.available());
+	
+	  if (count <= 0) {
+	    return data;
+	  }
+	
+	  let char;
+	  while (char !== delimiter && count > 0) {
+	    char = scriptableStream.readBytes(1);
+	    count--;
+	    data += char;
+	  }
+	
+	  return data;
+	}
+	
+	module.exports = {
+	  copyStream: copyStream,
+	  delimitedRead: delimitedRead
+	};
+
+
+/***/ },
+/* 262 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	/**
+	 * Packets contain read / write functionality for the different packet types
+	 * supported by the debugging protocol, so that a transport can focus on
+	 * delivery and queue management without worrying too much about the specific
+	 * packet types.
+	 *
+	 * They are intended to be "one use only", so a new packet should be
+	 * instantiated for each incoming or outgoing packet.
+	 *
+	 * A complete Packet type should expose at least the following:
+	 *   * read(stream, scriptableStream)
+	 *     Called when the input stream has data to read
+	 *   * write(stream)
+	 *     Called when the output stream is ready to write
+	 *   * get done()
+	 *     Returns true once the packet is done being read / written
+	 *   * destroy()
+	 *     Called to clean up at the end of use
+	 */
+	
+	const { Cc, Ci, Cu } = __webpack_require__(183);
+	const DevToolsUtils = __webpack_require__(182);
+	const { dumpn, dumpv } = DevToolsUtils;
+	const StreamUtils = __webpack_require__(261);
+	const promise = __webpack_require__(194);
+	
+	/*DevToolsUtils.defineLazyGetter(this, "unicodeConverter", () => {
+	  const unicodeConverter = Cc("@mozilla.org/intl/scriptableunicodeconverter")
+	                           .createInstance(Ci.nsIScriptableUnicodeConverter);
+	  unicodeConverter.charset = "UTF-8";
+	  return unicodeConverter;
+	});*/
+	const utf8 = __webpack_require__(263);
+	
+	// The transport's previous check ensured the header length did not exceed 20
+	// characters.  Here, we opt for the somewhat smaller, but still large limit of
+	// 1 TiB.
+	const PACKET_LENGTH_MAX = Math.pow(2, 40);
+	
+	/**
+	 * A generic Packet processing object (extended by two subtypes below).
+	 */
+	function Packet(transport) {
+	  this._transport = transport;
+	  this._length = 0;
+	}
+	
+	/**
+	 * Attempt to initialize a new Packet based on the incoming packet header we've
+	 * received so far.  We try each of the types in succession, trying JSON packets
+	 * first since they are much more common.
+	 * @param header string
+	 *        The packet header string to attempt parsing.
+	 * @param transport DebuggerTransport
+	 *        The transport instance that will own the packet.
+	 * @return Packet
+	 *         The parsed packet of the matching type, or null if no types matched.
+	 */
+	Packet.fromHeader = function(header, transport) {
+	  return JSONPacket.fromHeader(header, transport) ||
+	         BulkPacket.fromHeader(header, transport);
+	};
+	
+	Packet.prototype = {
+	
+	  get length() {
+	    return this._length;
+	  },
+	
+	  set length(length) {
+	    if (length > PACKET_LENGTH_MAX) {
+	      throw Error("Packet length " + length + " exceeds the max length of " +
+	                  PACKET_LENGTH_MAX);
+	    }
+	    this._length = length;
+	  },
+	
+	  destroy: function() {
+	    this._transport = null;
+	  }
+	
+	};
+	
+	exports.Packet = Packet;
+	
+	/**
+	 * With a JSON packet (the typical packet type sent via the transport), data is
+	 * transferred as a JSON packet serialized into a string, with the string length
+	 * prepended to the packet, followed by a colon ([length]:[packet]). The
+	 * contents of the JSON packet are specified in the Remote Debugging Protocol
+	 * specification.
+	 * @param transport DebuggerTransport
+	 *        The transport instance that will own the packet.
+	 */
+	function JSONPacket(transport) {
+	  Packet.call(this, transport);
+	  this._data = "";
+	  this._done = false;
+	}
+	
+	/**
+	 * Attempt to initialize a new JSONPacket based on the incoming packet header
+	 * we've received so far.
+	 * @param header string
+	 *        The packet header string to attempt parsing.
+	 * @param transport DebuggerTransport
+	 *        The transport instance that will own the packet.
+	 * @return JSONPacket
+	 *         The parsed packet, or null if it's not a match.
+	 */
+	JSONPacket.fromHeader = function(header, transport) {
+	  let match = this.HEADER_PATTERN.exec(header);
+	
+	  if (!match) {
+	    return null;
+	  }
+	
+	  dumpv("Header matches JSON packet");
+	  let packet = new JSONPacket(transport);
+	  packet.length = +match[1];
+	  return packet;
+	};
+	
+	JSONPacket.HEADER_PATTERN = /^(\d+):$/;
+	
+	JSONPacket.prototype = Object.create(Packet.prototype);
+	
+	Object.defineProperty(JSONPacket.prototype, "object", {
+	  /**
+	   * Gets the object (not the serialized string) being read or written.
+	   */
+	  get: function() { return this._object; },
+	
+	  /**
+	   * Sets the object to be sent when write() is called.
+	   */
+	  set: function(object) {
+	    this._object = object;
+	    let data = JSON.stringify(object);
+	    this._data = data;
+	    this.length = this._data.length;
+	  }
+	});
+	
+	JSONPacket.prototype.read = function(stream, scriptableStream) {
+	  dumpv("Reading JSON packet");
+	
+	  // Read in more packet data.
+	  this._readData(stream, scriptableStream);
+	
+	  if (!this.done) {
+	    // Don't have a complete packet yet.
+	    return;
+	  }
+	
+	  let json = this._data;
+	  try {
+	    json = utf8.decode(json);
+	    this._object = JSON.parse(json);
+	  } catch(e) {
+	    let msg = "Error parsing incoming packet: " + json + " (" + e +
+	              " - " + e.stack + ")";
+	    if (console.error) {
+	      console.error(msg);
+	    }
+	    dumpn(msg);
+	    return;
+	  }
+	
+	  this._transport._onJSONObjectReady(this._object);
+	}
+	
+	JSONPacket.prototype._readData = function(stream, scriptableStream) {
+	  if (!scriptableStream) {
+	    scriptableStream = stream;
+	  }
+	  if (dumpv.wantVerbose) {
+	    dumpv("Reading JSON data: _l: " + this.length + " dL: " +
+	          this._data.length + " sA: " + stream.available());
+	  }
+	  let bytesToRead = Math.min(this.length - this._data.length,
+	                             stream.available());
+	  this._data += scriptableStream.readBytes(bytesToRead);
+	  this._done = this._data.length === this.length;
+	}
+	
+	JSONPacket.prototype.write = function(stream) {
+	  dumpv("Writing JSON packet");
+	
+	  if (this._outgoing === undefined) {
+	    // Format the serialized packet to a buffer
+	    this._outgoing = this.length + ":" + this._data;
+	  }
+	
+	  let written = stream.write(this._outgoing, this._outgoing.length);
+	  this._outgoing = this._outgoing.slice(written);
+	  this._done = !this._outgoing.length;
+	}
+	
+	Object.defineProperty(JSONPacket.prototype, "done", {
+	  get: function() { return this._done; }
+	});
+	
+	JSONPacket.prototype.toString = function() {
+	  return JSON.stringify(this._object, null, 2);
+	}
+	
+	exports.JSONPacket = JSONPacket;
+	
+	/**
+	 * With a bulk packet, data is transferred by temporarily handing over the
+	 * transport's input or output stream to the application layer for writing data
+	 * directly.  This can be much faster for large data sets, and avoids various
+	 * stages of copies and data duplication inherent in the JSON packet type.  The
+	 * bulk packet looks like:
+	 *
+	 * bulk [actor] [type] [length]:[data]
+	 *
+	 * The interpretation of the data portion depends on the kind of actor and the
+	 * packet's type.  See the Remote Debugging Protocol Stream Transport spec for
+	 * more details.
+	 * @param transport DebuggerTransport
+	 *        The transport instance that will own the packet.
+	 */
+	function BulkPacket(transport) {
+	  Packet.call(this, transport);
+	  this._done = false;
+	  this._readyForWriting = promise.defer();
+	}
+	
+	/**
+	 * Attempt to initialize a new BulkPacket based on the incoming packet header
+	 * we've received so far.
+	 * @param header string
+	 *        The packet header string to attempt parsing.
+	 * @param transport DebuggerTransport
+	 *        The transport instance that will own the packet.
+	 * @return BulkPacket
+	 *         The parsed packet, or null if it's not a match.
+	 */
+	BulkPacket.fromHeader = function(header, transport) {
+	  let match = this.HEADER_PATTERN.exec(header);
+	
+	  if (!match) {
+	    return null;
+	  }
+	
+	  dumpv("Header matches bulk packet");
+	  let packet = new BulkPacket(transport);
+	  packet.header = {
+	    actor: match[1],
+	    type: match[2],
+	    length: +match[3]
+	  };
+	  return packet;
+	};
+	
+	BulkPacket.HEADER_PATTERN = /^bulk ([^: ]+) ([^: ]+) (\d+):$/;
+	
+	BulkPacket.prototype = Object.create(Packet.prototype);
+	
+	BulkPacket.prototype.read = function(stream) {
+	  dumpv("Reading bulk packet, handing off input stream");
+	
+	  // Temporarily pause monitoring of the input stream
+	  this._transport.pauseIncoming();
+	
+	  let deferred = promise.defer();
+	
+	  this._transport._onBulkReadReady({
+	    actor: this.actor,
+	    type: this.type,
+	    length: this.length,
+	    copyTo: (output) => {
+	      dumpv("CT length: " + this.length);
+	      let copying = StreamUtils.copyStream(stream, output, this.length);
+	      deferred.resolve(copying);
+	      return copying;
+	    },
+	    stream: stream,
+	    done: deferred
+	  });
+	
+	  // Await the result of reading from the stream
+	  deferred.promise.then(() => {
+	    dumpv("onReadDone called, ending bulk mode");
+	    this._done = true;
+	    this._transport.resumeIncoming();
+	  }, this._transport.close);
+	
+	  // Ensure this is only done once
+	  this.read = () => {
+	    throw new Error("Tried to read() a BulkPacket's stream multiple times.");
+	  };
+	}
+	
+	BulkPacket.prototype.write = function(stream) {
+	  dumpv("Writing bulk packet");
+	
+	  if (this._outgoingHeader === undefined) {
+	    dumpv("Serializing bulk packet header");
+	    // Format the serialized packet header to a buffer
+	    this._outgoingHeader = "bulk " + this.actor + " " + this.type + " " +
+	                           this.length + ":";
+	  }
+	
+	  // Write the header, or whatever's left of it to write.
+	  if (this._outgoingHeader.length) {
+	    dumpv("Writing bulk packet header");
+	    let written = stream.write(this._outgoingHeader,
+	                               this._outgoingHeader.length);
+	    this._outgoingHeader = this._outgoingHeader.slice(written);
+	    return;
+	  }
+	
+	  dumpv("Handing off output stream");
+	
+	  // Temporarily pause the monitoring of the output stream
+	  this._transport.pauseOutgoing();
+	
+	  let deferred = promise.defer();
+	
+	  this._readyForWriting.resolve({
+	    copyFrom: (input) => {
+	      dumpv("CF length: " + this.length);
+	      let copying = StreamUtils.copyStream(input, stream, this.length);
+	      deferred.resolve(copying);
+	      return copying;
+	    },
+	    stream: stream,
+	    done: deferred
+	  });
+	
+	  // Await the result of writing to the stream
+	  deferred.promise.then(() => {
+	    dumpv("onWriteDone called, ending bulk mode");
+	    this._done = true;
+	    this._transport.resumeOutgoing();
+	  }, this._transport.close);
+	
+	  // Ensure this is only done once
+	  this.write = () => {
+	    throw new Error("Tried to write() a BulkPacket's stream multiple times.");
+	  };
+	}
+	
+	Object.defineProperty(BulkPacket.prototype, "streamReadyForWriting", {
+	  get: function() {
+	    return this._readyForWriting.promise;
+	  }
+	});
+	
+	Object.defineProperty(BulkPacket.prototype, "header", {
+	  get: function() {
+	    return {
+	      actor: this.actor,
+	      type: this.type,
+	      length: this.length
+	    };
+	  },
+	
+	  set: function(header) {
+	    this.actor = header.actor;
+	    this.type = header.type;
+	    this.length = header.length;
+	  },
+	});
+	
+	Object.defineProperty(BulkPacket.prototype, "done", {
+	  get: function() { return this._done; },
+	});
+	
+	
+	BulkPacket.prototype.toString = function() {
+	  return "Bulk: " + JSON.stringify(this.header, null, 2);
+	}
+	
+	exports.BulkPacket = BulkPacket;
+	
+	/**
+	 * RawPacket is used to test the transport's error handling of malformed
+	 * packets, by writing data directly onto the stream.
+	 * @param transport DebuggerTransport
+	 *        The transport instance that will own the packet.
+	 * @param data string
+	 *        The raw string to send out onto the stream.
+	 */
+	function RawPacket(transport, data) {
+	  Packet.call(this, transport);
+	  this._data = data;
+	  this.length = data.length;
+	  this._done = false;
+	}
+	
+	RawPacket.prototype = Object.create(Packet.prototype);
+	
+	RawPacket.prototype.read = function(stream) {
+	  // This hasn't yet been needed for testing.
+	  throw Error("Not implmented.");
+	}
+	
+	RawPacket.prototype.write = function(stream) {
+	  let written = stream.write(this._data, this._data.length);
+	  this._data = this._data.slice(written);
+	  this._done = !this._data.length;
+	}
+	
+	Object.defineProperty(RawPacket.prototype, "done", {
+	  get: function() { return this._done; }
+	});
+	
+	exports.RawPacket = RawPacket;
+
+
+/***/ },
+/* 263 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* WEBPACK VAR INJECTION */(function(module, global) {/*! https://mths.be/utf8js v2.0.0 by @mathias */
+	;(function(root) {
+	
+		// Detect free variables `exports`
+		var freeExports = typeof exports == 'object' && exports;
+	
+		// Detect free variable `module`
+		var freeModule = typeof module == 'object' && module &&
+			module.exports == freeExports && module;
+	
+		// Detect free variable `global`, from Node.js or Browserified code,
+		// and use it as `root`
+		var freeGlobal = typeof global == 'object' && global;
+		if (freeGlobal.global === freeGlobal || freeGlobal.window === freeGlobal) {
+			root = freeGlobal;
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		var stringFromCharCode = String.fromCharCode;
+	
+		// Taken from https://mths.be/punycode
+		function ucs2decode(string) {
+			var output = [];
+			var counter = 0;
+			var length = string.length;
+			var value;
+			var extra;
+			while (counter < length) {
+				value = string.charCodeAt(counter++);
+				if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
+					// high surrogate, and there is a next character
+					extra = string.charCodeAt(counter++);
+					if ((extra & 0xFC00) == 0xDC00) { // low surrogate
+						output.push(((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000);
+					} else {
+						// unmatched surrogate; only append this code unit, in case the next
+						// code unit is the high surrogate of a surrogate pair
+						output.push(value);
+						counter--;
+					}
+				} else {
+					output.push(value);
+				}
+			}
+			return output;
+		}
+	
+		// Taken from https://mths.be/punycode
+		function ucs2encode(array) {
+			var length = array.length;
+			var index = -1;
+			var value;
+			var output = '';
+			while (++index < length) {
+				value = array[index];
+				if (value > 0xFFFF) {
+					value -= 0x10000;
+					output += stringFromCharCode(value >>> 10 & 0x3FF | 0xD800);
+					value = 0xDC00 | value & 0x3FF;
+				}
+				output += stringFromCharCode(value);
+			}
+			return output;
+		}
+	
+		function checkScalarValue(codePoint) {
+			if (codePoint >= 0xD800 && codePoint <= 0xDFFF) {
+				throw Error(
+					'Lone surrogate U+' + codePoint.toString(16).toUpperCase() +
+					' is not a scalar value'
+				);
+			}
+		}
+		/*--------------------------------------------------------------------------*/
+	
+		function createByte(codePoint, shift) {
+			return stringFromCharCode(((codePoint >> shift) & 0x3F) | 0x80);
+		}
+	
+		function encodeCodePoint(codePoint) {
+			if ((codePoint & 0xFFFFFF80) == 0) { // 1-byte sequence
+				return stringFromCharCode(codePoint);
+			}
+			var symbol = '';
+			if ((codePoint & 0xFFFFF800) == 0) { // 2-byte sequence
+				symbol = stringFromCharCode(((codePoint >> 6) & 0x1F) | 0xC0);
+			}
+			else if ((codePoint & 0xFFFF0000) == 0) { // 3-byte sequence
+				checkScalarValue(codePoint);
+				symbol = stringFromCharCode(((codePoint >> 12) & 0x0F) | 0xE0);
+				symbol += createByte(codePoint, 6);
+			}
+			else if ((codePoint & 0xFFE00000) == 0) { // 4-byte sequence
+				symbol = stringFromCharCode(((codePoint >> 18) & 0x07) | 0xF0);
+				symbol += createByte(codePoint, 12);
+				symbol += createByte(codePoint, 6);
+			}
+			symbol += stringFromCharCode((codePoint & 0x3F) | 0x80);
+			return symbol;
+		}
+	
+		function utf8encode(string) {
+			var codePoints = ucs2decode(string);
+			var length = codePoints.length;
+			var index = -1;
+			var codePoint;
+			var byteString = '';
+			while (++index < length) {
+				codePoint = codePoints[index];
+				byteString += encodeCodePoint(codePoint);
+			}
+			return byteString;
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		function readContinuationByte() {
+			if (byteIndex >= byteCount) {
+				throw Error('Invalid byte index');
+			}
+	
+			var continuationByte = byteArray[byteIndex] & 0xFF;
+			byteIndex++;
+	
+			if ((continuationByte & 0xC0) == 0x80) {
+				return continuationByte & 0x3F;
+			}
+	
+			// If we end up here, it’s not a continuation byte
+			throw Error('Invalid continuation byte');
+		}
+	
+		function decodeSymbol() {
+			var byte1;
+			var byte2;
+			var byte3;
+			var byte4;
+			var codePoint;
+	
+			if (byteIndex > byteCount) {
+				throw Error('Invalid byte index');
+			}
+	
+			if (byteIndex == byteCount) {
+				return false;
+			}
+	
+			// Read first byte
+			byte1 = byteArray[byteIndex] & 0xFF;
+			byteIndex++;
+	
+			// 1-byte sequence (no continuation bytes)
+			if ((byte1 & 0x80) == 0) {
+				return byte1;
+			}
+	
+			// 2-byte sequence
+			if ((byte1 & 0xE0) == 0xC0) {
+				var byte2 = readContinuationByte();
+				codePoint = ((byte1 & 0x1F) << 6) | byte2;
+				if (codePoint >= 0x80) {
+					return codePoint;
+				} else {
+					throw Error('Invalid continuation byte');
+				}
+			}
+	
+			// 3-byte sequence (may include unpaired surrogates)
+			if ((byte1 & 0xF0) == 0xE0) {
+				byte2 = readContinuationByte();
+				byte3 = readContinuationByte();
+				codePoint = ((byte1 & 0x0F) << 12) | (byte2 << 6) | byte3;
+				if (codePoint >= 0x0800) {
+					checkScalarValue(codePoint);
+					return codePoint;
+				} else {
+					throw Error('Invalid continuation byte');
+				}
+			}
+	
+			// 4-byte sequence
+			if ((byte1 & 0xF8) == 0xF0) {
+				byte2 = readContinuationByte();
+				byte3 = readContinuationByte();
+				byte4 = readContinuationByte();
+				codePoint = ((byte1 & 0x0F) << 0x12) | (byte2 << 0x0C) |
+					(byte3 << 0x06) | byte4;
+				if (codePoint >= 0x010000 && codePoint <= 0x10FFFF) {
+					return codePoint;
+				}
+			}
+	
+			throw Error('Invalid UTF-8 detected');
+		}
+	
+		var byteArray;
+		var byteCount;
+		var byteIndex;
+		function utf8decode(byteString) {
+			byteArray = ucs2decode(byteString);
+			byteCount = byteArray.length;
+			byteIndex = 0;
+			var codePoints = [];
+			var tmp;
+			while ((tmp = decodeSymbol()) !== false) {
+				codePoints.push(tmp);
+			}
+			return ucs2encode(codePoints);
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		var utf8 = {
+			'version': '2.0.0',
+			'encode': utf8encode,
+			'decode': utf8decode
+		};
+	
+		// Some AMD build optimizers, like r.js, check for specific condition patterns
+		// like the following:
+		if (
+			true
+		) {
+			!(__WEBPACK_AMD_DEFINE_RESULT__ = function() {
+				return utf8;
+			}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+		}	else if (freeExports && !freeExports.nodeType) {
+			if (freeModule) { // in Node.js or RingoJS v0.8.0+
+				freeModule.exports = utf8;
+			} else { // in Narwhal or RingoJS v0.7.0-
+				var object = {};
+				var hasOwnProperty = object.hasOwnProperty;
+				for (var key in utf8) {
+					hasOwnProperty.call(utf8, key) && (freeExports[key] = utf8[key]);
+				}
+			}
+		} else { // in Rhino or a web browser
+			root.utf8 = utf8;
+		}
+	
+	}(this));
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module), (function() { return this; }())))
+
+/***/ },
+/* 264 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* WEBPACK VAR INJECTION */(function(module, global) {/*! https://mths.be/utf8js v2.0.0 by @mathias */
+	;(function(root) {
+	
+		// Detect free variables `exports`
+		var freeExports = typeof exports == 'object' && exports;
+	
+		// Detect free variable `module`
+		var freeModule = typeof module == 'object' && module &&
+			module.exports == freeExports && module;
+	
+		// Detect free variable `global`, from Node.js or Browserified code,
+		// and use it as `root`
+		var freeGlobal = typeof global == 'object' && global;
+		if (freeGlobal.global === freeGlobal || freeGlobal.window === freeGlobal) {
+			root = freeGlobal;
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		var stringFromCharCode = String.fromCharCode;
+	
+		// Taken from https://mths.be/punycode
+		function ucs2decode(string) {
+			var output = [];
+			var counter = 0;
+			var length = string.length;
+			var value;
+			var extra;
+			while (counter < length) {
+				value = string.charCodeAt(counter++);
+				if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
+					// high surrogate, and there is a next character
+					extra = string.charCodeAt(counter++);
+					if ((extra & 0xFC00) == 0xDC00) { // low surrogate
+						output.push(((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000);
+					} else {
+						// unmatched surrogate; only append this code unit, in case the next
+						// code unit is the high surrogate of a surrogate pair
+						output.push(value);
+						counter--;
+					}
+				} else {
+					output.push(value);
+				}
+			}
+			return output;
+		}
+	
+		// Taken from https://mths.be/punycode
+		function ucs2encode(array) {
+			var length = array.length;
+			var index = -1;
+			var value;
+			var output = '';
+			while (++index < length) {
+				value = array[index];
+				if (value > 0xFFFF) {
+					value -= 0x10000;
+					output += stringFromCharCode(value >>> 10 & 0x3FF | 0xD800);
+					value = 0xDC00 | value & 0x3FF;
+				}
+				output += stringFromCharCode(value);
+			}
+			return output;
+		}
+	
+		function checkScalarValue(codePoint) {
+			if (codePoint >= 0xD800 && codePoint <= 0xDFFF) {
+				throw Error(
+					'Lone surrogate U+' + codePoint.toString(16).toUpperCase() +
+					' is not a scalar value'
+				);
+			}
+		}
+		/*--------------------------------------------------------------------------*/
+	
+		function createByte(codePoint, shift) {
+			return stringFromCharCode(((codePoint >> shift) & 0x3F) | 0x80);
+		}
+	
+		function encodeCodePoint(codePoint) {
+			if ((codePoint & 0xFFFFFF80) == 0) { // 1-byte sequence
+				return stringFromCharCode(codePoint);
+			}
+			var symbol = '';
+			if ((codePoint & 0xFFFFF800) == 0) { // 2-byte sequence
+				symbol = stringFromCharCode(((codePoint >> 6) & 0x1F) | 0xC0);
+			}
+			else if ((codePoint & 0xFFFF0000) == 0) { // 3-byte sequence
+				checkScalarValue(codePoint);
+				symbol = stringFromCharCode(((codePoint >> 12) & 0x0F) | 0xE0);
+				symbol += createByte(codePoint, 6);
+			}
+			else if ((codePoint & 0xFFE00000) == 0) { // 4-byte sequence
+				symbol = stringFromCharCode(((codePoint >> 18) & 0x07) | 0xF0);
+				symbol += createByte(codePoint, 12);
+				symbol += createByte(codePoint, 6);
+			}
+			symbol += stringFromCharCode((codePoint & 0x3F) | 0x80);
+			return symbol;
+		}
+	
+		function utf8encode(string) {
+			var codePoints = ucs2decode(string);
+			var length = codePoints.length;
+			var index = -1;
+			var codePoint;
+			var byteString = '';
+			while (++index < length) {
+				codePoint = codePoints[index];
+				byteString += encodeCodePoint(codePoint);
+			}
+			return byteString;
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		function readContinuationByte() {
+			if (byteIndex >= byteCount) {
+				throw Error('Invalid byte index');
+			}
+	
+			var continuationByte = byteArray[byteIndex] & 0xFF;
+			byteIndex++;
+	
+			if ((continuationByte & 0xC0) == 0x80) {
+				return continuationByte & 0x3F;
+			}
+	
+			// If we end up here, it’s not a continuation byte
+			throw Error('Invalid continuation byte');
+		}
+	
+		function decodeSymbol() {
+			var byte1;
+			var byte2;
+			var byte3;
+			var byte4;
+			var codePoint;
+	
+			if (byteIndex > byteCount) {
+				throw Error('Invalid byte index');
+			}
+	
+			if (byteIndex == byteCount) {
+				return false;
+			}
+	
+			// Read first byte
+			byte1 = byteArray[byteIndex] & 0xFF;
+			byteIndex++;
+	
+			// 1-byte sequence (no continuation bytes)
+			if ((byte1 & 0x80) == 0) {
+				return byte1;
+			}
+	
+			// 2-byte sequence
+			if ((byte1 & 0xE0) == 0xC0) {
+				var byte2 = readContinuationByte();
+				codePoint = ((byte1 & 0x1F) << 6) | byte2;
+				if (codePoint >= 0x80) {
+					return codePoint;
+				} else {
+					throw Error('Invalid continuation byte');
+				}
+			}
+	
+			// 3-byte sequence (may include unpaired surrogates)
+			if ((byte1 & 0xF0) == 0xE0) {
+				byte2 = readContinuationByte();
+				byte3 = readContinuationByte();
+				codePoint = ((byte1 & 0x0F) << 12) | (byte2 << 6) | byte3;
+				if (codePoint >= 0x0800) {
+					checkScalarValue(codePoint);
+					return codePoint;
+				} else {
+					throw Error('Invalid continuation byte');
+				}
+			}
+	
+			// 4-byte sequence
+			if ((byte1 & 0xF8) == 0xF0) {
+				byte2 = readContinuationByte();
+				byte3 = readContinuationByte();
+				byte4 = readContinuationByte();
+				codePoint = ((byte1 & 0x0F) << 0x12) | (byte2 << 0x0C) |
+					(byte3 << 0x06) | byte4;
+				if (codePoint >= 0x010000 && codePoint <= 0x10FFFF) {
+					return codePoint;
+				}
+			}
+	
+			throw Error('Invalid UTF-8 detected');
+		}
+	
+		var byteArray;
+		var byteCount;
+		var byteIndex;
+		function utf8decode(byteString) {
+			byteArray = ucs2decode(byteString);
+			byteCount = byteArray.length;
+			byteIndex = 0;
+			var codePoints = [];
+			var tmp;
+			while ((tmp = decodeSymbol()) !== false) {
+				codePoints.push(tmp);
+			}
+			return ucs2encode(codePoints);
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		var utf8 = {
+			'version': '2.0.0',
+			'encode': utf8encode,
+			'decode': utf8decode
+		};
+	
+		// Some AMD build optimizers, like r.js, check for specific condition patterns
+		// like the following:
+		if (
+			true
+		) {
+			!(__WEBPACK_AMD_DEFINE_RESULT__ = function() {
+				return utf8;
+			}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+		}	else if (freeExports && !freeExports.nodeType) {
+			if (freeModule) { // in Node.js or RingoJS v0.8.0+
+				freeModule.exports = utf8;
+			} else { // in Narwhal or RingoJS v0.7.0-
+				var object = {};
+				var hasOwnProperty = object.hasOwnProperty;
+				for (var key in utf8) {
+					hasOwnProperty.call(utf8, key) && (freeExports[key] = utf8[key]);
+				}
+			}
+		} else { // in Rhino or a web browser
+			root.utf8 = utf8;
+		}
+	
+	}(this));
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module), (function() { return this; }())))
+
+/***/ },
+/* 265 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const EventEmitter = __webpack_require__(266);
+	
+	function WebSocketDebuggerTransport(socket) {
+	  EventEmitter.decorate(this);
+	
+	  this.active = false;
+	  this.hooks = null;
+	  this.socket = socket;
+	}
+	
+	WebSocketDebuggerTransport.prototype = {
+	  ready() {
+	    if (this.active) {
+	      return;
+	    }
+	
+	    this.socket.addEventListener("message", this);
+	    this.socket.addEventListener("close", this);
+	
+	    this.active = true;
+	  },
+	
+	  send(object) {
+	    this.emit("send", object);
+	    if (this.socket) {
+	      this.socket.send(JSON.stringify(object));
+	    }
+	  },
+	
+	  startBulkSend() {
+	    throw new Error("Bulk send is not supported by WebSocket transport");
+	  },
+	
+	  close() {
+	    this.emit("onClosed");
+	    this.active = false;
+	
+	    this.socket.removeEventListener("message", this);
+	    this.socket.removeEventListener("close", this);
+	    this.socket.close();
+	    this.socket = null;
+	
+	    if (this.hooks) {
+	      this.hooks.onClosed();
+	      this.hooks = null;
+	    }
+	  },
+	
+	  handleEvent(event) {
+	    switch (event.type) {
+	      case "message":
+	        this.onMessage(event);
+	        break;
+	      case "close":
+	        this.close();
+	        break;
+	    }
+	  },
+	
+	  onMessage({ data }) {
+	    if (typeof data !== "string") {
+	      throw new Error("Binary messages are not supported by WebSocket transport");
+	    }
+	
+	    let object = JSON.parse(data);
+	    this.emit("onPacket", object);
+	    if (this.hooks) {
+	      this.hooks.onPacket(object);
+	    }
+	  },
+	};
+	
+	module.exports = WebSocketDebuggerTransport;
+
+
+/***/ },
+/* 266 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var EventEmitter = function () {};
+	
+	var defer = __webpack_require__(267);
+	
+	/**
+	 * Decorate an object with event emitter functionality.
+	 *
+	 * @param Object objectToDecorate
+	 *        Bind all public methods of EventEmitter to
+	 *        the objectToDecorate object.
+	 */
+	EventEmitter.decorate = function (objectToDecorate) {
+	  var emitter = new EventEmitter();
+	  objectToDecorate.on = emitter.on.bind(emitter);
+	  objectToDecorate.off = emitter.off.bind(emitter);
+	  objectToDecorate.once = emitter.once.bind(emitter);
+	  objectToDecorate.emit = emitter.emit.bind(emitter);
+	};
+	
+	EventEmitter.prototype = {
+	  /**
+	   * Connect a listener.
+	   *
+	   * @param string event
+	   *        The event name to which we're connecting.
+	   * @param function listener
+	   *        Called when the event is fired.
+	   */
+	  on(event, listener) {
+	    if (!this._eventEmitterListeners) {
+	      this._eventEmitterListeners = new Map();
+	    }
+	    if (!this._eventEmitterListeners.has(event)) {
+	      this._eventEmitterListeners.set(event, []);
+	    }
+	    this._eventEmitterListeners.get(event).push(listener);
+	  },
+	
+	  /**
+	   * Listen for the next time an event is fired.
+	   *
+	   * @param string event
+	   *        The event name to which we're connecting.
+	   * @param function listener
+	   *        (Optional) Called when the event is fired. Will be called at most
+	   *        one time.
+	   * @return promise
+	   *        A promise which is resolved when the event next happens. The
+	   *        resolution value of the promise is the first event argument. If
+	   *        you need access to second or subsequent event arguments (it's rare
+	   *        that this is needed) then use listener
+	   */
+	  once(event, listener) {
+	    var _this = this;
+	
+	    var deferred = defer();
+	
+	    var handler = function (_, first) {
+	      for (var _len = arguments.length, rest = Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) {
+	        rest[_key - 2] = arguments[_key];
+	      }
+	
+	      _this.off(event, handler);
+	      if (listener) {
+	        listener.apply(null, [event, first].concat(rest));
+	      }
+	      deferred.resolve(first);
+	    };
+	
+	    handler._originalListener = listener;
+	    this.on(event, handler);
+	
+	    return deferred.promise;
+	  },
+	
+	  /**
+	   * Remove a previously-registered event listener.  Works for events
+	   * registered with either on or once.
+	   *
+	   * @param string event
+	   *        The event name whose listener we're disconnecting.
+	   * @param function listener
+	   *        The listener to remove.
+	   */
+	  off(event, listener) {
+	    if (!this._eventEmitterListeners) {
+	      return;
+	    }
+	    var listeners = this._eventEmitterListeners.get(event);
+	    if (listeners) {
+	      this._eventEmitterListeners.set(event, listeners.filter(l => {
+	        return l !== listener && l._originalListener !== listener;
+	      }));
+	    }
+	  },
+	
+	  /**
+	   * Emit an event.  All arguments to this method will
+	   * be sent to listener functions.
+	   */
+	  emit(event) {
+	    var _this2 = this,
+	        _arguments = arguments;
+	
+	    if (!this._eventEmitterListeners || !this._eventEmitterListeners.has(event)) {
+	      return;
+	    }
+	
+	    var originalListeners = this._eventEmitterListeners.get(event);
+	
+	    var _loop = function (listener) {
+	      // If the object was destroyed during event emission, stop
+	      // emitting.
+	      if (!_this2._eventEmitterListeners) {
+	        return "break";
+	      }
+	
+	      // If listeners were removed during emission, make sure the
+	      // event handler we're going to fire wasn't removed.
+	      if (originalListeners === _this2._eventEmitterListeners.get(event) || _this2._eventEmitterListeners.get(event).some(l => l === listener)) {
+	        try {
+	          listener.apply(null, _arguments);
+	        } catch (ex) {
+	          // Prevent a bad listener from interfering with the others.
+	          var msg = ex + ": " + ex.stack;
+	          console.error(msg);
+	        }
+	      }
+	    };
+	
+	    for (var listener of this._eventEmitterListeners.get(event)) {
+	      var _ret = _loop(listener);
+	
+	      if (_ret === "break") break;
+	    }
+	  }
+	};
+	
+	module.exports = EventEmitter;
+
+/***/ },
+/* 267 */
+/***/ function(module, exports) {
+
+	module.exports = function defer() {
+	  var resolve = void 0,
+	      reject = void 0;
+	  var promise = new Promise(function () {
+	    resolve = arguments[0];
+	    reject = arguments[1];
+	  });
+	  return {
+	    resolve: resolve,
+	    reject: reject,
+	    promise: promise
+	  };
+	};
+
+/***/ },
+/* 268 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const { Ci, Cu } = __webpack_require__(183);
+	const promise = __webpack_require__(194);
+	const EventEmitter = __webpack_require__(259);
+	const { Services } = __webpack_require__(188);
+	
+	/*const { DebuggerServer } = require("devtools-sham/server/main");*/
+	const { DebuggerClient } = __webpack_require__(254);
+	
+	const targets = new WeakMap();
+	const promiseTargets = new WeakMap();
+	
+	/**
+	 * Functions for creating Targets
+	 */
+	exports.TargetFactory = {
+	  /**
+	   * Construct a Target
+	   * @param {XULTab} tab
+	   *        The tab to use in creating a new target.
+	   *
+	   * @return A target object
+	   */
+	  forTab: function(tab) {
+	    let target = targets.get(tab);
+	    if (target == null) {
+	      target = new TabTarget(tab);
+	      targets.set(tab, target);
+	    }
+	    return target;
+	  },
+	
+	  /**
+	   * Return a promise of a Target for a remote tab.
+	   * @param {Object} options
+	   *        The options object has the following properties:
+	   *        {
+	   *          form: the remote protocol form of a tab,
+	   *          client: a DebuggerClient instance
+	   *                  (caller owns this and is responsible for closing),
+	   *          chrome: true if the remote target is the whole process
+	   *        }
+	   *
+	   * @return A promise of a target object
+	   */
+	  forRemoteTab: function(options) {
+	    let targetPromise = promiseTargets.get(options);
+	    if (targetPromise == null) {
+	      let target = new TabTarget(options);
+	      targetPromise = target.makeRemote().then(() => target);
+	      promiseTargets.set(options, targetPromise);
+	    }
+	    return targetPromise;
+	  },
+	
+	  forWorker: function(workerClient) {
+	    let target = targets.get(workerClient);
+	    if (target == null) {
+	      target = new WorkerTarget(workerClient);
+	      targets.set(workerClient, target);
+	    }
+	    return target;
+	  },
+	
+	  /**
+	   * Creating a target for a tab that is being closed is a problem because it
+	   * allows a leak as a result of coming after the close event which normally
+	   * clears things up. This function allows us to ask if there is a known
+	   * target for a tab without creating a target
+	   * @return true/false
+	   */
+	  isKnownTab: function(tab) {
+	    return targets.has(tab);
+	  },
+	};
+	
+	/**
+	 * A Target represents something that we can debug. Targets are generally
+	 * read-only. Any changes that you wish to make to a target should be done via
+	 * a Tool that attaches to the target. i.e. a Target is just a pointer saying
+	 * "the thing to debug is over there".
+	 *
+	 * Providing a generalized abstraction of a web-page or web-browser (available
+	 * either locally or remotely) is beyond the scope of this class (and maybe
+	 * also beyond the scope of this universe) However Target does attempt to
+	 * abstract some common events and read-only properties common to many Tools.
+	 *
+	 * Supported read-only properties:
+	 * - name, isRemote, url
+	 *
+	 * Target extends EventEmitter and provides support for the following events:
+	 * - close: The target window has been closed. All tools attached to this
+	 *          target should close. This event is not currently cancelable.
+	 * - navigate: The target window has navigated to a different URL
+	 *
+	 * Optional events:
+	 * - will-navigate: The target window will navigate to a different URL
+	 * - hidden: The target is not visible anymore (for TargetTab, another tab is
+	 *           selected)
+	 * - visible: The target is visible (for TargetTab, tab is selected)
+	 *
+	 * Comparing Targets: 2 instances of a Target object can point at the same
+	 * thing, so t1 !== t2 and t1 != t2 even when they represent the same object.
+	 * To compare to targets use 't1.equals(t2)'.
+	 */
+	
+	/**
+	 * A TabTarget represents a page living in a browser tab. Generally these will
+	 * be web pages served over http(s), but they don't have to be.
+	 */
+	function TabTarget(tab) {
+	  EventEmitter.decorate(this);
+	  this.destroy = this.destroy.bind(this);
+	  this._handleThreadState = this._handleThreadState.bind(this);
+	  this.on("thread-resumed", this._handleThreadState);
+	  this.on("thread-paused", this._handleThreadState);
+	  this.activeTab = this.activeConsole = null;
+	  // Only real tabs need initialization here. Placeholder objects for remote
+	  // targets will be initialized after a makeRemote method call.
+	  if (tab && !["client", "form", "chrome"].every(tab.hasOwnProperty, tab)) {
+	    this._tab = tab;
+	    this._setupListeners();
+	  } else {
+	    this._form = tab.form;
+	    this._client = tab.client;
+	    this._chrome = tab.chrome;
+	  }
+	  // Default isTabActor to true if not explicitly specified
+	  if (typeof tab.isTabActor == "boolean") {
+	    this._isTabActor = tab.isTabActor;
+	  } else {
+	    this._isTabActor = true;
+	  }
+	}
+	
+	TabTarget.prototype = {
+	  _webProgressListener: null,
+	
+	  /**
+	   * Returns a promise for the protocol description from the root actor. Used
+	   * internally with `target.actorHasMethod`. Takes advantage of caching if
+	   * definition was fetched previously with the corresponding actor information.
+	   * Actors are lazily loaded, so not only must the tool using a specific actor
+	   * be in use, the actors are only registered after invoking a method (for
+	   * performance reasons, added in bug 988237), so to use these actor detection
+	   * methods, one must already be communicating with a specific actor of that
+	   * type.
+	   *
+	   * Must be a remote target.
+	   *
+	   * @return {Promise}
+	   * {
+	   *   "category": "actor",
+	   *   "typeName": "longstractor",
+	   *   "methods": [{
+	   *     "name": "substring",
+	   *     "request": {
+	   *       "type": "substring",
+	   *       "start": {
+	   *         "_arg": 0,
+	   *         "type": "primitive"
+	   *       },
+	   *       "end": {
+	   *         "_arg": 1,
+	   *         "type": "primitive"
+	   *       }
+	   *     },
+	   *     "response": {
+	   *       "substring": {
+	   *         "_retval": "primitive"
+	   *       }
+	   *     }
+	   *   }],
+	   *  "events": {}
+	   * }
+	   */
+	  getActorDescription: function(actorName) {
+	    if (!this.client) {
+	      throw new Error("TabTarget#getActorDescription() can only be called on " +
+	                      "remote tabs.");
+	    }
+	
+	    let deferred = promise.defer();
+	
+	    if (this._protocolDescription &&
+	        this._protocolDescription.types[actorName]) {
+	      deferred.resolve(this._protocolDescription.types[actorName]);
+	    } else {
+	      this.client.mainRoot.protocolDescription(description => {
+	        this._protocolDescription = description;
+	        deferred.resolve(description.types[actorName]);
+	      });
+	    }
+	
+	    return deferred.promise;
+	  },
+	
+	  /**
+	   * Returns a boolean indicating whether or not the specific actor
+	   * type exists. Must be a remote target.
+	   *
+	   * @param {String} actorName
+	   * @return {Boolean}
+	   */
+	  hasActor: function(actorName) {
+	    if (!this.client) {
+	      throw new Error("TabTarget#hasActor() can only be called on remote " +
+	                      "tabs.");
+	    }
+	    if (this.form) {
+	      return !!this.form[actorName + "Actor"];
+	    }
+	    return false;
+	  },
+	
+	  /**
+	   * Queries the protocol description to see if an actor has
+	   * an available method. The actor must already be lazily-loaded (read
+	   * the restrictions in the `getActorDescription` comments),
+	   * so this is for use inside of tool. Returns a promise that
+	   * resolves to a boolean. Must be a remote target.
+	   *
+	   * @param {String} actorName
+	   * @param {String} methodName
+	   * @return {Promise}
+	   */
+	  actorHasMethod: function(actorName, methodName) {
+	    if (!this.client) {
+	      throw new Error("TabTarget#actorHasMethod() can only be called on " +
+	                      "remote tabs.");
+	    }
+	    return this.getActorDescription(actorName).then(desc => {
+	      if (desc && desc.methods) {
+	        return !!desc.methods.find(method => method.name === methodName);
+	      }
+	      return false;
+	    });
+	  },
+	
+	  /**
+	   * Returns a trait from the root actor.
+	   *
+	   * @param {String} traitName
+	   * @return {Mixed}
+	   */
+	  getTrait: function(traitName) {
+	    if (!this.client) {
+	      throw new Error("TabTarget#getTrait() can only be called on remote " +
+	                      "tabs.");
+	    }
+	
+	    // If the targeted actor exposes traits and has a defined value for this
+	    // traits, override the root actor traits
+	    if (this.form.traits && traitName in this.form.traits) {
+	      return this.form.traits[traitName];
+	    }
+	
+	    return this.client.traits[traitName];
+	  },
+	
+	  get tab() {
+	    return this._tab;
+	  },
+	
+	  get form() {
+	    return this._form;
+	  },
+	
+	  // Get a promise of the root form returned by a listTabs request. This promise
+	  // is cached.
+	  get root() {
+	    if (!this._root) {
+	      this._root = this._getRoot();
+	    }
+	    return this._root;
+	  },
+	
+	  _getRoot: function() {
+	    return new Promise((resolve, reject) => {
+	      this.client.listTabs(response => {
+	        if (response.error) {
+	          reject(new Error(response.error + ": " + response.message));
+	          return;
+	        }
+	
+	        resolve(response);
+	      });
+	    });
+	  },
+	
+	  get client() {
+	    return this._client;
+	  },
+	
+	  // Tells us if we are debugging content document
+	  // or if we are debugging chrome stuff.
+	  // Allows to controls which features are available against
+	  // a chrome or a content document.
+	  get chrome() {
+	    return this._chrome;
+	  },
+	
+	  // Tells us if the related actor implements TabActor interface
+	  // and requires to call `attach` request before being used
+	  // and `detach` during cleanup
+	  get isTabActor() {
+	    return this._isTabActor;
+	  },
+	
+	  get window() {
+	    // XXX - this is a footgun for e10s - there .contentWindow will be null,
+	    // and even though .contentWindowAsCPOW *might* work, it will not work
+	    // in all contexts.  Consumers of .window need to be refactored to not
+	    // rely on this.
+	    // if (Services.appinfo.processType != Ci.nsIXULRuntime.PROCESS_TYPE_DEFAULT) {
+	    //   console.error("The .window getter on devtools' |target| object isn't " +
+	    //                  "e10s friendly!\n" + Error().stack);
+	    // }
+	    // Be extra careful here, since this may be called by HS_getHudByWindow
+	    // during shutdown.
+	    if (this._tab && this._tab.linkedBrowser) {
+	      return this._tab.linkedBrowser.contentWindow;
+	    }
+	    return null;
+	  },
+	
+	  get name() {
+	    if (this._tab && this._tab.linkedBrowser.contentDocument) {
+	      return this._tab.linkedBrowser.contentDocument.title;
+	    }
+	    if (this.isAddon) {
+	      return this._form.name;
+	    }
+	    return this._form.title;
+	  },
+	
+	  get url() {
+	    return this._tab ? this._tab.linkedBrowser.currentURI.spec :
+	                       this._form.url;
+	  },
+	
+	  get isRemote() {
+	    return !this.isLocalTab;
+	  },
+	
+	  get isAddon() {
+	    return !!(this._form && this._form.actor &&
+	              this._form.actor.match(/conn\d+\.addon\d+/));
+	  },
+	
+	  get isLocalTab() {
+	    return !!this._tab;
+	  },
+	
+	  get isMultiProcess() {
+	    return !this.window;
+	  },
+	
+	  get isThreadPaused() {
+	    return !!this._isThreadPaused;
+	  },
+	
+	  /**
+	   * Adds remote protocol capabilities to the target, so that it can be used
+	   * for tools that support the Remote Debugging Protocol even for local
+	   * connections.
+	   */
+	  makeRemote: function() {
+	    if (this._remote) {
+	      return this._remote.promise;
+	    }
+	
+	    this._remote = promise.defer();
+	
+	    if (this.isLocalTab) {
+	      // Since a remote protocol connection will be made, let's start the
+	      // DebuggerServer here, once and for all tools.
+	      if (!DebuggerServer.initialized) {
+	        DebuggerServer.init();
+	        DebuggerServer.addBrowserActors();
+	      }
+	
+	      this._client = new DebuggerClient(DebuggerServer.connectPipe());
+	      // A local TabTarget will never perform chrome debugging.
+	      this._chrome = false;
+	    }
+	
+	    this._setupRemoteListeners();
+	
+	    let attachTab = () => {
+	      this._client.attachTab(this._form.actor, (response, tabClient) => {
+	        if (!tabClient) {
+	          this._remote.reject("Unable to attach to the tab");
+	          return;
+	        }
+	        this.activeTab = tabClient;
+	        this.threadActor = response.threadActor;
+	        attachConsole();
+	      });
+	    };
+	
+	    let onConsoleAttached = (response, consoleClient) => {
+	      if (!consoleClient) {
+	        this._remote.reject("Unable to attach to the console");
+	        return;
+	      }
+	      this.activeConsole = consoleClient;
+	      this._remote.resolve(null);
+	    };
+	
+	    let attachConsole = () => {
+	      this._client.attachConsole(this._form.consoleActor,
+	                                 [ "NetworkActivity" ],
+	                                 onConsoleAttached);
+	    };
+	
+	    if (this.isLocalTab) {
+	      this._client.connect(() => {
+	        this._client.getTab({ tab: this.tab }).then(response => {
+	          this._form = response.tab;
+	          attachTab();
+	        });
+	      });
+	    } else if (this.isTabActor) {
+	      // In the remote debugging case, the protocol connection will have been
+	      // already initialized in the connection screen code.
+	      attachTab();
+	    } else {
+	      // AddonActor and chrome debugging on RootActor doesn't inherits from
+	      // TabActor and doesn't need to be attached.
+	      attachConsole();
+	    }
+	
+	    return this._remote.promise;
+	  },
+	
+	  /**
+	   * Listen to the different events.
+	   */
+	  _setupListeners: function() {
+	    this._webProgressListener = new TabWebProgressListener(this);
+	    this.tab.linkedBrowser.addProgressListener(this._webProgressListener);
+	    this.tab.addEventListener("TabClose", this);
+	    this.tab.parentNode.addEventListener("TabSelect", this);
+	    this.tab.ownerDocument.defaultView.addEventListener("unload", this);
+	  },
+	
+	  /**
+	   * Teardown event listeners.
+	   */
+	  _teardownListeners: function() {
+	    if (this._webProgressListener) {
+	      this._webProgressListener.destroy();
+	    }
+	
+	    this._tab.ownerDocument.defaultView.removeEventListener("unload", this);
+	    this._tab.removeEventListener("TabClose", this);
+	    this._tab.parentNode.removeEventListener("TabSelect", this);
+	  },
+	
+	  /**
+	   * Setup listeners for remote debugging, updating existing ones as necessary.
+	   */
+	  _setupRemoteListeners: function() {
+	    this.client.addListener("closed", this.destroy);
+	
+	    this._onTabDetached = (aType, aPacket) => {
+	      // We have to filter message to ensure that this detach is for this tab
+	      if (aPacket.from == this._form.actor) {
+	        this.destroy();
+	      }
+	    };
+	    this.client.addListener("tabDetached", this._onTabDetached);
+	
+	    this._onTabNavigated = (aType, aPacket) => {
+	      let event = Object.create(null);
+	      event.url = aPacket.url;
+	      event.title = aPacket.title;
+	      event.nativeConsoleAPI = aPacket.nativeConsoleAPI;
+	      event.isFrameSwitching = aPacket.isFrameSwitching;
+	      // Send any stored event payload (DOMWindow or nsIRequest) for backwards
+	      // compatibility with non-remotable tools.
+	      if (aPacket.state == "start") {
+	        event._navPayload = this._navRequest;
+	        this.emit("will-navigate", event);
+	        this._navRequest = null;
+	      } else {
+	        event._navPayload = this._navWindow;
+	        this.emit("navigate", event);
+	        this._navWindow = null;
+	      }
+	    };
+	    this.client.addListener("tabNavigated", this._onTabNavigated);
+	
+	    this._onFrameUpdate = (aType, aPacket) => {
+	      this.emit("frame-update", aPacket);
+	    };
+	    this.client.addListener("frameUpdate", this._onFrameUpdate);
+	  },
+	
+	  /**
+	   * Teardown listeners for remote debugging.
+	   */
+	  _teardownRemoteListeners: function() {
+	    this.client.removeListener("closed", this.destroy);
+	    this.client.removeListener("tabNavigated", this._onTabNavigated);
+	    this.client.removeListener("tabDetached", this._onTabDetached);
+	    this.client.removeListener("frameUpdate", this._onFrameUpdate);
+	  },
+	
+	  /**
+	   * Handle tabs events.
+	   */
+	  handleEvent: function(event) {
+	    switch (event.type) {
+	      case "TabClose":
+	      case "unload":
+	        this.destroy();
+	        break;
+	      case "TabSelect":
+	        if (this.tab.selected) {
+	          this.emit("visible", event);
+	        } else {
+	          this.emit("hidden", event);
+	        }
+	        break;
+	    }
+	  },
+	
+	  /**
+	   * Handle script status.
+	   */
+	  _handleThreadState: function(event) {
+	    switch (event) {
+	      case "thread-resumed":
+	        this._isThreadPaused = false;
+	        break;
+	      case "thread-paused":
+	        this._isThreadPaused = true;
+	        break;
+	    }
+	  },
+	
+	  /**
+	   * Target is not alive anymore.
+	   */
+	  destroy: function() {
+	    // If several things call destroy then we give them all the same
+	    // destruction promise so we're sure to destroy only once
+	    if (this._destroyer) {
+	      return this._destroyer.promise;
+	    }
+	
+	    this._destroyer = promise.defer();
+	
+	    // Before taking any action, notify listeners that destruction is imminent.
+	    this.emit("close");
+	
+	    // First of all, do cleanup tasks that pertain to both remoted and
+	    // non-remoted targets.
+	    this.off("thread-resumed", this._handleThreadState);
+	    this.off("thread-paused", this._handleThreadState);
+	
+	    if (this._tab) {
+	      this._teardownListeners();
+	    }
+	
+	    let cleanupAndResolve = () => {
+	      this._cleanup();
+	      this._destroyer.resolve(null);
+	    };
+	    // If this target was not remoted, the promise will be resolved before the
+	    // function returns.
+	    if (this._tab && !this._client) {
+	      cleanupAndResolve();
+	    } else if (this._client) {
+	      // If, on the other hand, this target was remoted, the promise will be
+	      // resolved after the remote connection is closed.
+	      this._teardownRemoteListeners();
+	
+	      if (this.isLocalTab) {
+	        // We started with a local tab and created the client ourselves, so we
+	        // should close it.
+	        this._client.close(cleanupAndResolve);
+	      } else if (this.activeTab) {
+	        // The client was handed to us, so we are not responsible for closing
+	        // it. We just need to detach from the tab, if already attached.
+	        // |detach| may fail if the connection is already dead, so proceed with
+	        // cleanup directly after this.
+	        this.activeTab.detach();
+	        cleanupAndResolve();
+	      } else {
+	        cleanupAndResolve();
+	      }
+	    }
+	
+	    return this._destroyer.promise;
+	  },
+	
+	  /**
+	   * Clean up references to what this target points to.
+	   */
+	  _cleanup: function() {
+	    if (this._tab) {
+	      targets.delete(this._tab);
+	    } else {
+	      promiseTargets.delete(this._form);
+	    }
+	    this.activeTab = null;
+	    this.activeConsole = null;
+	    this._client = null;
+	    this._tab = null;
+	    this._form = null;
+	    this._remote = null;
+	  },
+	
+	  toString: function() {
+	    let id = this._tab ? this._tab : (this._form && this._form.actor);
+	    return `TabTarget:${id}`;
+	  },
+	};
+	
+	function WorkerTarget(workerClient) {
+	  EventEmitter.decorate(this);
+	  this._workerClient = workerClient;
+	}
+	
+	/**
+	 * A WorkerTarget represents a worker. Unlike TabTarget, which can represent
+	 * either a local or remote tab, WorkerTarget always represents a remote worker.
+	 * Moreover, unlike TabTarget, which is constructed with a placeholder object
+	 * for remote tabs (from which a TabClient can then be lazily obtained),
+	 * WorkerTarget is constructed with a WorkerClient directly.
+	 *
+	 * WorkerClient is designed to mimic the interface of TabClient as closely as
+	 * possible. This allows us to debug workers as if they were ordinary tabs,
+	 * requiring only minimal changes to the rest of the frontend.
+	 */
+	WorkerTarget.prototype = {
+	  destroy: function () {},
+	
+	  get isRemote() {
+	    return true;
+	  },
+	
+	  get isTabActor() {
+	    return true;
+	  },
+	
+	  get url() {
+	    return this._workerClient.url;
+	  },
+	
+	  get isWorkerTarget() {
+	    return true;
+	  },
+	
+	  get form() {
+	    return {
+	      consoleActor: this._workerClient.consoleActor
+	    };
+	  },
+	
+	  get activeTab() {
+	    return this._workerClient;
+	  },
+	
+	  get client() {
+	    return this._workerClient.client;
+	  },
+	
+	  destroy: function() {},
+	
+	  hasActor: function (name) {
+	    return false;
+	  },
+	
+	  getTrait: function() {
+	    return undefined;
+	  },
+	
+	  makeRemote: function () {
+	    return Promise.resolve();
+	  }
+	};
+
+
+/***/ },
+/* 269 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var t = __webpack_require__(270);
+	
+	var Tab = t.struct({
+	  title: t.String,
+	  url: t.String,
+	  id: t.String,
+	  tab: t.Object,
+	  browser: t.enums.of(["chrome", "firefox"])
+	}, "Tab");
+	
+	var SourceText = t.struct({
+	  text: t.String,
+	  contentType: t.String
+	});
+	
+	var Source = t.struct({
+	  id: t.String,
+	  url: t.union([t.String, t.Nil]),
+	  isPrettyPrinted: t.Boolean,
+	  sourceMapURL: t.union([t.String, t.Nil])
+	}, "Source");
+	
+	var Location = t.struct({
+	  sourceId: t.String,
+	  line: t.Number,
+	  column: t.union([t.Number, t.Nil])
+	}, "Location");
+	
+	var Breakpoint = t.struct({
+	  id: t.String,
+	  loading: t.Boolean,
+	  disabled: t.Boolean,
+	  text: t.String,
+	  condition: t.union([t.String, t.Nil])
+	});
+	
+	var BreakpointResult = t.struct({
+	  id: t.String,
+	  actualLocation: Location
+	});
+	
+	var Frame = t.struct({
+	  id: t.String,
+	  displayName: t.String,
+	  location: Location,
+	  this: t.union([t.Object, t.Nil]),
+	  scope: t.union([t.Object, t.Nil])
+	}, "Frame");
+	
+	module.exports = {
+	  Tab,
+	  Source,
+	  SourceText,
+	  Location,
+	  Breakpoint,
+	  BreakpointResult,
+	  Frame
+	};
+
+/***/ },
+/* 270 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/*! @preserve
+	 *
+	 * tcomb.js - Type checking and DDD for JavaScript
+	 *
+	 * The MIT License (MIT)
+	 *
+	 * Copyright (c) 2014-2016 Giulio Canti
+	 *
+	 */
+	
+	// core
+	var t = __webpack_require__(271);
+	
+	// types
+	t.Any = __webpack_require__(277);
+	t.Array = __webpack_require__(285);
+	t.Boolean = __webpack_require__(286);
+	t.Date = __webpack_require__(288);
+	t.Error = __webpack_require__(289);
+	t.Function = __webpack_require__(290);
+	t.Nil = __webpack_require__(291);
+	t.Number = __webpack_require__(292);
+	t.Integer = __webpack_require__(294);
+	t.IntegerT = t.Integer;
+	t.Object = __webpack_require__(300);
+	t.RegExp = __webpack_require__(301);
+	t.String = __webpack_require__(302);
+	t.Type = __webpack_require__(303);
+	t.TypeT = t.Type;
+	
+	// short alias are deprecated
+	t.Arr = t.Array;
+	t.Bool = t.Boolean;
+	t.Dat = t.Date;
+	t.Err = t.Error;
+	t.Func = t.Function;
+	t.Num = t.Number;
+	t.Obj = t.Object;
+	t.Re = t.RegExp;
+	t.Str = t.String;
+	
+	// combinators
+	t.dict = __webpack_require__(304);
+	t.declare = __webpack_require__(305);
+	t.enums = __webpack_require__(308);
+	t.irreducible = __webpack_require__(278);
+	t.list = __webpack_require__(309);
+	t.maybe = __webpack_require__(310);
+	t.refinement = __webpack_require__(295);
+	t.struct = __webpack_require__(312);
+	t.tuple = __webpack_require__(318);
+	t.union = __webpack_require__(319);
+	t.func = __webpack_require__(320);
+	t.intersection = __webpack_require__(321);
+	t.subtype = t.refinement;
+	t.inter = __webpack_require__(322); // IE8 alias
+	t['interface'] = t.inter;
+	
+	// functions
+	t.assert = t;
+	t.update = __webpack_require__(324);
+	t.mixin = __webpack_require__(306);
+	t.isType = __webpack_require__(282);
+	t.is = __webpack_require__(299);
+	t.getTypeName = __webpack_require__(281);
+	t.match = __webpack_require__(325);
+	
+	module.exports = t;
+
+
+/***/ },
+/* 271 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isFunction = __webpack_require__(272);
+	var isNil = __webpack_require__(273);
+	var fail = __webpack_require__(274);
+	var stringify = __webpack_require__(275);
+	
+	function assert(guard, message) {
+	  if (guard !== true) {
+	    if (isFunction(message)) { // handle lazy messages
+	      message = message();
+	    }
+	    else if (isNil(message)) { // use a default message
+	      message = 'Assert failed (turn on "Pause on exceptions" in your Source panel)';
+	    }
+	    assert.fail(message);
+	  }
+	}
+	
+	assert.fail = fail;
+	assert.stringify = stringify;
+	
+	module.exports = assert;
+
+/***/ },
+/* 272 */
+/***/ function(module, exports) {
+
+	module.exports = function isFunction(x) {
+	  return typeof x === 'function';
+	};
+
+/***/ },
+/* 273 */
+/***/ function(module, exports) {
+
+	module.exports = function isNil(x) {
+	  return x === null || x === void 0;
+	};
+
+/***/ },
+/* 274 */
+/***/ function(module, exports) {
+
+	module.exports = function fail(message) {
+	  throw new TypeError('[tcomb] ' + message);
+	};
+
+/***/ },
+/* 275 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getFunctionName = __webpack_require__(276);
+	
+	function replacer(key, value) {
+	  if (typeof value === 'function') {
+	    return getFunctionName(value);
+	  }
+	  return value;
+	}
+	
+	module.exports = function stringify(x) {
+	  try { // handle "Converting circular structure to JSON" error
+	    return JSON.stringify(x, replacer, 2);
+	  }
+	  catch (e) {
+	    return String(x);
+	  }
+	};
+
+/***/ },
+/* 276 */
+/***/ function(module, exports) {
+
+	module.exports = function getFunctionName(f) {
+	  return f.displayName || f.name || '<function' + f.length + '>';
+	};
+
+/***/ },
+/* 277 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	
+	module.exports = irreducible('Any', function () { return true; });
+
+
+/***/ },
+/* 278 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isString = __webpack_require__(279);
+	var isFunction = __webpack_require__(272);
+	var forbidNewOperator = __webpack_require__(280);
+	
+	module.exports = function irreducible(name, predicate) {
+	
+	  if (true) {
+	    assert(isString(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to irreducible(name, predicate) (expected a string)'; });
+	    assert(isFunction(predicate), 'Invalid argument predicate ' + assert.stringify(predicate) + ' supplied to irreducible(name, predicate) (expected a function)');
+	  }
+	
+	  function Irreducible(value, path) {
+	
+	    if (true) {
+	      forbidNewOperator(this, Irreducible);
+	      path = path || [name];
+	      assert(predicate(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/'); });
+	    }
+	
+	    return value;
+	  }
+	
+	  Irreducible.meta = {
+	    kind: 'irreducible',
+	    name: name,
+	    predicate: predicate,
+	    identity: true
+	  };
+	
+	  Irreducible.displayName = name;
+	
+	  Irreducible.is = predicate;
+	
+	  return Irreducible;
+	};
+
+
+/***/ },
+/* 279 */
+/***/ function(module, exports) {
+
+	module.exports = function isString(x) {
+	  return typeof x === 'string';
+	};
+
+/***/ },
+/* 280 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var getTypeName = __webpack_require__(281);
+	
+	module.exports = function forbidNewOperator(x, type) {
+	  assert(!(x instanceof type), function () { return 'Cannot use the new operator to instantiate the type ' + getTypeName(type); });
+	};
+
+/***/ },
+/* 281 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	var getFunctionName = __webpack_require__(276);
+	
+	module.exports = function getTypeName(ctor) {
+	  if (isType(ctor)) {
+	    return ctor.displayName;
+	  }
+	  return getFunctionName(ctor);
+	};
+
+/***/ },
+/* 282 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isFunction = __webpack_require__(272);
+	var isObject = __webpack_require__(283);
+	
+	module.exports = function isType(x) {
+	  return isFunction(x) && isObject(x.meta);
+	};
+
+/***/ },
+/* 283 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isNil = __webpack_require__(273);
+	var isArray = __webpack_require__(284);
+	
+	module.exports = function isObject(x) {
+	  return !isNil(x) && typeof x === 'object' && !isArray(x);
+	};
+
+/***/ },
+/* 284 */
+/***/ function(module, exports) {
+
+	module.exports = function isArray(x) {
+	  return x instanceof Array;
+	};
+
+/***/ },
+/* 285 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isArray = __webpack_require__(284);
+	
+	module.exports = irreducible('Array', isArray);
+
+
+/***/ },
+/* 286 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isBoolean = __webpack_require__(287);
+	
+	module.exports = irreducible('Boolean', isBoolean);
+
+
+/***/ },
+/* 287 */
+/***/ function(module, exports) {
+
+	module.exports = function isBoolean(x) {
+	  return x === true || x === false;
+	};
+
+/***/ },
+/* 288 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	
+	module.exports = irreducible('Date', function (x) { return x instanceof Date; });
+
+
+/***/ },
+/* 289 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	
+	module.exports = irreducible('Error', function (x) { return x instanceof Error; });
+
+
+/***/ },
+/* 290 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isFunction = __webpack_require__(272);
+	
+	module.exports = irreducible('Function', isFunction);
+
+
+/***/ },
+/* 291 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isNil = __webpack_require__(273);
+	
+	module.exports = irreducible('Nil', isNil);
+
+
+/***/ },
+/* 292 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isNumber = __webpack_require__(293);
+	
+	module.exports = irreducible('Number', isNumber);
+
+
+/***/ },
+/* 293 */
+/***/ function(module, exports) {
+
+	module.exports = function isNumber(x) {
+	  return typeof x === 'number' && isFinite(x) && !isNaN(x);
+	};
+
+/***/ },
+/* 294 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var refinement = __webpack_require__(295);
+	var Number = __webpack_require__(292);
+	
+	module.exports = refinement(Number, function (x) { return x % 1 === 0; }, 'Integer');
+
+
+/***/ },
+/* 295 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var forbidNewOperator = __webpack_require__(280);
+	var isIdentity = __webpack_require__(297);
+	var create = __webpack_require__(298);
+	var is = __webpack_require__(299);
+	var getTypeName = __webpack_require__(281);
+	var getFunctionName = __webpack_require__(276);
+	
+	function getDefaultName(type, predicate) {
+	  return '{' + getTypeName(type) + ' | ' + getFunctionName(predicate) + '}';
+	}
+	
+	function refinement(type, predicate, name) {
+	
+	  if (true) {
+	    assert(isFunction(type), function () { return 'Invalid argument type ' + assert.stringify(type) + ' supplied to refinement(type, predicate, [name]) combinator (expected a type)'; });
+	    assert(isFunction(predicate), function () { return 'Invalid argument predicate supplied to refinement(type, predicate, [name]) combinator (expected a function)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to refinement(type, predicate, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(type, predicate);
+	  var identity = isIdentity(type);
+	
+	  function Refinement(value, path) {
+	
+	    if (true) {
+	      if (identity) {
+	        forbidNewOperator(this, Refinement);
+	      }
+	      path = path || [displayName];
+	    }
+	
+	    var x = create(type, value, path);
+	
+	    if (true) {
+	      assert(predicate(x), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/'); });
+	    }
+	
+	    return x;
+	  }
+	
+	  Refinement.meta = {
+	    kind: 'subtype',
+	    type: type,
+	    predicate: predicate,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  Refinement.displayName = displayName;
+	
+	  Refinement.is = function (x) {
+	    return is(x, type) && predicate(x);
+	  };
+	
+	  Refinement.update = function (instance, patch) {
+	    return Refinement(assert.update(instance, patch));
+	  };
+	
+	  return Refinement;
+	}
+	
+	refinement.getDefaultName = getDefaultName;
+	module.exports = refinement;
+
+
+/***/ },
+/* 296 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isNil = __webpack_require__(273);
+	var isString = __webpack_require__(279);
+	
+	module.exports = function isTypeName(name) {
+	  return isNil(name) || isString(name);
+	};
+
+/***/ },
+/* 297 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var Boolean = __webpack_require__(286);
+	var isType = __webpack_require__(282);
+	var getTypeName = __webpack_require__(281);
+	
+	// return true if the type constructor behaves like the identity function
+	module.exports = function isIdentity(type) {
+	  if (isType(type)) {
+	    if (true) {
+	      assert(Boolean.is(type.meta.identity), function () { return 'Invalid meta identity ' + assert.stringify(type.meta.identity) + ' supplied to type ' + getTypeName(type); });
+	    }
+	    return type.meta.identity;
+	  }
+	  // for tcomb the other constructors, like ES6 classes, are identity-like
+	  return true;
+	};
+
+/***/ },
+/* 298 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	var getFunctionName = __webpack_require__(276);
+	var assert = __webpack_require__(271);
+	var stringify = __webpack_require__(275);
+	
+	// creates an instance of a type, handling the optional new operator
+	module.exports = function create(type, value, path) {
+	  if (isType(type)) {
+	    return !type.meta.identity && typeof value === 'object' && value !== null ? new type(value, path): type(value, path);
+	  }
+	
+	  if (true) {
+	    // here type should be a class constructor and value some instance, just check membership and return the value
+	    path = path || [getFunctionName(type)];
+	    assert(value instanceof type, function () { return 'Invalid value ' + stringify(value) + ' supplied to ' + path.join('/'); });
+	  }
+	
+	  return value;
+	};
+
+/***/ },
+/* 299 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	
+	// returns true if x is an instance of type
+	module.exports = function is(x, type) {
+	  if (isType(type)) {
+	    return type.is(x);
+	  }
+	  return x instanceof type; // type should be a class constructor
+	};
+
+
+/***/ },
+/* 300 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isObject = __webpack_require__(283);
+	
+	module.exports = irreducible('Object', isObject);
+
+
+/***/ },
+/* 301 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	
+	module.exports = irreducible('RegExp', function (x) { return x instanceof RegExp; });
+
+
+/***/ },
+/* 302 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isString = __webpack_require__(279);
+	
+	module.exports = irreducible('String', isString);
+
+
+/***/ },
+/* 303 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var irreducible = __webpack_require__(278);
+	var isType = __webpack_require__(282);
+	
+	module.exports = irreducible('Type', isType);
+
+/***/ },
+/* 304 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var getTypeName = __webpack_require__(281);
+	var isIdentity = __webpack_require__(297);
+	var isObject = __webpack_require__(283);
+	var create = __webpack_require__(298);
+	var is = __webpack_require__(299);
+	
+	function getDefaultName(domain, codomain) {
+	  return '{[key: ' + getTypeName(domain) + ']: ' + getTypeName(codomain) + '}';
+	}
+	
+	function dict(domain, codomain, name) {
+	
+	  if (true) {
+	    assert(isFunction(domain), function () { return 'Invalid argument domain ' + assert.stringify(domain) + ' supplied to dict(domain, codomain, [name]) combinator (expected a type)'; });
+	    assert(isFunction(codomain), function () { return 'Invalid argument codomain ' + assert.stringify(codomain) + ' supplied to dict(domain, codomain, [name]) combinator (expected a type)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to dict(domain, codomain, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(domain, codomain);
+	  var domainNameCache = getTypeName(domain);
+	  var codomainNameCache = getTypeName(codomain);
+	  var identity = isIdentity(domain) && isIdentity(codomain);
+	
+	  function Dict(value, path) {
+	
+	    if (false) {
+	      if (identity) {
+	        return value; // just trust the input if elements must not be hydrated
+	      }
+	    }
+	
+	    if (true) {
+	      path = path || [displayName];
+	      assert(isObject(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/'); });
+	    }
+	
+	    var idempotent = true; // will remain true if I can reutilise the input
+	    var ret = {}; // make a temporary copy, will be discarded if idempotent remains true
+	    for (var k in value) {
+	      if (value.hasOwnProperty(k)) {
+	        k = create(domain, k, (  true ? path.concat(domainNameCache) : null ));
+	        var actual = value[k];
+	        var instance = create(codomain, actual, (  true ? path.concat(k + ': ' + codomainNameCache) : null ));
+	        idempotent = idempotent && ( actual === instance );
+	        ret[k] = instance;
+	      }
+	    }
+	
+	    if (idempotent) { // implements idempotency
+	      ret = value;
+	    }
+	
+	    if (true) {
+	      Object.freeze(ret);
+	    }
+	
+	    return ret;
+	  }
+	
+	  Dict.meta = {
+	    kind: 'dict',
+	    domain: domain,
+	    codomain: codomain,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  Dict.displayName = displayName;
+	
+	  Dict.is = function (x) {
+	    if (!isObject(x)) {
+	      return false;
+	    }
+	    for (var k in x) {
+	      if (x.hasOwnProperty(k)) {
+	        if (!is(k, domain) || !is(x[k], codomain)) {
+	          return false;
+	        }
+	      }
+	    }
+	    return true;
+	  };
+	
+	  Dict.update = function (instance, patch) {
+	    return Dict(assert.update(instance, patch));
+	  };
+	
+	  return Dict;
+	}
+	
+	dict.getDefaultName = getDefaultName;
+	module.exports = dict;
+
+
+/***/ },
+/* 305 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isType = __webpack_require__(282);
+	var isNil = __webpack_require__(273);
+	var mixin = __webpack_require__(306);
+	var getTypeName = __webpack_require__(281);
+	var isUnion = __webpack_require__(307);
+	
+	// All the .declare-d types should be clearly different from each other thus they should have
+	// different names when a name was not explicitly provided.
+	var nextDeclareUniqueId = 1;
+	
+	module.exports = function declare(name) {
+	  if (true) {
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + name + ' supplied to declare([name]) (expected a string)'; });
+	  }
+	
+	  var type;
+	
+	  function Declare(value, path) {
+	    if (true) {
+	      assert(!isNil(type), function () { return 'Type declared but not defined, don\'t forget to call .define on every declared type'; });
+	      if (isUnion(type)) {
+	        assert(type.dispatch === Declare.dispatch, function () { return 'Please define the custom ' + name + '.dispatch function before calling ' + name + '.define()'; });
+	      }
+	    }
+	    return type(value, path);
+	  }
+	
+	  Declare.define = function (spec) {
+	    if (true) {
+	      assert(isType(spec), function () { return 'Invalid argument type ' + assert.stringify(spec) +  ' supplied to define(type) (expected a type)'; });
+	      assert(isNil(type), function () { return 'Declare.define(type) can only be invoked once'; });
+	      assert(isNil(spec.meta.name) && Object.keys(spec.prototype).length === 0, function () { return 'Invalid argument type ' + assert.stringify(spec) + ' supplied to define(type) (expected a fresh, unnamed type)'; });
+	    }
+	
+	    if (isUnion(spec) && Declare.hasOwnProperty('dispatch')) {
+	      spec.dispatch = Declare.dispatch;
+	    }
+	    type = spec;
+	    mixin(Declare, type, true); // true because it overwrites Declare.displayName
+	    if (name) {
+	      type.displayName = Declare.displayName = name;
+	      Declare.meta.name = name;
+	    }
+	    Declare.meta.identity = type.meta.identity;
+	    Declare.prototype = type.prototype;
+	    return Declare;
+	  };
+	
+	  Declare.displayName = name || ( getTypeName(Declare) + "$" + nextDeclareUniqueId++ );
+	  // in general I can't say if this type will be an identity, for safety setting to false
+	  Declare.meta = { identity: false };
+	  Declare.prototype = null;
+	  return Declare;
+	};
+
+
+/***/ },
+/* 306 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isNil = __webpack_require__(273);
+	var assert = __webpack_require__(271);
+	
+	// safe mixin, cannot override props unless specified
+	module.exports = function mixin(target, source, overwrite) {
+	  if (isNil(source)) { return target; }
+	  for (var k in source) {
+	    if (source.hasOwnProperty(k)) {
+	      if (overwrite !== true) {
+	        if (true) {
+	          assert(!target.hasOwnProperty(k) || target[k] === source[k], function () { return 'Invalid call to mixin(target, source, [overwrite]): cannot overwrite property "' + k + '" of target object'; });
+	        }
+	      }
+	      target[k] = source[k];
+	    }
+	  }
+	  return target;
+	};
+
+/***/ },
+/* 307 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	
+	module.exports = function isUnion(x) {
+	  return isType(x) && ( x.meta.kind === 'union' );
+	};
+
+/***/ },
+/* 308 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var forbidNewOperator = __webpack_require__(280);
+	var isString = __webpack_require__(279);
+	var isObject = __webpack_require__(283);
+	
+	function getDefaultName(map) {
+	  return Object.keys(map).map(function (k) { return assert.stringify(k); }).join(' | ');
+	}
+	
+	function enums(map, name) {
+	
+	  if (true) {
+	    assert(isObject(map), function () { return 'Invalid argument map ' + assert.stringify(map) + ' supplied to enums(map, [name]) combinator (expected a dictionary of String -> String | Number)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to enums(map, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(map);
+	
+	  function Enums(value, path) {
+	
+	    if (true) {
+	      forbidNewOperator(this, Enums);
+	      path = path || [displayName];
+	      assert(Enums.is(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/') + ' (expected one of ' + assert.stringify(Object.keys(map)) + ')'; });
+	    }
+	
+	    return value;
+	  }
+	
+	  Enums.meta = {
+	    kind: 'enums',
+	    map: map,
+	    name: name,
+	    identity: true
+	  };
+	
+	  Enums.displayName = displayName;
+	
+	  Enums.is = function (x) {
+	    return map.hasOwnProperty(x);
+	  };
+	
+	  return Enums;
+	}
+	
+	enums.of = function (keys, name) {
+	  keys = isString(keys) ? keys.split(' ') : keys;
+	  var value = {};
+	  keys.forEach(function (k) {
+	    value[k] = k;
+	  });
+	  return enums(value, name);
+	};
+	
+	enums.getDefaultName = getDefaultName;
+	module.exports = enums;
+	
+
+
+/***/ },
+/* 309 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var getTypeName = __webpack_require__(281);
+	var isIdentity = __webpack_require__(297);
+	var create = __webpack_require__(298);
+	var is = __webpack_require__(299);
+	var isArray = __webpack_require__(284);
+	
+	function getDefaultName(type) {
+	  return 'Array<' + getTypeName(type) + '>';
+	}
+	
+	function list(type, name) {
+	
+	  if (true) {
+	    assert(isFunction(type), function () { return 'Invalid argument type ' + assert.stringify(type) + ' supplied to list(type, [name]) combinator (expected a type)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to list(type, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(type);
+	  var typeNameCache = getTypeName(type);
+	  var identity = isIdentity(type); // the list is identity iif type is identity
+	
+	  function List(value, path) {
+	
+	    if (false) {
+	      if (identity) {
+	        return value; // just trust the input if elements must not be hydrated
+	      }
+	    }
+	
+	    if (true) {
+	      path = path || [displayName];
+	      assert(isArray(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/') + ' (expected an array of ' + typeNameCache + ')'; });
+	    }
+	
+	    var idempotent = true; // will remain true if I can reutilise the input
+	    var ret = []; // make a temporary copy, will be discarded if idempotent remains true
+	    for (var i = 0, len = value.length; i < len; i++ ) {
+	      var actual = value[i];
+	      var instance = create(type, actual, (  true ? path.concat(i + ': ' + typeNameCache) : null ));
+	      idempotent = idempotent && ( actual === instance );
+	      ret.push(instance);
+	    }
+	
+	    if (idempotent) { // implements idempotency
+	      ret = value;
+	    }
+	
+	    if (true) {
+	      Object.freeze(ret);
+	    }
+	
+	    return ret;
+	  }
+	
+	  List.meta = {
+	    kind: 'list',
+	    type: type,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  List.displayName = displayName;
+	
+	  List.is = function (x) {
+	    return isArray(x) && x.every(function (e) {
+	      return is(e, type);
+	    });
+	  };
+	
+	  List.update = function (instance, patch) {
+	    return List(assert.update(instance, patch));
+	  };
+	
+	  return List;
+	}
+	
+	list.getDefaultName = getDefaultName;
+	module.exports = list;
+
+
+/***/ },
+/* 310 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var isMaybe = __webpack_require__(311);
+	var isIdentity = __webpack_require__(297);
+	var Any = __webpack_require__(277);
+	var create = __webpack_require__(298);
+	var Nil = __webpack_require__(291);
+	var forbidNewOperator = __webpack_require__(280);
+	var is = __webpack_require__(299);
+	var getTypeName = __webpack_require__(281);
+	
+	function getDefaultName(type) {
+	  return '?' + getTypeName(type);
+	}
+	
+	function maybe(type, name) {
+	
+	  if (isMaybe(type) || type === Any || type === Nil) { // makes the combinator idempotent and handle Any, Nil
+	    return type;
+	  }
+	
+	  if (true) {
+	    assert(isFunction(type), function () { return 'Invalid argument type ' + assert.stringify(type) + ' supplied to maybe(type, [name]) combinator (expected a type)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to maybe(type, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(type);
+	  var identity = isIdentity(type);
+	
+	  function Maybe(value, path) {
+	    if (true) {
+	      if (identity) {
+	        forbidNewOperator(this, Maybe);
+	      }
+	    }
+	    return Nil.is(value) ? value : create(type, value, path);
+	  }
+	
+	  Maybe.meta = {
+	    kind: 'maybe',
+	    type: type,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  Maybe.displayName = displayName;
+	
+	  Maybe.is = function (x) {
+	    return Nil.is(x) || is(x, type);
+	  };
+	
+	  return Maybe;
+	}
+	
+	maybe.getDefaultName = getDefaultName;
+	module.exports = maybe;
+
+
+/***/ },
+/* 311 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	
+	module.exports = function isMaybe(x) {
+	  return isType(x) && ( x.meta.kind === 'maybe' );
+	};
+
+/***/ },
+/* 312 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var String = __webpack_require__(302);
+	var Function = __webpack_require__(290);
+	var isBoolean = __webpack_require__(287);
+	var isObject = __webpack_require__(283);
+	var isNil = __webpack_require__(273);
+	var create = __webpack_require__(298);
+	var getTypeName = __webpack_require__(281);
+	var dict = __webpack_require__(304);
+	var getDefaultInterfaceName = __webpack_require__(313);
+	var extend = __webpack_require__(314);
+	
+	function getDefaultName(props) {
+	  return 'Struct' + getDefaultInterfaceName(props);
+	}
+	
+	function extendStruct(mixins, name) {
+	  return extend(struct, mixins, name);
+	}
+	
+	function getOptions(options) {
+	  if (!isObject(options)) {
+	    options = isNil(options) ? {} : { name: options };
+	  }
+	  if (!options.hasOwnProperty('strict')) {
+	    options.strict = struct.strict;
+	  }
+	  if (!options.hasOwnProperty('defaultProps')) {
+	    options.defaultProps = {};
+	  }
+	  return options;
+	}
+	
+	function struct(props, options) {
+	
+	  options = getOptions(options);
+	  var name = options.name;
+	  var strict = options.strict;
+	  var defaultProps = options.defaultProps;
+	
+	  if (true) {
+	    assert(dict(String, Function).is(props), function () { return 'Invalid argument props ' + assert.stringify(props) + ' supplied to struct(props, [options]) combinator (expected a dictionary String -> Type)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to struct(props, [options]) combinator (expected a string)'; });
+	    assert(isBoolean(strict), function () { return 'Invalid argument strict ' + assert.stringify(strict) + ' supplied to struct(props, [options]) combinator (expected a boolean)'; });
+	    assert(isObject(defaultProps), function () { return 'Invalid argument defaultProps ' + assert.stringify(defaultProps) + ' supplied to struct(props, [options]) combinator (expected an object)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(props);
+	
+	  function Struct(value, path) {
+	
+	    if (Struct.is(value)) { // implements idempotency
+	      return value;
+	    }
+	
+	    if (true) {
+	      path = path || [displayName];
+	      assert(isObject(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/') + ' (expected an object)'; });
+	      // strictness
+	      if (strict) {
+	        for (k in value) {
+	          if (value.hasOwnProperty(k)) {
+	            assert(props.hasOwnProperty(k), function () { return 'Invalid additional prop "' + k + '" supplied to ' + path.join('/'); });
+	          }
+	        }
+	      }
+	    }
+	
+	    if (!(this instanceof Struct)) { // `new` is optional
+	      return new Struct(value, path);
+	    }
+	
+	    for (var k in props) {
+	      if (props.hasOwnProperty(k)) {
+	        var expected = props[k];
+	        var actual = value[k];
+	        // apply defaults
+	        if (actual === undefined) {
+	          actual = defaultProps[k];
+	        }
+	        this[k] = create(expected, actual, (  true ? path.concat(k + ': ' + getTypeName(expected)) : null ));
+	      }
+	    }
+	
+	    if (true) {
+	      Object.freeze(this);
+	    }
+	
+	  }
+	
+	  Struct.meta = {
+	    kind: 'struct',
+	    props: props,
+	    name: name,
+	    identity: false,
+	    strict: strict,
+	    defaultProps: defaultProps
+	  };
+	
+	  Struct.displayName = displayName;
+	
+	  Struct.is = function (x) {
+	    return x instanceof Struct;
+	  };
+	
+	  Struct.update = function (instance, patch) {
+	    return new Struct(assert.update(instance, patch));
+	  };
+	
+	  Struct.extend = function (xs, name) {
+	    return extendStruct([Struct].concat(xs), name);
+	  };
+	
+	  return Struct;
+	}
+	
+	struct.strict = false;
+	struct.getOptions = getOptions;
+	struct.getDefaultName = getDefaultName;
+	struct.extend = extendStruct;
+	module.exports = struct;
+
+
+/***/ },
+/* 313 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getTypeName = __webpack_require__(281);
+	
+	function getDefaultInterfaceName(props) {
+	  return '{' + Object.keys(props).map(function (prop) {
+	    return prop + ': ' + getTypeName(props[prop]);
+	  }).join(', ') + '}';
+	}
+	
+	module.exports = getDefaultInterfaceName;
+
+
+/***/ },
+/* 314 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isFunction = __webpack_require__(272);
+	var isArray = __webpack_require__(284);
+	var mixin = __webpack_require__(306);
+	var isStruct = __webpack_require__(315);
+	var isInterface = __webpack_require__(316);
+	var isObject = __webpack_require__(283);
+	var refinement = __webpack_require__(295);
+	var decompose = __webpack_require__(317);
+	
+	function compose(predicates, unrefinedType) {
+	  return predicates.reduce(function (type, predicate) {
+	    return refinement(type, predicate);
+	  }, unrefinedType);
+	}
+	
+	function getProps(type) {
+	  return isObject(type) ? type : type.meta.props;
+	}
+	
+	function getDefaultProps(type) {
+	  return isObject(type) ? null : type.meta.defaultProps;
+	}
+	
+	function pushAll(arr, elements) {
+	  Array.prototype.push.apply(arr, elements);
+	}
+	
+	function extend(combinator, mixins, options) {
+	  if (true) {
+	    assert(isFunction(combinator), function () { return 'Invalid argument combinator supplied to extend(combinator, mixins, options), expected a function'; });
+	    assert(isArray(mixins), function () { return 'Invalid argument mixins supplied to extend(combinator, mixins, options), expected an array'; });
+	  }
+	  var props = {};
+	  var prototype = {};
+	  var predicates = [];
+	  var defaultProps = {};
+	  mixins.forEach(function (x, i) {
+	    var decomposition = decompose(x);
+	    var unrefinedType = decomposition.unrefinedType;
+	    if (true) {
+	      assert(isObject(unrefinedType) || isStruct(unrefinedType) || isInterface(unrefinedType), function () { return 'Invalid argument mixins[' + i + '] supplied to extend(combinator, mixins, options), expected an object, struct, interface or a refinement (of struct or interface)'; });
+	    }
+	    pushAll(predicates, decomposition.predicates);
+	    mixin(props, getProps(unrefinedType));
+	    mixin(prototype, unrefinedType.prototype);
+	    mixin(defaultProps, getDefaultProps(unrefinedType));
+	  });
+	  options = combinator.getOptions(options);
+	  mixin(options.defaultProps, defaultProps);
+	  var result = compose(predicates, combinator(props, options));
+	  mixin(result.prototype, prototype);
+	  return result;
+	}
+	
+	module.exports = extend;
+
+/***/ },
+/* 315 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	
+	module.exports = function isStruct(x) {
+	  return isType(x) && ( x.meta.kind === 'struct' );
+	};
+
+/***/ },
+/* 316 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	
+	module.exports = function isInterface(x) {
+	  return isType(x) && ( x.meta.kind === 'interface' );
+	};
+
+/***/ },
+/* 317 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isType = __webpack_require__(282);
+	
+	function isRefinement(type) {
+	  return isType(type) && type.meta.kind === 'subtype';
+	}
+	
+	function getPredicates(type) {
+	  return isRefinement(type) ?
+	    [type.meta.predicate].concat(getPredicates(type.meta.type)) :
+	    [];
+	}
+	
+	function getUnrefinedType(type) {
+	  return isRefinement(type) ?
+	    getUnrefinedType(type.meta.type) :
+	    type;
+	}
+	
+	function decompose(type) {
+	  return {
+	    predicates: getPredicates(type),
+	    unrefinedType: getUnrefinedType(type)
+	  };
+	}
+	
+	module.exports = decompose;
+
+/***/ },
+/* 318 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var getTypeName = __webpack_require__(281);
+	var isIdentity = __webpack_require__(297);
+	var isArray = __webpack_require__(284);
+	var create = __webpack_require__(298);
+	var is = __webpack_require__(299);
+	
+	function getDefaultName(types) {
+	  return '[' + types.map(getTypeName).join(', ') + ']';
+	}
+	
+	function tuple(types, name) {
+	
+	  if (true) {
+	    assert(isArray(types) && types.every(isFunction), function () { return 'Invalid argument types ' + assert.stringify(types) + ' supplied to tuple(types, [name]) combinator (expected an array of types)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to tuple(types, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(types);
+	  var identity = types.every(isIdentity);
+	
+	  function Tuple(value, path) {
+	
+	    if (false) {
+	      if (identity) {
+	        return value;
+	      }
+	    }
+	
+	    if (true) {
+	      path = path || [displayName];
+	      assert(isArray(value) && value.length === types.length, function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/') + ' (expected an array of length ' + types.length + ')'; });
+	    }
+	
+	    var idempotent = true;
+	    var ret = [];
+	    for (var i = 0, len = types.length; i < len; i++) {
+	      var expected = types[i];
+	      var actual = value[i];
+	      var instance = create(expected, actual, (  true ? path.concat(i + ': ' + getTypeName(expected)) : null ));
+	      idempotent = idempotent && ( actual === instance );
+	      ret.push(instance);
+	    }
+	
+	    if (idempotent) { // implements idempotency
+	      ret = value;
+	    }
+	
+	    if (true) {
+	      Object.freeze(ret);
+	    }
+	
+	    return ret;
+	  }
+	
+	  Tuple.meta = {
+	    kind: 'tuple',
+	    types: types,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  Tuple.displayName = displayName;
+	
+	  Tuple.is = function (x) {
+	    return isArray(x) &&
+	      x.length === types.length &&
+	      types.every(function (type, i) {
+	        return is(x[i], type);
+	      });
+	  };
+	
+	  Tuple.update = function (instance, patch) {
+	    return Tuple(assert.update(instance, patch));
+	  };
+	
+	  return Tuple;
+	}
+	
+	tuple.getDefaultName = getDefaultName;
+	module.exports = tuple;
+
+/***/ },
+/* 319 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var getTypeName = __webpack_require__(281);
+	var isIdentity = __webpack_require__(297);
+	var isArray = __webpack_require__(284);
+	var create = __webpack_require__(298);
+	var is = __webpack_require__(299);
+	var forbidNewOperator = __webpack_require__(280);
+	var isUnion = __webpack_require__(307);
+	var isNil = __webpack_require__(273);
+	
+	function getDefaultName(types) {
+	  return types.map(getTypeName).join(' | ');
+	}
+	
+	function union(types, name) {
+	
+	  if (true) {
+	    assert(isArray(types) && types.every(isFunction) && types.length >= 2, function () { return 'Invalid argument types ' + assert.stringify(types) + ' supplied to union(types, [name]) combinator (expected an array of at least 2 types)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to union(types, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(types);
+	  var identity = types.every(isIdentity);
+	
+	  function Union(value, path) {
+	
+	    if (false) {
+	      if (identity) {
+	        return value;
+	      }
+	    }
+	
+	    var type = Union.dispatch(value);
+	    if (!type && Union.is(value)) {
+	      return value;
+	    }
+	
+	    if (true) {
+	      if (identity) {
+	        forbidNewOperator(this, Union);
+	      }
+	      path = path || [displayName];
+	      assert(isFunction(type), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/') + ' (no constructor returned by dispatch)'; });
+	      path[path.length - 1] += '(' + getTypeName(type) + ')';
+	    }
+	
+	    return create(type, value, path);
+	  }
+	
+	  Union.meta = {
+	    kind: 'union',
+	    types: types,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  Union.displayName = displayName;
+	
+	  Union.is = function (x) {
+	    return types.some(function (type) {
+	      return is(x, type);
+	    });
+	  };
+	
+	  Union.dispatch = function (x) { // default dispatch implementation
+	    for (var i = 0, len = types.length; i < len; i++ ) {
+	      var type = types[i];
+	      if (isUnion(type)) { // handle union of unions
+	        var t = type.dispatch(x);
+	        if (!isNil(t)) {
+	          return t;
+	        }
+	      }
+	      else if (is(x, type)) {
+	        return type;
+	      }
+	    }
+	  };
+	
+	  Union.update = function (instance, patch) {
+	    return Union(assert.update(instance, patch));
+	  };
+	
+	  return Union;
+	}
+	
+	union.getDefaultName = getDefaultName;
+	module.exports = union;
+	
+
+
+/***/ },
+/* 320 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var FunctionType = __webpack_require__(290);
+	var isArray = __webpack_require__(284);
+	var list = __webpack_require__(309);
+	var isObject = __webpack_require__(283);
+	var create = __webpack_require__(298);
+	var isNil = __webpack_require__(273);
+	var isBoolean = __webpack_require__(287);
+	var tuple = __webpack_require__(318);
+	var getFunctionName = __webpack_require__(276);
+	var getTypeName = __webpack_require__(281);
+	var isType = __webpack_require__(282);
+	
+	function getDefaultName(domain, codomain) {
+	  return '(' + domain.map(getTypeName).join(', ') + ') => ' + getTypeName(codomain);
+	}
+	
+	function isInstrumented(f) {
+	  return FunctionType.is(f) && isObject(f.instrumentation);
+	}
+	
+	function getOptionalArgumentsIndex(types) {
+	  var end = types.length;
+	  var areAllMaybes = false;
+	  for (var i = end - 1; i >= 0; i--) {
+	    var type = types[i];
+	    if (!isType(type) || type.meta.kind !== 'maybe') {
+	      return (i + 1);
+	    } else {
+	      areAllMaybes = true;
+	    }
+	  }
+	  return areAllMaybes ? 0 : end;
+	}
+	
+	function func(domain, codomain, name) {
+	
+	  domain = isArray(domain) ? domain : [domain]; // handle handy syntax for unary functions
+	
+	  if (true) {
+	    assert(list(FunctionType).is(domain), function () { return 'Invalid argument domain ' + assert.stringify(domain) + ' supplied to func(domain, codomain, [name]) combinator (expected an array of types)'; });
+	    assert(FunctionType.is(codomain), function () { return 'Invalid argument codomain ' + assert.stringify(codomain) + ' supplied to func(domain, codomain, [name]) combinator (expected a type)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to func(domain, codomain, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(domain, codomain);
+	  var domainLength = domain.length;
+	  var optionalArgumentsIndex = getOptionalArgumentsIndex(domain);
+	
+	  function FuncType(value, path) {
+	
+	    if (!isInstrumented(value)) { // automatically instrument the function
+	      return FuncType.of(value);
+	    }
+	
+	    if (true) {
+	      path = path || [displayName];
+	      assert(FuncType.is(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/'); });
+	    }
+	
+	    return value;
+	  }
+	
+	  FuncType.meta = {
+	    kind: 'func',
+	    domain: domain,
+	    codomain: codomain,
+	    name: name,
+	    identity: true
+	  };
+	
+	  FuncType.displayName = displayName;
+	
+	  FuncType.is = function (x) {
+	    return isInstrumented(x) &&
+	      x.instrumentation.domain.length === domainLength &&
+	      x.instrumentation.domain.every(function (type, i) {
+	        return type === domain[i];
+	      }) &&
+	      x.instrumentation.codomain === codomain;
+	  };
+	
+	  FuncType.of = function (f, curried) {
+	
+	    if (true) {
+	      assert(FunctionType.is(f), function () { return 'Invalid argument f supplied to func.of ' + displayName + ' (expected a function)'; });
+	      assert(isNil(curried) || isBoolean(curried), function () { return 'Invalid argument curried ' + assert.stringify(curried) + ' supplied to func.of ' + displayName + ' (expected a boolean)'; });
+	    }
+	
+	    if (FuncType.is(f)) { // makes FuncType.of idempotent
+	      return f;
+	    }
+	
+	    function fn() {
+	      var args = Array.prototype.slice.call(arguments);
+	      var argsLength = args.length;
+	
+	      if (true) {
+	        // type-check arguments
+	        var tupleLength = curried ? argsLength : Math.max(argsLength, optionalArgumentsIndex);
+	        tuple(domain.slice(0, tupleLength), 'arguments of function ' + displayName)(args);
+	      }
+	
+	      if (curried && argsLength < domainLength) {
+	        if (true) {
+	          assert(argsLength > 0, 'Invalid arguments.length = 0 for curried function ' + displayName);
+	        }
+	        var g = Function.prototype.bind.apply(f, [this].concat(args));
+	        var newDomain = func(domain.slice(argsLength), codomain);
+	        return newDomain.of(g, true);
+	      }
+	      else {
+	        return create(codomain, f.apply(this, args));
+	      }
+	    }
+	
+	    fn.instrumentation = {
+	      domain: domain,
+	      codomain: codomain,
+	      f: f
+	    };
+	
+	    fn.displayName = getFunctionName(f);
+	
+	    return fn;
+	
+	  };
+	
+	  return FuncType;
+	
+	}
+	
+	func.getDefaultName = getDefaultName;
+	func.getOptionalArgumentsIndex = getOptionalArgumentsIndex;
+	module.exports = func;
+
+
+/***/ },
+/* 321 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var isFunction = __webpack_require__(272);
+	var isArray = __webpack_require__(284);
+	var forbidNewOperator = __webpack_require__(297);
+	var is = __webpack_require__(299);
+	var getTypeName = __webpack_require__(281);
+	var isIdentity = __webpack_require__(297);
+	
+	function getDefaultName(types) {
+	  return types.map(getTypeName).join(' & ');
+	}
+	
+	function intersection(types, name) {
+	
+	  if (true) {
+	    assert(isArray(types) && types.every(isFunction) && types.length >= 2, function () { return 'Invalid argument types ' + assert.stringify(types) + ' supplied to intersection(types, [name]) combinator (expected an array of at least 2 types)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to intersection(types, [name]) combinator (expected a string)'; });
+	  }
+	
+	  var displayName = name || getDefaultName(types);
+	  var identity = types.every(isIdentity);
+	
+	  function Intersection(value, path) {
+	
+	    if (true) {
+	      if (identity) {
+	        forbidNewOperator(this, Intersection);
+	      }
+	      path = path || [displayName];
+	      assert(Intersection.is(value), function () { return 'Invalid value ' + assert.stringify(value) + ' supplied to ' + path.join('/'); });
+	    }
+	
+	    return value;
+	  }
+	
+	  Intersection.meta = {
+	    kind: 'intersection',
+	    types: types,
+	    name: name,
+	    identity: identity
+	  };
+	
+	  Intersection.displayName = displayName;
+	
+	  Intersection.is = function (x) {
+	    return types.every(function (type) {
+	      return is(x, type);
+	    });
+	  };
+	
+	  Intersection.update = function (instance, patch) {
+	    return Intersection(assert.update(instance, patch));
+	  };
+	
+	  return Intersection;
+	}
+	
+	intersection.getDefaultName = getDefaultName;
+	module.exports = intersection;
+	
+
+
+/***/ },
+/* 322 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isTypeName = __webpack_require__(296);
+	var String = __webpack_require__(302);
+	var Function = __webpack_require__(290);
+	var isBoolean = __webpack_require__(287);
+	var isObject = __webpack_require__(283);
+	var isNil = __webpack_require__(273);
+	var create = __webpack_require__(298);
+	var getTypeName = __webpack_require__(281);
+	var dict = __webpack_require__(304);
+	var getDefaultInterfaceName = __webpack_require__(313);
+	var isIdentity = __webpack_require__(297);
+	var is = __webpack_require__(299);
+	var extend = __webpack_require__(314);
+	var assign = __webpack_require__(323);
+	
+	function extendInterface(mixins, name) {
+	  return extend(inter, mixins, name);
+	}
+	
+	function getOptions(options) {
+	  if (!isObject(options)) {
+	    options = isNil(options) ? {} : { name: options };
+	  }
+	  if (!options.hasOwnProperty('strict')) {
+	    options.strict = inter.strict;
+	  }
+	  return options;
+	}
+	
+	function inter(props, options) {
+	
+	  options = getOptions(options);
+	  var name = options.name;
+	  var strict = options.strict;
+	
+	  if (true) {
+	    assert(dict(String, Function).is(props), function () { return 'Invalid argument props ' + assert.stringify(props) + ' supplied to interface(props, [options]) combinator (expected a dictionary String -> Type)'; });
+	    assert(isTypeName(name), function () { return 'Invalid argument name ' + assert.stringify(name) + ' supplied to interface(props, [options]) combinator (expected a string)'; });
+	    assert(isBoolean(strict), function () { return 'Invalid argument strict ' + assert.stringify(strict) + ' supplied to struct(props, [options]) combinator (expected a boolean)'; });
+	  }
+	
+	  var displayName = name || getDefaultInterfaceName(props);
+	  var identity = Object.keys(props).map(function (prop) { return props[prop]; }).every(isIdentity);
+	
+	  function Interface(value, path) {
+	
+	    if (false) {
+	      if (identity) {
+	        return value; // just trust the input if elements must not be hydrated
+	      }
+	    }
+	
+	    if (true) {
+	      path = path || [displayName];
+	      assert(!isNil(value), function () { return 'Invalid value ' + value + ' supplied to ' + path.join('/'); });
+	      // strictness
+	      if (strict) {
+	        for (var k in value) {
+	          assert(props.hasOwnProperty(k), function () { return 'Invalid additional prop "' + k + '" supplied to ' + path.join('/'); });
+	        }
+	      }
+	    }
+	
+	    var idempotent = true;
+	    var ret = identity ? {} : assign({}, value);
+	    for (var prop in props) {
+	      var expected = props[prop];
+	      var actual = value[prop];
+	      var instance = create(expected, actual, (  true ? path.concat(prop + ': ' + getTypeName(expected)) : null ));
+	      idempotent = idempotent && ( actual === instance );
+	      ret[prop] = instance;
+	    }
+	
+	    if (idempotent) { // implements idempotency
+	      ret = value;
+	    }
+	
+	    if (true) {
+	      Object.freeze(ret);
+	    }
+	
+	    return ret;
+	
+	  }
+	
+	  Interface.meta = {
+	    kind: 'interface',
+	    props: props,
+	    name: name,
+	    identity: identity,
+	    strict: strict
+	  };
+	
+	  Interface.displayName = displayName;
+	
+	  Interface.is = function (x) {
+	    if (isNil(x)) {
+	      return false;
+	    }
+	    if (strict) {
+	      for (var k in x) {
+	        if (!props.hasOwnProperty(k)) {
+	          return false;
+	        }
+	      }
+	    }
+	    for (var prop in props) {
+	      if (!is(x[prop], props[prop])) {
+	        return false;
+	      }
+	    }
+	    return true;
+	  };
+	
+	  Interface.update = function (instance, patch) {
+	    return Interface(assert.update(instance, patch));
+	  };
+	
+	  Interface.extend = function (xs, name) {
+	    return extendInterface([Interface].concat(xs), name);
+	  };
+	
+	  return Interface;
+	}
+	
+	inter.strict = false;
+	inter.getOptions = getOptions;
+	inter.getDefaultName = getDefaultInterfaceName;
+	inter.extend = extendInterface;
+	module.exports = inter;
+
+
+/***/ },
+/* 323 */
+/***/ function(module, exports) {
+
+	function assign(x, y) {
+	  for (var k in y) {
+	    x[k] = y[k];
+	  }
+	  return x;
+	}
+	
+	module.exports = assign;
+
+/***/ },
+/* 324 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isObject = __webpack_require__(283);
+	var isFunction = __webpack_require__(272);
+	var isArray = __webpack_require__(284);
+	var isNumber = __webpack_require__(293);
+	var assign = __webpack_require__(323);
+	
+	function getShallowCopy(x) {
+	  if (isObject(x)) {
+	    if (x instanceof Date || x instanceof RegExp) {
+	      return x;
+	    }
+	    return assign({}, x);
+	  }
+	  if (isArray(x)) {
+	    return x.concat();
+	  }
+	  return x;
+	}
+	
+	function isCommand(k) {
+	  return update.commands.hasOwnProperty(k);
+	}
+	
+	function getCommand(k) {
+	  return update.commands[k];
+	}
+	
+	function update(instance, patch) {
+	
+	  if (true) {
+	    assert(isObject(patch), function () { return 'Invalid argument patch ' + assert.stringify(patch) + ' supplied to function update(instance, patch): expected an object containing commands'; });
+	  }
+	
+	  var value = instance;
+	  var isChanged = false;
+	  var newValue;
+	  for (var k in patch) {
+	    if (patch.hasOwnProperty(k)) {
+	      if (isCommand(k)) {
+	        newValue = getCommand(k)(patch[k], value);
+	        if (newValue !== instance) {
+	          isChanged = true;
+	          value = newValue;
+	        } else {
+	          value = instance;
+	        }
+	      }
+	      else {
+	        if (value === instance) {
+	          value = getShallowCopy(instance);
+	        }
+	        newValue = update(value[k], patch[k]);
+	        isChanged = isChanged || ( newValue !== value[k] );
+	        value[k] = newValue;
+	      }
+	    }
+	  }
+	  return isChanged ? value : instance;
+	}
+	
+	// built-in commands
+	
+	function $apply(f, value) {
+	  if (true) {
+	    assert(isFunction(f), 'Invalid argument f supplied to immutability helper { $apply: f } (expected a function)');
+	  }
+	  return f(value);
+	}
+	
+	function $push(elements, arr) {
+	  if (true) {
+	    assert(isArray(elements), 'Invalid argument elements supplied to immutability helper { $push: elements } (expected an array)');
+	    assert(isArray(arr), 'Invalid value supplied to immutability helper $push (expected an array)');
+	  }
+	  if (elements.length > 0) {
+	    return arr.concat(elements);
+	  }
+	  return arr;
+	}
+	
+	function $remove(keys, obj) {
+	  if (true) {
+	    assert(isArray(keys), 'Invalid argument keys supplied to immutability helper { $remove: keys } (expected an array)');
+	    assert(isObject(obj), 'Invalid value supplied to immutability helper $remove (expected an object)');
+	  }
+	  if (keys.length > 0) {
+	    obj = getShallowCopy(obj);
+	    for (var i = 0, len = keys.length; i < len; i++ ) {
+	      delete obj[keys[i]];
+	    }
+	  }
+	  return obj;
+	}
+	
+	function $set(value) {
+	  return value;
+	}
+	
+	function $splice(splices, arr) {
+	  if (true) {
+	    assert(isArray(splices) && splices.every(isArray), 'Invalid argument splices supplied to immutability helper { $splice: splices } (expected an array of arrays)');
+	    assert(isArray(arr), 'Invalid value supplied to immutability helper $splice (expected an array)');
+	  }
+	  if (splices.length > 0) {
+	    arr = getShallowCopy(arr);
+	    return splices.reduce(function (acc, splice) {
+	      acc.splice.apply(acc, splice);
+	      return acc;
+	    }, arr);
+	  }
+	  return arr;
+	}
+	
+	function $swap(config, arr) {
+	  if (true) {
+	    assert(isObject(config), 'Invalid argument config supplied to immutability helper { $swap: config } (expected an object)');
+	    assert(isNumber(config.from), 'Invalid argument config.from supplied to immutability helper { $swap: config } (expected a number)');
+	    assert(isNumber(config.to), 'Invalid argument config.to supplied to immutability helper { $swap: config } (expected a number)');
+	    assert(isArray(arr), 'Invalid value supplied to immutability helper $swap (expected an array)');
+	  }
+	  if (config.from !== config.to) {
+	    arr = getShallowCopy(arr);
+	    var element = arr[config.to];
+	    arr[config.to] = arr[config.from];
+	    arr[config.from] = element;
+	  }
+	  return arr;
+	}
+	
+	function $unshift(elements, arr) {
+	  if (true) {
+	    assert(isArray(elements), 'Invalid argument elements supplied to immutability helper {$unshift: elements} (expected an array)');
+	    assert(isArray(arr), 'Invalid value supplied to immutability helper $unshift (expected an array)');
+	  }
+	  if (elements.length > 0) {
+	    return elements.concat(arr);
+	  }
+	  return arr;
+	}
+	
+	function $merge(whatToMerge, value) {
+	  var isChanged = false;
+	  var result = getShallowCopy(value);
+	  for (var k in whatToMerge) {
+	    if (whatToMerge.hasOwnProperty(k)) {
+	      result[k] = whatToMerge[k];
+	      isChanged = isChanged || ( result[k] !== value[k] );
+	    }
+	  }
+	  return isChanged ? result : value;
+	}
+	
+	update.commands = {
+	  $apply: $apply,
+	  $push: $push,
+	  $remove: $remove,
+	  $set: $set,
+	  $splice: $splice,
+	  $swap: $swap,
+	  $unshift: $unshift,
+	  $merge: $merge
+	};
+	
+	module.exports = update;
+
+
+/***/ },
+/* 325 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(271);
+	var isFunction = __webpack_require__(272);
+	var isType = __webpack_require__(282);
+	var Any = __webpack_require__(277);
+	
+	module.exports = function match(x) {
+	  var type, guard, f, count;
+	  for (var i = 1, len = arguments.length; i < len; ) {
+	    type = arguments[i];
+	    guard = arguments[i + 1];
+	    f = arguments[i + 2];
+	
+	    if (isFunction(f) && !isType(f)) {
+	      i = i + 3;
+	    }
+	    else {
+	      f = guard;
+	      guard = Any.is;
+	      i = i + 2;
+	    }
+	
+	    if (true) {
+	      count = (count || 0) + 1;
+	      assert(isType(type), function () { return 'Invalid type in clause #' + count; });
+	      assert(isFunction(guard), function () { return 'Invalid guard in clause #' + count; });
+	      assert(isFunction(f), function () { return 'Invalid block in clause #' + count; });
+	    }
+	
+	    if (type.is(x) && guard(x)) {
+	      return f(x);
+	    }
+	  }
+	  assert.fail('Match error');
+	};
+
+
+/***/ },
+/* 326 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();
+	
+	var _require = __webpack_require__(269);
+	
+	var BreakpointResult = _require.BreakpointResult;
+	var Location = _require.Location;
+	
+	var defer = __webpack_require__(267);
+	
+	var bpClients = void 0;
+	var threadClient = void 0;
+	var tabTarget = void 0;
+	var debuggerClient = void 0;
+	
+	function setupCommands(dependencies) {
+	  threadClient = dependencies.threadClient;
+	  tabTarget = dependencies.tabTarget;
+	  debuggerClient = dependencies.debuggerClient;
+	  bpClients = {};
+	}
+	
+	function resume() {
+	  return new Promise(resolve => {
+	    threadClient.resume(resolve);
+	  });
+	}
+	
+	function stepIn() {
+	  return new Promise(resolve => {
+	    threadClient.stepIn(resolve);
+	  });
+	}
+	
+	function stepOver() {
+	  return new Promise(resolve => {
+	    threadClient.stepOver(resolve);
+	  });
+	}
+	
+	function stepOut() {
+	  return new Promise(resolve => {
+	    threadClient.stepOut(resolve);
+	  });
+	}
+	
+	function breakOnNext() {
+	  return threadClient.breakOnNext();
+	}
+	
+	function sourceContents(sourceId) {
+	  var sourceClient = threadClient.source({ actor: sourceId });
+	  return sourceClient.source();
+	}
+	
+	function setBreakpoint(location, condition, noSliding) {
+	  var sourceClient = threadClient.source({ actor: location.sourceId });
+	
+	  return sourceClient.setBreakpoint({
+	    line: location.line,
+	    column: location.column,
+	    condition,
+	    noSliding
+	  }).then(_ref => {
+	    var _ref2 = _slicedToArray(_ref, 2);
+	
+	    var res = _ref2[0];
+	    var bpClient = _ref2[1];
+	
+	    bpClients[bpClient.actor] = bpClient;
+	
+	    // Firefox only returns `actualLocation` if it actually changed,
+	    // but we want it always to exist. Format `actualLocation` if it
+	    // exists, otherwise use `location`.
+	    var actualLocation = res.actualLocation ? {
+	      sourceId: res.actualLocation.source.actor,
+	      line: res.actualLocation.line,
+	      column: res.actualLocation.column
+	    } : location;
+	
+	    return BreakpointResult({
+	      id: bpClient.actor,
+	      actualLocation: Location(actualLocation)
+	    });
+	  });
+	}
+	
+	function removeBreakpoint(breakpointId) {
+	  var bpClient = bpClients[breakpointId];
+	  bpClients[breakpointId] = null;
+	  return bpClient.remove();
+	}
+	
+	function evaluate(script) {
+	  var deferred = defer();
+	  tabTarget.activeConsole.evaluateJS(script, result => {
+	    deferred.resolve(result);
+	  });
+	
+	  return deferred.promise;
+	}
+	
+	function debuggeeCommand(script) {
+	  tabTarget.activeConsole.evaluateJS(script, () => {});
+	
+	  var consoleActor = tabTarget.form.consoleActor;
+	  var request = debuggerClient._activeRequests.get(consoleActor);
+	  request.emit("json-reply", {});
+	  debuggerClient._activeRequests.delete(consoleActor);
+	
+	  return Promise.resolve();
+	}
+	
+	function navigate(url) {
+	  return tabTarget.activeTab.navigateTo(url);
+	}
+	
+	function reload() {
+	  return tabTarget.activeTab.reload();
+	}
+	
+	function getProperties(grip) {
+	  var objClient = threadClient.pauseGrip(grip);
+	  return objClient.getPrototypeAndProperties();
+	}
+	
+	function pauseOnExceptions(shouldPauseOnExceptions, shouldIgnoreCaughtExceptions) {
+	  return threadClient.pauseOnExceptions(shouldPauseOnExceptions, shouldIgnoreCaughtExceptions);
+	}
+	
+	function prettyPrint(sourceId, indentSize) {
+	  var sourceClient = threadClient.source({ actor: sourceId });
+	  return sourceClient.prettyPrint(indentSize);
+	}
+	
+	function disablePrettyPrint(sourceId) {
+	  var sourceClient = threadClient.source({ actor: sourceId });
+	  return sourceClient.disablePrettyPrint();
+	}
+	
+	var clientCommands = {
+	  resume,
+	  stepIn,
+	  stepOut,
+	  stepOver,
+	  breakOnNext,
+	  sourceContents,
+	  setBreakpoint,
+	  removeBreakpoint,
+	  evaluate,
+	  debuggeeCommand,
+	  navigate,
+	  reload,
+	  getProperties,
+	  pauseOnExceptions,
+	  prettyPrint,
+	  disablePrettyPrint
+	};
+	
+	module.exports = {
+	  setupCommands,
+	  clientCommands
+	};
+
+/***/ },
+/* 327 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var paused = (() => {
+	  var _ref = _asyncToGenerator(function* (_, packet) {
+	    // If paused by an explicit interrupt, which are generated by the
+	    // slow script dialog and internal events such as setting
+	    // breakpoints, ignore the event.
+	    if (packet.why.type === "interrupted" && !packet.why.onNext) {
+	      return;
+	    }
+	
+	    // Eagerly fetch the frames
+	    var response = yield threadClient.getFrames(0, CALL_STACK_PAGE_SIZE);
+	    var frames = response.frames.map(createFrame);
+	
+	    var pause = Object.assign({}, packet, {
+	      frame: createFrame(packet.frame),
+	      frames: frames
+	    });
+	
+	    actions.paused(pause);
+	  });
+	
+	  return function paused(_x, _x2) {
+	    return _ref.apply(this, arguments);
+	  };
+	})();
+	
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	var _require = __webpack_require__(328);
+	
+	var createFrame = _require.createFrame;
+	var createSource = _require.createSource;
+	
+	
+	var CALL_STACK_PAGE_SIZE = 1000;
+	
+	var threadClient = void 0;
+	var actions = void 0;
+	
+	function setupEvents(dependencies) {
+	  threadClient = dependencies.threadClient;
+	  actions = dependencies.actions;
+	}
+	
+	function resumed(_, packet) {
+	  actions.resumed(packet);
+	}
+	
+	function newSource(_, _ref2) {
+	  var source = _ref2.source;
+	
+	  actions.newSource(createSource(source));
+	}
+	
+	var clientEvents = {
+	  paused,
+	  resumed,
+	  newSource
+	};
+	
+	module.exports = {
+	  setupEvents,
+	  clientEvents
+	};
+
+/***/ },
+/* 328 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(269);
+	
+	var Source = _require.Source;
+	var Frame = _require.Frame;
+	var Location = _require.Location;
+	
+	
+	function createFrame(frame) {
+	  var title = void 0;
+	  if (frame.type == "call") {
+	    var c = frame.callee;
+	    title = c.name || c.userDisplayName || c.displayName || "(anonymous)";
+	  } else {
+	    title = "(" + frame.type + ")";
+	  }
+	
+	  return Frame({
+	    id: frame.actor,
+	    displayName: title,
+	    location: Location({
+	      sourceId: frame.where.source.actor,
+	      line: frame.where.line,
+	      column: frame.where.column
+	    }),
+	    this: frame.this,
+	    scope: frame.environment
+	  });
+	}
+	
+	function createSource(source) {
+	  return Source({
+	    id: source.actor,
+	    url: source.url,
+	    isPrettyPrinted: false,
+	    sourceMapURL: source.sourceMapURL
+	  });
+	}
+	
+	module.exports = { createFrame, createSource };
+
+/***/ },
+/* 329 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* eslint-disable */
+	
+	var _require = __webpack_require__(330);
+	
+	var connect = _require.connect;
+	
+	var defer = __webpack_require__(267);
+	
+	var _require2 = __webpack_require__(269);
+	
+	var Tab = _require2.Tab;
+	
+	var _require3 = __webpack_require__(201);
+	
+	var isEnabled = _require3.isEnabled;
+	var getValue = _require3.getValue;
+	
+	var networkRequest = __webpack_require__(334);
+	
+	var _require4 = __webpack_require__(335);
+	
+	var setupCommands = _require4.setupCommands;
+	var clientCommands = _require4.clientCommands;
+	
+	var _require5 = __webpack_require__(336);
+	
+	var setupEvents = _require5.setupEvents;
+	var clientEvents = _require5.clientEvents;
+	var pageEvents = _require5.pageEvents;
+	
+	// TODO: figure out a way to avoid patching native prototypes.
+	// Unfortunately the Chrome client requires it to work.
+	
+	Array.prototype.peekLast = function () {
+	  return this[this.length - 1];
+	};
+	
+	var connection = void 0;
+	
+	function createTabs(tabs) {
+	
+	  return tabs.filter(tab => {
+	    var isPage = tab.type == "page";
+	    return isPage;
+	  }).map(tab => {
+	    return Tab({
+	      title: tab.title,
+	      url: tab.url,
+	      id: tab.id,
+	      tab,
+	      browser: "chrome"
+	    });
+	  });
+	}
+	
+	function connectClient() {
+	  var deferred = defer();
+	
+	  if (!getValue("chrome.debug")) {
+	    return deferred.resolve(createTabs([]));
+	  }
+	
+	  var webSocketPort = getValue("chrome.webSocketPort");
+	  var url = `http://localhost:${ webSocketPort }/json/list`;
+	  networkRequest(url).then(res => {
+	    deferred.resolve(createTabs(JSON.parse(res.content)));
+	  }).catch(err => {
+	    console.log(err);
+	    deferred.reject();
+	  });
+	
+	  return deferred.promise;
+	}
+	
+	function connectTab(tab) {
+	  return connect(tab.webSocketDebuggerUrl).then(conn => {
+	    connection = conn;
+	  });
+	}
+	
+	function connectNode(url) {
+	  return connect(url).then(conn => {
+	    connection = conn;
+	  });
+	}
+	
+	function initPage(actions) {
+	  var agents = connection._agents;
+	
+	  setupCommands({ agents: agents });
+	  setupEvents({ actions, agents });
+	
+	  agents.Debugger.enable();
+	  agents.Debugger.setPauseOnExceptions("none");
+	  agents.Debugger.setAsyncCallStackDepth(0);
+	
+	  agents.Runtime.enable();
+	  agents.Runtime.run();
+	
+	  agents.Page.enable();
+	
+	  connection.registerDispatcher("Debugger", clientEvents);
+	  connection.registerDispatcher("Page", pageEvents);
+	}
+	
+	module.exports = {
+	  connectClient,
+	  clientCommands,
+	  connectNode,
+	  connectTab,
+	  initPage
+	};
+
+/***/ },
+/* 330 */
+/***/ function(module, exports, __webpack_require__) {
+
+	"use strict";
+	
+	const {
+	  WebSocketConnection,
+	  InspectorBackend
+	} = __webpack_require__(331);
+	
+	const defer = __webpack_require__(332);
+	const bootstrap = __webpack_require__(333);
+	
+	function onConnect(connection) {
+	  const ws = connection._socket;
+	
+	  ws.onopen = () => {};
+	  ws.onmessage = (e) => connection._onMessage(e);
+	}
+	
+	function connect(url) {
+	  let isConnected = false;
+	  let deferred = defer();
+	
+	  setTimeout(() => {
+	    if (isConnected) {
+	      return;
+	    }
+	
+	    deferred.resolve();
+	  }, 1000);
+	
+	  return new Promise(resolve => {
+	    bootstrap(InspectorBackend);
+	    WebSocketConnection.Create(
+	      url,
+	      connnection => {
+	        isConnected = true;
+	        onConnect(connnection);
+	        resolve(connnection);
+	      }
+	    );
+	  });
+	}
+	
+	module.exports = {
+	  connect
+	};
+
+
+/***/ },
+/* 331 */
+/***/ function(module, exports) {
+
+	/* eslint-disable */
+	var WebInspector = {}, window = window || {};
+	
+	/*
+	 * Copyright (C) 2008 Apple Inc. All Rights Reserved.
+	 *
+	 * Redistribution and use in source and binary forms, with or without
+	 * modification, are permitted provided that the following conditions
+	 * are met:
+	 * 1. Redistributions of source code must retain the above copyright
+	 *    notice, this list of conditions and the following disclaimer.
+	 * 2. Redistributions in binary form must reproduce the above copyright
+	 *    notice, this list of conditions and the following disclaimer in the
+	 *    documentation and/or other materials provided with the distribution.
+	 *
+	 * THIS SOFTWARE IS PROVIDED BY APPLE INC. ``AS IS'' AND ANY
+	 * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+	 * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
+	 * PURPOSE ARE DISCLAIMED.  IN NO EVENT SHALL APPLE INC. OR
+	 * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
+	 * EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
+	 * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
+	 * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
+	 * OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
+	 * (INCLUDING NEGLIGENCkE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+	 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
+	 */
+	
+	/**
+	 * @constructor
+	 * @implements {WebInspector.EventTarget}
+	 */
+	WebInspector.Object = function() {
+	}
+	
+	WebInspector.Object.prototype = {
+	    /**
+	     * @override
+	     * @param {string} eventType
+	     * @param {function(!WebInspector.Event)} listener
+	     * @param {!Object=} thisObject
+	     * @return {!WebInspector.EventTarget.EventDescriptor}
+	     */
+	    addEventListener: function(eventType, listener, thisObject)
+	    {
+	        if (!listener)
+	            console.assert(false);
+	
+	        if (!this._listeners)
+	            this._listeners = new Map();
+	        if (!this._listeners.has(eventType))
+	            this._listeners.set(eventType, []);
+	        this._listeners.get(eventType).push({ thisObject: thisObject, listener: listener });
+	        return new WebInspector.EventTarget.EventDescriptor(this, eventType, thisObject, listener);
+	    },
+	
+	    /**
+	     * @override
+	     * @param {string} eventType
+	     * @param {function(!WebInspector.Event)} listener
+	     * @param {!Object=} thisObject
+	     */
+	    removeEventListener: function(eventType, listener, thisObject)
+	    {
+	        console.assert(listener);
+	
+	        if (!this._listeners || !this._listeners.has(eventType))
+	            return;
+	        var listeners = this._listeners.get(eventType);
+	        for (var i = 0; i < listeners.length; ++i) {
+	            if (listeners[i].listener === listener && listeners[i].thisObject === thisObject)
+	                listeners.splice(i--, 1);
+	        }
+	
+	        if (!listeners.length)
+	            this._listeners.delete(eventType);
+	    },
+	
+	    /**
+	     * @override
+	     */
+	    removeAllListeners: function()
+	    {
+	        delete this._listeners;
+	    },
+	
+	    /**
+	     * @override
+	     * @param {string} eventType
+	     * @return {boolean}
+	     */
+	    hasEventListeners: function(eventType)
+	    {
+	        if (!this._listeners || !this._listeners.has(eventType))
+	            return false;
+	        return true;
+	    },
+	
+	    /**
+	     * @override
+	     * @param {string} eventType
+	     * @param {*=} eventData
+	     * @return {boolean}
+	     */
+	    dispatchEventToListeners: function(eventType, eventData)
+	    {
+	        if (!this._listeners || !this._listeners.has(eventType))
+	            return false;
+	
+	        var event = new WebInspector.Event(this, eventType, eventData);
+	        var listeners = this._listeners.get(eventType).slice(0);
+	        for (var i = 0; i < listeners.length; ++i) {
+	            listeners[i].listener.call(listeners[i].thisObject, event);
+	            if (event._stoppedPropagation)
+	                break;
+	        }
+	
+	        return event.defaultPrevented;
+	    }
+	}
+	
+	/**
+	 * @constructor
+	 * @param {!WebInspector.EventTarget} target
+	 * @param {string} type
+	 * @param {*=} data
+	 */
+	WebInspector.Event = function(target, type, data)
+	{
+	    this.target = target;
+	    this.type = type;
+	    this.data = data;
+	    this.defaultPrevented = false;
+	    this._stoppedPropagation = false;
+	}
+	
+	WebInspector.Event.prototype = {
+	    stopPropagation: function()
+	    {
+	        this._stoppedPropagation = true;
+	    },
+	
+	    preventDefault: function()
+	    {
+	        this.defaultPrevented = true;
+	    },
+	
+	    /**
+	     * @param {boolean=} preventDefault
+	     */
+	    consume: function(preventDefault)
+	    {
+	        this.stopPropagation();
+	        if (preventDefault)
+	            this.preventDefault();
+	    }
+	}
+	
+	/**
+	 * @interface
+	 */
+	WebInspector.EventTarget = function()
+	{
+	}
+	
+	/**
+	 * @param {!Array<!WebInspector.EventTarget.EventDescriptor>} eventList
+	 */
+	WebInspector.EventTarget.removeEventListeners = function(eventList)
+	{
+	    for (var i = 0; i < eventList.length; ++i) {
+	        var eventInfo = eventList[i];
+	        eventInfo.eventTarget.removeEventListener(eventInfo.eventType, eventInfo.method, eventInfo.receiver);
+	    }
+	}
+	
+	WebInspector.EventTarget.prototype = {
+	    /**
+	     * @param {string} eventType
+	     * @param {function(!WebInspector.Event)} listener
+	     * @param {!Object=} thisObject
+	     * @return {!WebInspector.EventTarget.EventDescriptor}
+	     */
+	    addEventListener: function(eventType, listener, thisObject) { },
+	
+	    /**
+	     * @param {string} eventType
+	     * @param {function(!WebInspector.Event)} listener
+	     * @param {!Object=} thisObject
+	     */
+	    removeEventListener: function(eventType, listener, thisObject) { },
+	
+	    removeAllListeners: function() { },
+	
+	    /**
+	     * @param {string} eventType
+	     * @return {boolean}
+	     */
+	    hasEventListeners: function(eventType) { },
+	
+	    /**
+	     * @param {string} eventType
+	     * @param {*=} eventData
+	     * @return {boolean}
+	     */
+	    dispatchEventToListeners: function(eventType, eventData) { },
+	}
+	
+	/**
+	 * @constructor
+	 * @param {!WebInspector.EventTarget} eventTarget
+	 * @param {string} eventType
+	 * @param {(!Object|undefined)} receiver
+	 * @param {function(?):?} method
+	 */
+	WebInspector.EventTarget.EventDescriptor = function(eventTarget, eventType, receiver, method)
+	{
+	    this.eventTarget = eventTarget;
+	    this.eventType = eventType;
+	    this.receiver = receiver;
+	    this.method = method;
+	}
+	
+	/*
+	 * Copyright (C) 2011 Google Inc. All rights reserved.
+	 *
+	 * Redistribution and use in source and binary forms, with or without
+	 * modification, are permitted provided that the following conditions are
+	 * met:
+	 *
+	 *     * Redistributions of source code must retain the above copyright
+	 * notice, this list of conditions and the following disclaimer.
+	 *     * Redistributions in binary form must reproduce the above
+	 * copyright notice, this list of conditions and the following disclaimer
+	 * in the documentation and/or other materials provided with the
+	 * distribution.
+	 *     * Neither the name of Google Inc. nor the names of its
+	 * contributors may be used to endorse or promote products derived from
+	 * this software without specific prior written permission.
+	 *
+	 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
+	 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
+	 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
+	 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
+	 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
+	 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
+	 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
+	 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
+	 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
+	 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+	 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
+	 */
+	
+	/**
+	 * @constructor
+	 */
+	function InspectorBackendClass()
+	{
+	    this._agentPrototypes = {};
+	    this._dispatcherPrototypes = {};
+	    this._initialized = false;
+	    this._initProtocolAgentsConstructor();
+	}
+	
+	InspectorBackendClass._DevToolsErrorCode = -32000;
+	InspectorBackendClass.DevToolsStubErrorCode = -32015;
+	
+	/**
+	 * @param {string} error
+	 * @param {!Object} messageObject
+	 */
+	InspectorBackendClass.reportProtocolError = function(error, messageObject)
+	{
+	    console.error(error + ": " + JSON.stringify(messageObject));
+	}
+	
+	InspectorBackendClass.prototype = {
+	    /**
+	     * @return {boolean}
+	     */
+	    isInitialized: function()
+	    {
+	        return this._initialized;
+	    },
+	
+	    _initProtocolAgentsConstructor: function()
+	    {
+	        window.Protocol = {};
+	
+	        /**
+	         * @constructor
+	         * @param {!Object.<string, !Object>} agentsMap
+	         */
+	        window.Protocol.Agents = function(agentsMap) {
+	            this._agentsMap = agentsMap;
+	        };
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     */
+	    _addAgentGetterMethodToProtocolAgentsPrototype: function(domain)
+	    {
+	        var upperCaseLength = 0;
+	        while (upperCaseLength < domain.length && domain[upperCaseLength].toLowerCase() !== domain[upperCaseLength])
+	            ++upperCaseLength;
+	
+	        var methodName = domain.substr(0, upperCaseLength).toLowerCase() + domain.slice(upperCaseLength) + "Agent";
+	
+	        /**
+	         * @this {Protocol.Agents}
+	         */
+	        function agentGetter()
+	        {
+	            return this._agentsMap[domain];
+	        }
+	
+	        window.Protocol.Agents.prototype[methodName] = agentGetter;
+	
+	        /**
+	         * @this {Protocol.Agents}
+	         */
+	        function registerDispatcher(dispatcher)
+	        {
+	            this.registerDispatcher(domain, dispatcher)
+	        }
+	
+	        window.Protocol.Agents.prototype["register" + domain + "Dispatcher"] = registerDispatcher;
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     * @return {!InspectorBackendClass.AgentPrototype}
+	     */
+	    _agentPrototype: function(domain)
+	    {
+	        if (!this._agentPrototypes[domain]) {
+	            this._agentPrototypes[domain] = new InspectorBackendClass.AgentPrototype(domain);
+	            this._addAgentGetterMethodToProtocolAgentsPrototype(domain);
+	        }
+	
+	        return this._agentPrototypes[domain];
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     * @return {!InspectorBackendClass.DispatcherPrototype}
+	     */
+	    _dispatcherPrototype: function(domain)
+	    {
+	        if (!this._dispatcherPrototypes[domain])
+	            this._dispatcherPrototypes[domain] = new InspectorBackendClass.DispatcherPrototype();
+	        return this._dispatcherPrototypes[domain];
+	    },
+	
+	    /**
+	     * @param {string} method
+	     * @param {!Array.<!Object>} signature
+	     * @param {!Array.<string>} replyArgs
+	     * @param {boolean} hasErrorData
+	     */
+	    registerCommand: function(method, signature, replyArgs, hasErrorData)
+	    {
+	        var domainAndMethod = method.split(".");
+	        this._agentPrototype(domainAndMethod[0]).registerCommand(domainAndMethod[1], signature, replyArgs, hasErrorData);
+	        this._initialized = true;
+	    },
+	
+	    /**
+	     * @param {string} type
+	     * @param {!Object} values
+	     */
+	    registerEnum: function(type, values)
+	    {
+	        var domainAndMethod = type.split(".");
+	        var agentName = domainAndMethod[0] + "Agent";
+	        if (!window[agentName])
+	            window[agentName] = {};
+	
+	        window[agentName][domainAndMethod[1]] = values;
+	        this._initialized = true;
+	    },
+	
+	    /**
+	     * @param {string} eventName
+	     * @param {!Object} params
+	     */
+	    registerEvent: function(eventName, params)
+	    {
+	        var domain = eventName.split(".")[0];
+	        this._dispatcherPrototype(domain).registerEvent(eventName, params);
+	        this._initialized = true;
+	    },
+	
+	    /**
+	     * @param {function(T)} clientCallback
+	     * @param {string} errorPrefix
+	     * @param {function(new:T,S)=} constructor
+	     * @param {T=} defaultValue
+	     * @return {function(?string, S)}
+	     * @template T,S
+	     */
+	    wrapClientCallback: function(clientCallback, errorPrefix, constructor, defaultValue)
+	    {
+	        /**
+	         * @param {?string} error
+	         * @param {S} value
+	         * @template S
+	         */
+	        function callbackWrapper(error, value)
+	        {
+	            if (error) {
+	                console.error(errorPrefix + error);
+	                clientCallback(defaultValue);
+	                return;
+	            }
+	            if (constructor)
+	                clientCallback(new constructor(value));
+	            else
+	                clientCallback(value);
+	        }
+	        return callbackWrapper;
+	    }
+	}
+	
+	/**
+	 *  @constructor
+	 *  @extends {WebInspector.Object}
+	 */
+	InspectorBackendClass.Connection = function()
+	{
+	    this._lastMessageId = 1;
+	    this._pendingResponsesCount = 0;
+	    this._agents = {};
+	    this._dispatchers = {};
+	    this._callbacks = {};
+	    this._initialize(InspectorBackend._agentPrototypes, InspectorBackend._dispatcherPrototypes);
+	    this._isConnected = true;
+	}
+	
+	InspectorBackendClass.Connection.Events = {
+	    Disconnected: "Disconnected",
+	}
+	
+	InspectorBackendClass.Connection.prototype = {
+	    /**
+	     * @param {!Object.<string, !InspectorBackendClass.AgentPrototype>} agentPrototypes
+	     * @param {!Object.<string, !InspectorBackendClass.DispatcherPrototype>} dispatcherPrototypes
+	     */
+	    _initialize: function(agentPrototypes, dispatcherPrototypes)
+	    {
+	        for (var domain in agentPrototypes) {
+	            this._agents[domain] = Object.create(agentPrototypes[domain]);
+	            this._agents[domain].setConnection(this);
+	        }
+	
+	        for (var domain in dispatcherPrototypes)
+	            this._dispatchers[domain] = Object.create(dispatcherPrototypes[domain]);
+	    },
+	
+	    /**
+	     * @return {number}
+	     */
+	    nextMessageId: function()
+	    {
+	        return this._lastMessageId++;
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     * @return {!InspectorBackendClass.AgentPrototype}
+	     */
+	    agent: function(domain)
+	    {
+	        return this._agents[domain];
+	    },
+	
+	    /**
+	     * @return {!Object.<string, !Object>}
+	     */
+	    agentsMap: function()
+	    {
+	        return this._agents;
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     * @param {string} method
+	     * @param {?Object} params
+	     * @param {?function(*)} callback
+	     */
+	    _wrapCallbackAndSendMessageObject: function(domain, method, params, callback)
+	    {
+	        if (!this._isConnected && callback) {
+	            this._dispatchConnectionErrorResponse(domain, method, callback);
+	            return;
+	        }
+	
+	        var messageObject = {};
+	        var messageId = this.nextMessageId();
+	        messageObject.id = messageId;
+	        messageObject.method = method;
+	        if (params)
+	            messageObject.params = params;
+	
+	        var wrappedCallback = this._wrap(callback, domain, method);
+	
+	        if (InspectorBackendClass.Options.dumpInspectorProtocolMessages)
+	            this._dumpProtocolMessage("frontend: " + JSON.stringify(messageObject));
+	
+	        this.sendMessage(messageObject);
+	        ++this._pendingResponsesCount;
+	        this._callbacks[messageId] = wrappedCallback;
+	    },
+	
+	    /**
+	     * @param {?function(*)} callback
+	     * @param {string} method
+	     * @param {string} domain
+	     * @return {function(*)}
+	     */
+	    _wrap: function(callback, domain, method)
+	    {
+	        if (!callback)
+	            callback = function() {};
+	
+	        callback.methodName = method;
+	        callback.domain = domain;
+	        if (InspectorBackendClass.Options.dumpInspectorTimeStats)
+	            callback.sendRequestTime = Date.now();
+	
+	        return callback;
+	    },
+	
+	    /**
+	     * @param {!Object} messageObject
+	     */
+	    sendMessage: function(messageObject)
+	    {
+	        throw "Not implemented";
+	    },
+	
+	    /**
+	     * @param {!Object|string} message
+	     */
+	    dispatch: function(message)
+	    {
+	        if (InspectorBackendClass.Options.dumpInspectorProtocolMessages)
+	            this._dumpProtocolMessage("backend: " + ((typeof message === "string") ? message : JSON.stringify(message)));
+	
+	        var messageObject = /** @type {!Object} */ ((typeof message === "string") ? JSON.parse(message) : message);
+	
+	        if ("id" in messageObject) { // just a response for some request
+	            var callback = this._callbacks[messageObject.id];
+	            if (!callback) {
+	                InspectorBackendClass.reportProtocolError("Protocol Error: the message with wrong id", messageObject);
+	                return;
+	            }
+	
+	            var processingStartTime;
+	            if (InspectorBackendClass.Options.dumpInspectorTimeStats)
+	                processingStartTime = Date.now();
+	
+	            this.agent(callback.domain).dispatchResponse(messageObject, callback.methodName, callback);
+	            --this._pendingResponsesCount;
+	            delete this._callbacks[messageObject.id];
+	
+	            if (InspectorBackendClass.Options.dumpInspectorTimeStats)
+	                console.log("time-stats: " + callback.methodName + " = " + (processingStartTime - callback.sendRequestTime) + " + " + (Date.now() - processingStartTime));
+	
+	            if (this._scripts && !this._pendingResponsesCount)
+	                this.runAfterPendingDispatches();
+	            return;
+	        } else {
+	            var method = messageObject.method.split(".");
+	            var domainName = method[0];
+	            if (!(domainName in this._dispatchers)) {
+	                InspectorBackendClass.reportProtocolError("Protocol Error: the message " + messageObject.method + " is for non-existing domain '" + domainName + "'", messageObject);
+	                return;
+	            }
+	
+	            this._dispatchers[domainName].dispatch(method[1], messageObject);
+	        }
+	
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     * @param {!Object} dispatcher
+	     */
+	    registerDispatcher: function(domain, dispatcher)
+	    {
+	        if (!this._dispatchers[domain])
+	            return;
+	
+	        this._dispatchers[domain].setDomainDispatcher(dispatcher);
+	    },
+	
+	    /**
+	     * @param {function()=} script
+	     */
+	    runAfterPendingDispatches: function(script)
+	    {
+	        if (!this._scripts)
+	            this._scripts = [];
+	
+	        if (script)
+	            this._scripts.push(script);
+	
+	        // Execute all promises.
+	        setTimeout(function() {
+	            if (!this._pendingResponsesCount)
+	                this._executeAfterPendingDispatches();
+	            else
+	                this.runAfterPendingDispatches();
+	        }.bind(this), 0);
+	    },
+	
+	    _executeAfterPendingDispatches: function()
+	    {
+	        if (!this._pendingResponsesCount) {
+	            var scripts = this._scripts;
+	            this._scripts = [];
+	            for (var id = 0; id < scripts.length; ++id)
+	                scripts[id].call(this);
+	        }
+	    },
+	
+	    _dumpProtocolMessage: function(message)
+	    {
+	        console.log(message);
+	    },
+	
+	    /**
+	     * @protected
+	     * @param {string} reason
+	     */
+	    connectionClosed: function(reason)
+	    {
+	        this._isConnected = false;
+	        this._runPendingCallbacks();
+	        this.dispatchEventToListeners(InspectorBackendClass.Connection.Events.Disconnected, {reason: reason});
+	    },
+	
+	    _runPendingCallbacks: function()
+	    {
+	        var keys = Object.keys(this._callbacks).map(function(num) { return parseInt(num, 10); });
+	        for (var i = 0; i < keys.length; ++i) {
+	            var callback = this._callbacks[keys[i]];
+	            this._dispatchConnectionErrorResponse(callback.domain, callback.methodName, callback);
+	        }
+	        this._callbacks = {};
+	    },
+	
+	    /**
+	     * @param {string} domain
+	     * @param {string} methodName
+	     * @param {function(*)} callback
+	     */
+	    _dispatchConnectionErrorResponse: function(domain, methodName, callback)
+	    {
+	        var error = { message: "Connection is closed, can't dispatch pending " + methodName, code:  InspectorBackendClass._DevToolsErrorCode, data: null};
+	        var messageObject = {error: error};
+	        setTimeout(InspectorBackendClass.AgentPrototype.prototype.dispatchResponse.bind(this.agent(domain), messageObject, methodName, callback), 0);
+	    },
+	
+	    /**
+	     * @return {boolean}
+	     */
+	    isClosed: function()
+	    {
+	        return !this._isConnected;
+	    },
+	
+	    /**
+	     * @param {!Array.<string>} domains
+	     */
+	    suppressErrorsForDomains: function(domains)
+	    {
+	        domains.forEach(function(domain) { this._agents[domain].suppressErrorLogging(); }, this);
+	    },
+	
+	    __proto__: WebInspector.Object.prototype
+	
+	}
+	
+	/**
+	 * @constructor
+	 * @param {string} domain
+	 */
+	InspectorBackendClass.AgentPrototype = function(domain)
+	{
+	    this._replyArgs = {};
+	    this._hasErrorData = {};
+	    this._domain = domain;
+	    this._suppressErrorLogging = false;
+	}
+	
+	InspectorBackendClass.AgentPrototype.prototype = {
+	    /**
+	     * @param {!InspectorBackendClass.Connection} connection
+	     */
+	    setConnection: function(connection)
+	    {
+	        this._connection = connection;
+	    },
+	
+	    /**
+	     * @param {string} methodName
+	     * @param {!Array.<!Object>} signature
+	     * @param {!Array.<string>} replyArgs
+	     * @param {boolean} hasErrorData
+	     */
+	    registerCommand: function(methodName, signature, replyArgs, hasErrorData)
+	    {
+	        var domainAndMethod = this._domain + "." + methodName;
+	
+	        /**
+	         * @param {...*} vararg
+	         * @this {InspectorBackendClass.AgentPrototype}
+	         * @return {!Promise.<*>}
+	         */
+	        function sendMessagePromise(vararg)
+	        {
+	            var params = Array.prototype.slice.call(arguments);
+	            return InspectorBackendClass.AgentPrototype.prototype._sendMessageToBackendPromise.call(this, domainAndMethod, signature, params);
+	        }
+	
+	        this[methodName] = sendMessagePromise;
+	
+	        /**
+	         * @param {...*} vararg
+	         * @this {InspectorBackendClass.AgentPrototype}
+	         */
+	        function invoke(vararg)
+	        {
+	            var params = [domainAndMethod].concat(Array.prototype.slice.call(arguments));
+	            InspectorBackendClass.AgentPrototype.prototype._invoke.apply(this, params);
+	        }
+	
+	        this["invoke_" + methodName] = invoke;
+	
+	        this._replyArgs[domainAndMethod] = replyArgs;
+	        if (hasErrorData)
+	            this._hasErrorData[domainAndMethod] = true;
+	    },
+	
+	    /**
+	     * @param {string} method
+	     * @param {!Array.<!Object>} signature
+	     * @param {!Array.<*>} args
+	     * @param {boolean} allowExtraUndefinedArg
+	     * @param {function(string)} errorCallback
+	     * @return {?Object}
+	     */
+	    _prepareParameters: function(method, signature, args, allowExtraUndefinedArg, errorCallback)
+	    {
+	        var params = {};
+	        var hasParams = false;
+	        for (var i = 0; i < signature.length; ++i) {
+	            var param = signature[i];
+	            var paramName = param["name"];
+	            var typeName = param["type"];
+	            var optionalFlag = param["optional"];
+	
+	            if (!args.length && !optionalFlag) {
+	                errorCallback("Protocol Error: Invalid number of arguments for method '" + method + "' call. It must have the following arguments '" + JSON.stringify(signature) + "'.");
+	                return null;
+	            }
+	
+	            var value = args.shift();
+	            if (optionalFlag && typeof value === "undefined")
+	                continue;
+	
+	            if (typeof value !== typeName) {
+	                errorCallback("Protocol Error: Invalid type of argument '" + paramName + "' for method '" + method + "' call. It must be '" + typeName + "' but it is '" + typeof value + "'.");
+	                return null;
+	            }
+	
+	            params[paramName] = value;
+	            hasParams = true;
+	        }
+	
+	        if (args.length === 1 && (!allowExtraUndefinedArg || (typeof args[0] !== "undefined"))) {
+	            errorCallback("Protocol Error: Optional callback argument for method '" + method + "' call must be a function but its type is '" + typeof args[0] + "'.");
+	            return null;
+	        }
+	
+	        if (args.length > 1) {
+	            errorCallback("Protocol Error: Extra " + args.length + " arguments in a call to method '" + method + "'.");
+	            return null;
+	        }
+	
+	        return hasParams ? params : null
+	    },
+	
+	    /**
+	     * @param {string} method
+	     * @param {!Array.<!Object>} signature
+	     * @param {!Array.<*>} args
+	     * @return {!Promise.<*>}
+	     */
+	    _sendMessageToBackendPromise: function(method, signature, args)
+	    {
+	        var errorMessage;
+	        /**
+	         * @param {string} message
+	         */
+	        function onError(message)
+	        {
+	            console.error(message);
+	            errorMessage = message;
+	        }
+	        var userCallback = (args.length && typeof args.peekLast() === "function") ? args.pop() : null;
+	        var params = this._prepareParameters(method, signature, args, !userCallback, onError);
+	        if (errorMessage)
+	            return Promise.reject(new Error(errorMessage));
+	        else
+	            return new Promise(promiseAction.bind(this));
+	
+	        /**
+	         * @param {function(?)} resolve
+	         * @param {function(!Error)} reject
+	         * @this {InspectorBackendClass.AgentPrototype}
+	         */
+	        function promiseAction(resolve, reject)
+	        {
+	            /**
+	             * @param {...*} vararg
+	             */
+	            function callback(vararg)
+	            {
+	                var result = userCallback ? userCallback.apply(null, arguments) : undefined;
+	                resolve(result);
+	            }
+	            this._connection._wrapCallbackAndSendMessageObject(this._domain, method, params, callback);
+	        }
+	    },
+	
+	    /**
+	     * @param {string} method
+	     * @param {?Object} args
+	     * @param {?function(*)} callback
+	     */
+	    _invoke: function(method, args, callback)
+	    {
+	        this._connection._wrapCallbackAndSendMessageObject(this._domain, method, args, callback);
+	    },
+	
+	    /**
+	     * @param {!Object} messageObject
+	     * @param {string} methodName
+	     * @param {function(*)|function(?Protocol.Error, ?Object)} callback
+	     */
+	    dispatchResponse: function(messageObject, methodName, callback)
+	    {
+	        if (messageObject.error && messageObject.error.code !== InspectorBackendClass._DevToolsErrorCode && messageObject.error.code !== InspectorBackendClass.DevToolsStubErrorCode && !InspectorBackendClass.Options.suppressRequestErrors && !this._suppressErrorLogging) {
+	            var id = InspectorBackendClass.Options.dumpInspectorProtocolMessages ? " with id = " + messageObject.id : "";
+	            console.error("Request " + methodName + id + " failed. " + JSON.stringify(messageObject.error));
+	        }
+	
+	        var argumentsArray = [];
+	        argumentsArray[0] = messageObject.error ? messageObject.error.message: null;
+	
+	        if (this._hasErrorData[methodName])
+	            argumentsArray[1] = messageObject.error ? messageObject.error.data : null;
+	
+	        if (messageObject.result) {
+	            var paramNames = this._replyArgs[methodName] || [];
+	            for (var i = 0; i < paramNames.length; ++i)
+	                argumentsArray.push(messageObject.result[paramNames[i]]);
+	        }
+	
+	        callback.apply(null, argumentsArray);
+	    },
+	
+	    suppressErrorLogging: function()
+	    {
+	        this._suppressErrorLogging = true;
+	    }
+	}
+	
+	/**
+	 * @constructor
+	 */
+	InspectorBackendClass.DispatcherPrototype = function()
+	{
+	    this._eventArgs = {};
+	    this._dispatcher = null;
+	}
+	
+	InspectorBackendClass.DispatcherPrototype.prototype = {
+	
+	    /**
+	     * @param {string} eventName
+	     * @param {!Object} params
+	     */
+	    registerEvent: function(eventName, params)
+	    {
+	        this._eventArgs[eventName] = params;
+	    },
+	
+	    /**
+	     * @param {!Object} dispatcher
+	     */
+	    setDomainDispatcher: function(dispatcher)
+	    {
+	        this._dispatcher = dispatcher;
+	    },
+	
+	    /**
+	     * @param {string} functionName
+	     * @param {!Object} messageObject
+	     */
+	    dispatch: function(functionName, messageObject)
+	    {
+	        if (!this._dispatcher)
+	            return;
+	
+	        if (!(functionName in this._dispatcher)) {
+	            InspectorBackendClass.reportProtocolError("Protocol Error: Attempted to dispatch an unimplemented method '" + messageObject.method + "'", messageObject);
+	            return;
+	        }
+	
+	        if (!this._eventArgs[messageObject.method]) {
+	            InspectorBackendClass.reportProtocolError("Protocol Error: Attempted to dispatch an unspecified method '" + messageObject.method + "'", messageObject);
+	            return;
+	        }
+	
+	        var params = [];
+	        if (messageObject.params) {
+	            var paramNames = this._eventArgs[messageObject.method];
+	            for (var i = 0; i < paramNames.length; ++i)
+	                params.push(messageObject.params[paramNames[i]]);
+	        }
+	
+	        var processingStartTime;
+	        if (InspectorBackendClass.Options.dumpInspectorTimeStats)
+	            processingStartTime = Date.now();
+	
+	        this._dispatcher[functionName].apply(this._dispatcher, params);
+	
+	        if (InspectorBackendClass.Options.dumpInspectorTimeStats)
+	            console.log("time-stats: " + messageObject.method + " = " + (Date.now() - processingStartTime));
+	    }
+	}
+	
+	InspectorBackendClass.Options = {
+	    dumpInspectorTimeStats: false,
+	    dumpInspectorProtocolMessages: false,
+	    suppressRequestErrors: false
+	}
+	
+	
+	// Copyright (c) 2015 The Chromium Authors. All rights reserved.
+	// Use of this source code is governed by a BSD-style license that can be
+	// found in the LICENSE file.
+	
+	/**
+	 * @constructor
+	 * @extends {InspectorBackendClass.Connection}
+	 */
+	WebInspector.MainConnection = function()
+	{
+	    InspectorBackendClass.Connection.call(this);
+	    InspectorFrontendHost.events.addEventListener(InspectorFrontendHostAPI.Events.DispatchMessage, this._dispatchMessage, this);
+	    InspectorFrontendHost.events.addEventListener(InspectorFrontendHostAPI.Events.DispatchMessageChunk, this._dispatchMessageChunk, this);
+	}
+	
+	WebInspector.MainConnection.prototype = {
+	    /**
+	     * @override
+	     * @param {!Object} messageObject
+	     */
+	    sendMessage: function(messageObject)
+	    {
+	        var message = JSON.stringify(messageObject);
+	        InspectorFrontendHost.sendMessageToBackend(message);
+	    },
+	
+	    /**
+	     * @param {!WebInspector.Event} event
+	     */
+	    _dispatchMessage: function(event)
+	    {
+	        this.dispatch(/** @type {string} */ (event.data));
+	    },
+	
+	    /**
+	     * @param {!WebInspector.Event} event
+	     */
+	    _dispatchMessageChunk: function(event)
+	    {
+	        var messageChunk = /** @type {string} */ (event.data["messageChunk"]);
+	        var messageSize = /** @type {number} */ (event.data["messageSize"]);
+	        if (messageSize) {
+	            this._messageBuffer = "";
+	            this._messageSize = messageSize;
+	        }
+	        this._messageBuffer += messageChunk;
+	        if (this._messageBuffer.length === this._messageSize) {
+	            this.dispatch(this._messageBuffer);
+	            this._messageBuffer = "";
+	            this._messageSize = 0;
+	        }
+	    },
+	
+	    __proto__: InspectorBackendClass.Connection.prototype
+	}
+	
+	/**
+	 * @constructor
+	 * @extends {InspectorBackendClass.Connection}
+	 * @param {string} url
+	 * @param {function(!InspectorBackendClass.Connection)} onConnectionReady
+	 */
+	WebInspector.WebSocketConnection = function(url, onConnectionReady)
+	{
+	    InspectorBackendClass.Connection.call(this);
+	    this._socket = new WebSocket(url);
+	    this._socket.onmessage = this._onMessage.bind(this);
+	    this._socket.onerror = this._onError.bind(this);
+	    this._socket.onopen = onConnectionReady.bind(null, this);
+	    this._socket.onclose = this.connectionClosed.bind(this, "websocket_closed");
+	}
+	
+	/**
+	 * @param {string} url
+	 * @param {function(!InspectorBackendClass.Connection)} onConnectionReady
+	 */
+	WebInspector.WebSocketConnection.Create = function(url, onConnectionReady)
+	{
+	    new WebInspector.WebSocketConnection(url, onConnectionReady);
+	}
+	
+	WebInspector.WebSocketConnection.prototype = {
+	
+	    /**
+	     * @param {!MessageEvent} message
+	     */
+	    _onMessage: function(message)
+	    {
+	        var data = /** @type {string} */ (message.data);
+	        this.dispatch(data);
+	    },
+	
+	    /**
+	     * @param {!Event} error
+	     */
+	    _onError: function(error)
+	    {
+	        console.error(error);
+	    },
+	
+	    /**
+	     * @override
+	     * @param {!Object} messageObject
+	     */
+	    sendMessage: function(messageObject)
+	    {
+	        var message = JSON.stringify(messageObject);
+	        this._socket.send(message);
+	    },
+	
+	    __proto__: InspectorBackendClass.Connection.prototype
+	}
+	
+	/**
+	 * @constructor
+	 * @extends {InspectorBackendClass.Connection}
+	 */
+	WebInspector.StubConnection = function()
+	{
+	    InspectorBackendClass.Connection.call(this);
+	}
+	
+	WebInspector.StubConnection.prototype = {
+	    /**
+	     * @override
+	     * @param {!Object} messageObject
+	     */
+	    sendMessage: function(messageObject)
+	    {
+	        setTimeout(this._respondWithError.bind(this, messageObject), 0);
+	    },
+	
+	    /**
+	     * @param {!Object} messageObject
+	     */
+	    _respondWithError: function(messageObject)
+	    {
+	        var error = { message: "This is a stub connection, can't dispatch message.", code:  InspectorBackendClass.DevToolsStubErrorCode, data: messageObject };
+	        this.dispatch({ id: messageObject.id, error: error });
+	    },
+	
+	    __proto__: InspectorBackendClass.Connection.prototype
+	}
+	
+	var InspectorBackend = new InspectorBackendClass();
+	
+	module.exports = {
+	  InspectorBackend,
+	  WebSocketConnection: WebInspector.WebSocketConnection
+	};
+
+
+/***/ },
+/* 332 */
+/***/ function(module, exports) {
+
+	"use strict";
+	
+	function defer() {
+	  let resolve, reject;
+	  const promise = new Promise(function() {
+	    resolve = arguments[0];
+	    reject = arguments[1];
+	  });
+	  return {
+	    resolve: resolve,
+	    reject: reject,
+	    promise: promise
+	  };
+	}
+	
+	module.exports = defer;
+
+
+/***/ },
+/* 333 */
+/***/ function(module, exports) {
+
+	/* eslint-disable */
+	module.exports = function anonymous(InspectorBackend
+	/**/) {
+	InspectorBackend.registerCommand("Inspector.enable", [], [], false);
+	InspectorBackend.registerCommand("Inspector.disable", [], [], false);
+	InspectorBackend.registerEvent("Inspector.evaluateForTestInFrontend", ["testCallId", "script"]);
+	InspectorBackend.registerEvent("Inspector.inspect", ["object", "hints"]);
+	InspectorBackend.registerEvent("Inspector.detached", ["reason"]);
+	InspectorBackend.registerEvent("Inspector.targetCrashed", []);
+	InspectorBackend.registerEnum("Memory.PressureLevel", {Moderate: "moderate", Critical: "critical"});
+	InspectorBackend.registerCommand("Memory.getDOMCounters", [], ["documents", "nodes", "jsEventListeners"], false);
+	InspectorBackend.registerCommand("Memory.setPressureNotificationsSuppressed", [{"name": "suppressed", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Memory.simulatePressureNotification", [{"name": "level", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerEnum("Page.ResourceType", {Document: "Document", Stylesheet: "Stylesheet", Image: "Image", Media: "Media", Font: "Font", Script: "Script", TextTrack: "TextTrack", XHR: "XHR", Fetch: "Fetch", EventSource: "EventSource", WebSocket: "WebSocket", Manifest: "Manifest", Other: "Other"});
+	InspectorBackend.registerEnum("Page.DialogType", {Alert: "alert", Confirm: "confirm", Prompt: "prompt", Beforeunload: "beforeunload"});
+	InspectorBackend.registerCommand("Page.enable", [], [], false);
+	InspectorBackend.registerCommand("Page.disable", [], [], false);
+	InspectorBackend.registerCommand("Page.addScriptToEvaluateOnLoad", [{"name": "scriptSource", "type": "string", "optional": false}], ["identifier"], false);
+	InspectorBackend.registerCommand("Page.removeScriptToEvaluateOnLoad", [{"name": "identifier", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.setAutoAttachToCreatedPages", [{"name": "autoAttach", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.reload", [{"name": "ignoreCache", "type": "boolean", "optional": true}, {"name": "scriptToEvaluateOnLoad", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.navigate", [{"name": "url", "type": "string", "optional": false}], ["frameId"], false);
+	InspectorBackend.registerCommand("Page.getNavigationHistory", [], ["currentIndex", "entries"], false);
+	InspectorBackend.registerCommand("Page.navigateToHistoryEntry", [{"name": "entryId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.getCookies", [], ["cookies"], false);
+	InspectorBackend.registerCommand("Page.deleteCookie", [{"name": "cookieName", "type": "string", "optional": false}, {"name": "url", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.getResourceTree", [], ["frameTree"], false);
+	InspectorBackend.registerCommand("Page.getResourceContent", [{"name": "frameId", "type": "string", "optional": false}, {"name": "url", "type": "string", "optional": false}], ["content", "base64Encoded"], false);
+	InspectorBackend.registerCommand("Page.searchInResource", [{"name": "frameId", "type": "string", "optional": false}, {"name": "url", "type": "string", "optional": false}, {"name": "query", "type": "string", "optional": false}, {"name": "caseSensitive", "type": "boolean", "optional": true}, {"name": "isRegex", "type": "boolean", "optional": true}], ["result"], false);
+	InspectorBackend.registerCommand("Page.setDocumentContent", [{"name": "frameId", "type": "string", "optional": false}, {"name": "html", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.setDeviceMetricsOverride", [{"name": "width", "type": "number", "optional": false}, {"name": "height", "type": "number", "optional": false}, {"name": "deviceScaleFactor", "type": "number", "optional": false}, {"name": "mobile", "type": "boolean", "optional": false}, {"name": "fitWindow", "type": "boolean", "optional": false}, {"name": "scale", "type": "number", "optional": true}, {"name": "offsetX", "type": "number", "optional": true}, {"name": "offsetY", "type": "number", "optional": true}, {"name": "screenWidth", "type": "number", "optional": true}, {"name": "screenHeight", "type": "number", "optional": true}, {"name": "positionX", "type": "number", "optional": true}, {"name": "positionY", "type": "number", "optional": true}, {"name": "screenOrientation", "type": "object", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.clearDeviceMetricsOverride", [], [], false);
+	InspectorBackend.registerCommand("Page.setGeolocationOverride", [{"name": "latitude", "type": "number", "optional": true}, {"name": "longitude", "type": "number", "optional": true}, {"name": "accuracy", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.clearGeolocationOverride", [], [], false);
+	InspectorBackend.registerCommand("Page.setDeviceOrientationOverride", [{"name": "alpha", "type": "number", "optional": false}, {"name": "beta", "type": "number", "optional": false}, {"name": "gamma", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.clearDeviceOrientationOverride", [], [], false);
+	InspectorBackend.registerCommand("Page.setTouchEmulationEnabled", [{"name": "enabled", "type": "boolean", "optional": false}, {"name": "configuration", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.captureScreenshot", [], ["data"], false);
+	InspectorBackend.registerCommand("Page.startScreencast", [{"name": "format", "type": "string", "optional": true}, {"name": "quality", "type": "number", "optional": true}, {"name": "maxWidth", "type": "number", "optional": true}, {"name": "maxHeight", "type": "number", "optional": true}, {"name": "everyNthFrame", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.stopScreencast", [], [], false);
+	InspectorBackend.registerCommand("Page.screencastFrameAck", [{"name": "sessionId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.handleJavaScriptDialog", [{"name": "accept", "type": "boolean", "optional": false}, {"name": "promptText", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.setColorPickerEnabled", [{"name": "enabled", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Page.setOverlayMessage", [{"name": "message", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Page.requestAppBanner", [], ["result"], false);
+	InspectorBackend.registerEvent("Page.domContentEventFired", ["timestamp"]);
+	InspectorBackend.registerEvent("Page.loadEventFired", ["timestamp"]);
+	InspectorBackend.registerEvent("Page.frameAttached", ["frameId", "parentFrameId"]);
+	InspectorBackend.registerEvent("Page.frameNavigated", ["frame"]);
+	InspectorBackend.registerEvent("Page.frameDetached", ["frameId"]);
+	InspectorBackend.registerEvent("Page.frameStartedLoading", ["frameId"]);
+	InspectorBackend.registerEvent("Page.frameStoppedLoading", ["frameId"]);
+	InspectorBackend.registerEvent("Page.frameScheduledNavigation", ["frameId", "delay"]);
+	InspectorBackend.registerEvent("Page.frameClearedScheduledNavigation", ["frameId"]);
+	InspectorBackend.registerEvent("Page.frameResized", []);
+	InspectorBackend.registerEvent("Page.javascriptDialogOpening", ["message", "type"]);
+	InspectorBackend.registerEvent("Page.javascriptDialogClosed", ["result"]);
+	InspectorBackend.registerEvent("Page.screencastFrame", ["data", "metadata", "sessionId"]);
+	InspectorBackend.registerEvent("Page.screencastVisibilityChanged", ["visible"]);
+	InspectorBackend.registerEvent("Page.colorPicked", ["color"]);
+	InspectorBackend.registerEvent("Page.interstitialShown", []);
+	InspectorBackend.registerEvent("Page.interstitialHidden", []);
+	InspectorBackend.registerCommand("Rendering.setShowPaintRects", [{"name": "result", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Rendering.setShowDebugBorders", [{"name": "show", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Rendering.setShowFPSCounter", [{"name": "show", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Rendering.setShowScrollBottleneckRects", [{"name": "show", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Rendering.setShowViewportSizeOnResize", [{"name": "show", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerEnum("Emulation.ScreenOrientationType", {PortraitPrimary: "portraitPrimary", PortraitSecondary: "portraitSecondary", LandscapePrimary: "landscapePrimary", LandscapeSecondary: "landscapeSecondary"});
+	InspectorBackend.registerCommand("Emulation.setDeviceMetricsOverride", [{"name": "width", "type": "number", "optional": false}, {"name": "height", "type": "number", "optional": false}, {"name": "deviceScaleFactor", "type": "number", "optional": false}, {"name": "mobile", "type": "boolean", "optional": false}, {"name": "fitWindow", "type": "boolean", "optional": false}, {"name": "scale", "type": "number", "optional": true}, {"name": "offsetX", "type": "number", "optional": true}, {"name": "offsetY", "type": "number", "optional": true}, {"name": "screenWidth", "type": "number", "optional": true}, {"name": "screenHeight", "type": "number", "optional": true}, {"name": "positionX", "type": "number", "optional": true}, {"name": "positionY", "type": "number", "optional": true}, {"name": "screenOrientation", "type": "object", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Emulation.clearDeviceMetricsOverride", [], [], false);
+	InspectorBackend.registerCommand("Emulation.resetPageScaleFactor", [], [], false);
+	InspectorBackend.registerCommand("Emulation.setPageScaleFactor", [{"name": "pageScaleFactor", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Emulation.setScriptExecutionDisabled", [{"name": "value", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Emulation.setGeolocationOverride", [{"name": "latitude", "type": "number", "optional": true}, {"name": "longitude", "type": "number", "optional": true}, {"name": "accuracy", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Emulation.clearGeolocationOverride", [], [], false);
+	InspectorBackend.registerCommand("Emulation.setTouchEmulationEnabled", [{"name": "enabled", "type": "boolean", "optional": false}, {"name": "configuration", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Emulation.setEmulatedMedia", [{"name": "media", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Emulation.setCPUThrottlingRate", [{"name": "rate", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Emulation.canEmulate", [], ["result"], false);
+	InspectorBackend.registerEnum("Runtime.RemoteObjectType", {Object: "object", Function: "function", Undefined: "undefined", String: "string", Number: "number", Boolean: "boolean", Symbol: "symbol"});
+	InspectorBackend.registerEnum("Runtime.RemoteObjectSubtype", {Array: "array", Null: "null", Node: "node", Regexp: "regexp", Date: "date", Map: "map", Set: "set", Iterator: "iterator", Generator: "generator", Error: "error"});
+	InspectorBackend.registerEnum("Runtime.ObjectPreviewType", {Object: "object", Function: "function", Undefined: "undefined", String: "string", Number: "number", Boolean: "boolean", Symbol: "symbol"});
+	InspectorBackend.registerEnum("Runtime.ObjectPreviewSubtype", {Array: "array", Null: "null", Node: "node", Regexp: "regexp", Date: "date", Map: "map", Set: "set", Iterator: "iterator", Generator: "generator", Error: "error"});
+	InspectorBackend.registerEnum("Runtime.PropertyPreviewType", {Object: "object", Function: "function", Undefined: "undefined", String: "string", Number: "number", Boolean: "boolean", Symbol: "symbol", Accessor: "accessor"});
+	InspectorBackend.registerEnum("Runtime.PropertyPreviewSubtype", {Array: "array", Null: "null", Node: "node", Regexp: "regexp", Date: "date", Map: "map", Set: "set", Iterator: "iterator", Generator: "generator", Error: "error"});
+	InspectorBackend.registerEnum("Runtime.CallArgumentType", {Object: "object", Function: "function", Undefined: "undefined", String: "string", Number: "number", Boolean: "boolean", Symbol: "symbol"});
+	InspectorBackend.registerCommand("Runtime.evaluate", [{"name": "expression", "type": "string", "optional": false}, {"name": "objectGroup", "type": "string", "optional": true}, {"name": "includeCommandLineAPI", "type": "boolean", "optional": true}, {"name": "doNotPauseOnExceptionsAndMuteConsole", "type": "boolean", "optional": true}, {"name": "contextId", "type": "number", "optional": true}, {"name": "returnByValue", "type": "boolean", "optional": true}, {"name": "generatePreview", "type": "boolean", "optional": true}], ["result", "wasThrown", "exceptionDetails"], false);
+	InspectorBackend.registerCommand("Runtime.callFunctionOn", [{"name": "objectId", "type": "string", "optional": false}, {"name": "functionDeclaration", "type": "string", "optional": false}, {"name": "arguments", "type": "object", "optional": true}, {"name": "doNotPauseOnExceptionsAndMuteConsole", "type": "boolean", "optional": true}, {"name": "returnByValue", "type": "boolean", "optional": true}, {"name": "generatePreview", "type": "boolean", "optional": true}], ["result", "wasThrown"], false);
+	InspectorBackend.registerCommand("Runtime.getProperties", [{"name": "objectId", "type": "string", "optional": false}, {"name": "ownProperties", "type": "boolean", "optional": true}, {"name": "accessorPropertiesOnly", "type": "boolean", "optional": true}, {"name": "generatePreview", "type": "boolean", "optional": true}], ["result", "internalProperties", "exceptionDetails"], false);
+	InspectorBackend.registerCommand("Runtime.releaseObject", [{"name": "objectId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Runtime.releaseObjectGroup", [{"name": "objectGroup", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Runtime.run", [], [], false);
+	InspectorBackend.registerCommand("Runtime.enable", [], [], false);
+	InspectorBackend.registerCommand("Runtime.disable", [], [], false);
+	InspectorBackend.registerCommand("Runtime.isRunRequired", [], ["result"], false);
+	InspectorBackend.registerCommand("Runtime.setCustomObjectFormatterEnabled", [{"name": "enabled", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Runtime.compileScript", [{"name": "expression", "type": "string", "optional": false}, {"name": "sourceURL", "type": "string", "optional": false}, {"name": "persistScript", "type": "boolean", "optional": false}, {"name": "executionContextId", "type": "number", "optional": false}], ["scriptId", "exceptionDetails"], false);
+	InspectorBackend.registerCommand("Runtime.runScript", [{"name": "scriptId", "type": "string", "optional": false}, {"name": "executionContextId", "type": "number", "optional": false}, {"name": "objectGroup", "type": "string", "optional": true}, {"name": "doNotPauseOnExceptionsAndMuteConsole", "type": "boolean", "optional": true}, {"name": "includeCommandLineAPI", "type": "boolean", "optional": true}], ["result", "exceptionDetails"], false);
+	InspectorBackend.registerEvent("Runtime.executionContextCreated", ["context"]);
+	InspectorBackend.registerEvent("Runtime.executionContextDestroyed", ["executionContextId"]);
+	InspectorBackend.registerEvent("Runtime.executionContextsCleared", []);
+	InspectorBackend.registerEnum("Console.ConsoleMessageSource", {XML: "xml", Javascript: "javascript", Network: "network", ConsoleAPI: "console-api", Storage: "storage", Appcache: "appcache", Rendering: "rendering", Security: "security", Other: "other", Deprecation: "deprecation"});
+	InspectorBackend.registerEnum("Console.ConsoleMessageLevel", {Log: "log", Warning: "warning", Error: "error", Debug: "debug", Info: "info", RevokedError: "revokedError"});
+	InspectorBackend.registerEnum("Console.ConsoleMessageType", {Log: "log", Dir: "dir", DirXML: "dirxml", Table: "table", Trace: "trace", Clear: "clear", StartGroup: "startGroup", StartGroupCollapsed: "startGroupCollapsed", EndGroup: "endGroup", Assert: "assert", Profile: "profile", ProfileEnd: "profileEnd"});
+	InspectorBackend.registerCommand("Console.enable", [], [], false);
+	InspectorBackend.registerCommand("Console.disable", [], [], false);
+	InspectorBackend.registerCommand("Console.clearMessages", [], [], false);
+	InspectorBackend.registerEvent("Console.messageAdded", ["message"]);
+	InspectorBackend.registerEvent("Console.messageRepeatCountUpdated", ["count", "timestamp"]);
+	InspectorBackend.registerEvent("Console.messagesCleared", []);
+	InspectorBackend.registerEnum("Security.SecurityState", {Unknown: "unknown", Neutral: "neutral", Insecure: "insecure", Warning: "warning", Secure: "secure", Info: "info"});
+	InspectorBackend.registerCommand("Security.enable", [], [], false);
+	InspectorBackend.registerCommand("Security.disable", [], [], false);
+	InspectorBackend.registerEvent("Security.securityStateChanged", ["securityState", "explanations", "mixedContentStatus", "schemeIsCryptographic"]);
+	InspectorBackend.registerEnum("Network.ResourcePriority", {VeryLow: "VeryLow", Low: "Low", Medium: "Medium", High: "High", VeryHigh: "VeryHigh"});
+	InspectorBackend.registerEnum("Network.RequestMixedContentType", {Blockable: "blockable", OptionallyBlockable: "optionally-blockable", None: "none"});
+	InspectorBackend.registerEnum("Network.BlockedReason", {Csp: "csp", MixedContent: "mixed-content", Origin: "origin", Inspector: "inspector", Other: "other"});
+	InspectorBackend.registerEnum("Network.InitiatorType", {Parser: "parser", Script: "script", Other: "other"});
+	InspectorBackend.registerCommand("Network.enable", [], [], false);
+	InspectorBackend.registerCommand("Network.disable", [], [], false);
+	InspectorBackend.registerCommand("Network.setUserAgentOverride", [{"name": "userAgent", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.setExtraHTTPHeaders", [{"name": "headers", "type": "object", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.getResponseBody", [{"name": "requestId", "type": "string", "optional": false}], ["body", "base64Encoded"], false);
+	InspectorBackend.registerCommand("Network.addBlockedURL", [{"name": "url", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.removeBlockedURL", [{"name": "url", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.replayXHR", [{"name": "requestId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.setMonitoringXHREnabled", [{"name": "enabled", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.canClearBrowserCache", [], ["result"], false);
+	InspectorBackend.registerCommand("Network.clearBrowserCache", [], [], false);
+	InspectorBackend.registerCommand("Network.canClearBrowserCookies", [], ["result"], false);
+	InspectorBackend.registerCommand("Network.clearBrowserCookies", [], [], false);
+	InspectorBackend.registerCommand("Network.getCookies", [], ["cookies"], false);
+	InspectorBackend.registerCommand("Network.deleteCookie", [{"name": "cookieName", "type": "string", "optional": false}, {"name": "url", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.canEmulateNetworkConditions", [], ["result"], false);
+	InspectorBackend.registerCommand("Network.emulateNetworkConditions", [{"name": "offline", "type": "boolean", "optional": false}, {"name": "latency", "type": "number", "optional": false}, {"name": "downloadThroughput", "type": "number", "optional": false}, {"name": "uploadThroughput", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.setCacheDisabled", [{"name": "cacheDisabled", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.setDataSizeLimitsForTest", [{"name": "maxTotalSize", "type": "number", "optional": false}, {"name": "maxResourceSize", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Network.getCertificateDetails", [{"name": "certificateId", "type": "number", "optional": false}], ["result"], false);
+	InspectorBackend.registerCommand("Network.showCertificateViewer", [{"name": "certificateId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerEvent("Network.requestWillBeSent", ["requestId", "frameId", "loaderId", "documentURL", "request", "timestamp", "wallTime", "initiator", "redirectResponse", "type"]);
+	InspectorBackend.registerEvent("Network.requestServedFromCache", ["requestId"]);
+	InspectorBackend.registerEvent("Network.responseReceived", ["requestId", "frameId", "loaderId", "timestamp", "type", "response"]);
+	InspectorBackend.registerEvent("Network.dataReceived", ["requestId", "timestamp", "dataLength", "encodedDataLength"]);
+	InspectorBackend.registerEvent("Network.loadingFinished", ["requestId", "timestamp", "encodedDataLength"]);
+	InspectorBackend.registerEvent("Network.loadingFailed", ["requestId", "timestamp", "type", "errorText", "canceled", "blockedReason"]);
+	InspectorBackend.registerEvent("Network.webSocketWillSendHandshakeRequest", ["requestId", "timestamp", "wallTime", "request"]);
+	InspectorBackend.registerEvent("Network.webSocketHandshakeResponseReceived", ["requestId", "timestamp", "response"]);
+	InspectorBackend.registerEvent("Network.webSocketCreated", ["requestId", "url"]);
+	InspectorBackend.registerEvent("Network.webSocketClosed", ["requestId", "timestamp"]);
+	InspectorBackend.registerEvent("Network.webSocketFrameReceived", ["requestId", "timestamp", "response"]);
+	InspectorBackend.registerEvent("Network.webSocketFrameError", ["requestId", "timestamp", "errorMessage"]);
+	InspectorBackend.registerEvent("Network.webSocketFrameSent", ["requestId", "timestamp", "response"]);
+	InspectorBackend.registerEvent("Network.eventSourceMessageReceived", ["requestId", "timestamp", "eventName", "eventId", "data"]);
+	InspectorBackend.registerCommand("Database.enable", [], [], false);
+	InspectorBackend.registerCommand("Database.disable", [], [], false);
+	InspectorBackend.registerCommand("Database.getDatabaseTableNames", [{"name": "databaseId", "type": "string", "optional": false}], ["tableNames"], false);
+	InspectorBackend.registerCommand("Database.executeSQL", [{"name": "databaseId", "type": "string", "optional": false}, {"name": "query", "type": "string", "optional": false}], ["columnNames", "values", "sqlError"], false);
+	InspectorBackend.registerEvent("Database.addDatabase", ["database"]);
+	InspectorBackend.registerEnum("IndexedDB.KeyType", {Number: "number", String: "string", Date: "date", Array: "array"});
+	InspectorBackend.registerEnum("IndexedDB.KeyPathType", {Null: "null", String: "string", Array: "array"});
+	InspectorBackend.registerCommand("IndexedDB.enable", [], [], false);
+	InspectorBackend.registerCommand("IndexedDB.disable", [], [], false);
+	InspectorBackend.registerCommand("IndexedDB.requestDatabaseNames", [{"name": "securityOrigin", "type": "string", "optional": false}], ["databaseNames"], false);
+	InspectorBackend.registerCommand("IndexedDB.requestDatabase", [{"name": "securityOrigin", "type": "string", "optional": false}, {"name": "databaseName", "type": "string", "optional": false}], ["databaseWithObjectStores"], false);
+	InspectorBackend.registerCommand("IndexedDB.requestData", [{"name": "securityOrigin", "type": "string", "optional": false}, {"name": "databaseName", "type": "string", "optional": false}, {"name": "objectStoreName", "type": "string", "optional": false}, {"name": "indexName", "type": "string", "optional": false}, {"name": "skipCount", "type": "number", "optional": false}, {"name": "pageSize", "type": "number", "optional": false}, {"name": "keyRange", "type": "object", "optional": true}], ["objectStoreDataEntries", "hasMore"], false);
+	InspectorBackend.registerCommand("IndexedDB.clearObjectStore", [{"name": "securityOrigin", "type": "string", "optional": false}, {"name": "databaseName", "type": "string", "optional": false}, {"name": "objectStoreName", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("CacheStorage.requestCacheNames", [{"name": "securityOrigin", "type": "string", "optional": false}], ["caches"], false);
+	InspectorBackend.registerCommand("CacheStorage.requestEntries", [{"name": "cacheId", "type": "string", "optional": false}, {"name": "skipCount", "type": "number", "optional": false}, {"name": "pageSize", "type": "number", "optional": false}], ["cacheDataEntries", "hasMore"], false);
+	InspectorBackend.registerCommand("CacheStorage.deleteCache", [{"name": "cacheId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("CacheStorage.deleteEntry", [{"name": "cacheId", "type": "string", "optional": false}, {"name": "request", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMStorage.enable", [], [], false);
+	InspectorBackend.registerCommand("DOMStorage.disable", [], [], false);
+	InspectorBackend.registerCommand("DOMStorage.getDOMStorageItems", [{"name": "storageId", "type": "object", "optional": false}], ["entries"], false);
+	InspectorBackend.registerCommand("DOMStorage.setDOMStorageItem", [{"name": "storageId", "type": "object", "optional": false}, {"name": "key", "type": "string", "optional": false}, {"name": "value", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMStorage.removeDOMStorageItem", [{"name": "storageId", "type": "object", "optional": false}, {"name": "key", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerEvent("DOMStorage.domStorageItemsCleared", ["storageId"]);
+	InspectorBackend.registerEvent("DOMStorage.domStorageItemRemoved", ["storageId", "key"]);
+	InspectorBackend.registerEvent("DOMStorage.domStorageItemAdded", ["storageId", "key", "newValue"]);
+	InspectorBackend.registerEvent("DOMStorage.domStorageItemUpdated", ["storageId", "key", "oldValue", "newValue"]);
+	InspectorBackend.registerCommand("ApplicationCache.getFramesWithManifests", [], ["frameIds"], false);
+	InspectorBackend.registerCommand("ApplicationCache.enable", [], [], false);
+	InspectorBackend.registerCommand("ApplicationCache.getManifestForFrame", [{"name": "frameId", "type": "string", "optional": false}], ["manifestURL"], false);
+	InspectorBackend.registerCommand("ApplicationCache.getApplicationCacheForFrame", [{"name": "frameId", "type": "string", "optional": false}], ["applicationCache"], false);
+	InspectorBackend.registerEvent("ApplicationCache.applicationCacheStatusUpdated", ["frameId", "manifestURL", "status"]);
+	InspectorBackend.registerEvent("ApplicationCache.networkStateUpdated", ["isNowOnline"]);
+	InspectorBackend.registerEnum("DOM.PseudoType", {FirstLine: "first-line", FirstLetter: "first-letter", Before: "before", After: "after", Backdrop: "backdrop", Selection: "selection", FirstLineInherited: "first-line-inherited", Scrollbar: "scrollbar", ScrollbarThumb: "scrollbar-thumb", ScrollbarButton: "scrollbar-button", ScrollbarTrack: "scrollbar-track", ScrollbarTrackPiece: "scrollbar-track-piece", ScrollbarCorner: "scrollbar-corner", Resizer: "resizer", InputListButton: "input-list-button"});
+	InspectorBackend.registerEnum("DOM.ShadowRootType", {UserAgent: "user-agent", Open: "open", Closed: "closed"});
+	InspectorBackend.registerEnum("DOM.InspectMode", {SearchForNode: "searchForNode", SearchForUAShadowDOM: "searchForUAShadowDOM", ShowLayoutEditor: "showLayoutEditor", None: "none"});
+	InspectorBackend.registerCommand("DOM.enable", [], [], false);
+	InspectorBackend.registerCommand("DOM.disable", [], [], false);
+	InspectorBackend.registerCommand("DOM.getDocument", [], ["root"], false);
+	InspectorBackend.registerCommand("DOM.requestChildNodes", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "depth", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.querySelector", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "selector", "type": "string", "optional": false}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.querySelectorAll", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "selector", "type": "string", "optional": false}], ["nodeIds"], false);
+	InspectorBackend.registerCommand("DOM.setNodeName", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "name", "type": "string", "optional": false}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.setNodeValue", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "value", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.removeNode", [{"name": "nodeId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.setAttributeValue", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "name", "type": "string", "optional": false}, {"name": "value", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.setAttributesAsText", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "text", "type": "string", "optional": false}, {"name": "name", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.removeAttribute", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "name", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.getOuterHTML", [{"name": "nodeId", "type": "number", "optional": false}], ["outerHTML"], false);
+	InspectorBackend.registerCommand("DOM.setOuterHTML", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "outerHTML", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.performSearch", [{"name": "query", "type": "string", "optional": false}, {"name": "includeUserAgentShadowDOM", "type": "boolean", "optional": true}], ["searchId", "resultCount"], false);
+	InspectorBackend.registerCommand("DOM.getSearchResults", [{"name": "searchId", "type": "string", "optional": false}, {"name": "fromIndex", "type": "number", "optional": false}, {"name": "toIndex", "type": "number", "optional": false}], ["nodeIds"], false);
+	InspectorBackend.registerCommand("DOM.discardSearchResults", [{"name": "searchId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.requestNode", [{"name": "objectId", "type": "string", "optional": false}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.setInspectMode", [{"name": "mode", "type": "string", "optional": false}, {"name": "highlightConfig", "type": "object", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.highlightRect", [{"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}, {"name": "width", "type": "number", "optional": false}, {"name": "height", "type": "number", "optional": false}, {"name": "color", "type": "object", "optional": true}, {"name": "outlineColor", "type": "object", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.highlightQuad", [{"name": "quad", "type": "object", "optional": false}, {"name": "color", "type": "object", "optional": true}, {"name": "outlineColor", "type": "object", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.highlightNode", [{"name": "highlightConfig", "type": "object", "optional": false}, {"name": "nodeId", "type": "number", "optional": true}, {"name": "backendNodeId", "type": "number", "optional": true}, {"name": "objectId", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.hideHighlight", [], [], false);
+	InspectorBackend.registerCommand("DOM.highlightFrame", [{"name": "frameId", "type": "string", "optional": false}, {"name": "contentColor", "type": "object", "optional": true}, {"name": "contentOutlineColor", "type": "object", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOM.pushNodeByPathToFrontend", [{"name": "path", "type": "string", "optional": false}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.pushNodesByBackendIdsToFrontend", [{"name": "backendNodeIds", "type": "object", "optional": false}], ["nodeIds"], false);
+	InspectorBackend.registerCommand("DOM.setInspectedNode", [{"name": "nodeId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.resolveNode", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "objectGroup", "type": "string", "optional": true}], ["object"], false);
+	InspectorBackend.registerCommand("DOM.getAttributes", [{"name": "nodeId", "type": "number", "optional": false}], ["attributes"], false);
+	InspectorBackend.registerCommand("DOM.copyTo", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "targetNodeId", "type": "number", "optional": false}, {"name": "insertBeforeNodeId", "type": "number", "optional": true}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.moveTo", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "targetNodeId", "type": "number", "optional": false}, {"name": "insertBeforeNodeId", "type": "number", "optional": true}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.undo", [], [], false);
+	InspectorBackend.registerCommand("DOM.redo", [], [], false);
+	InspectorBackend.registerCommand("DOM.markUndoableState", [], [], false);
+	InspectorBackend.registerCommand("DOM.focus", [{"name": "nodeId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.setFileInputFiles", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "files", "type": "object", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOM.getBoxModel", [{"name": "nodeId", "type": "number", "optional": false}], ["model"], false);
+	InspectorBackend.registerCommand("DOM.getNodeForLocation", [{"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.getRelayoutBoundary", [{"name": "nodeId", "type": "number", "optional": false}], ["nodeId"], false);
+	InspectorBackend.registerCommand("DOM.getHighlightObjectForTest", [{"name": "nodeId", "type": "number", "optional": false}], ["highlight"], false);
+	InspectorBackend.registerEvent("DOM.documentUpdated", []);
+	InspectorBackend.registerEvent("DOM.inspectNodeRequested", ["backendNodeId"]);
+	InspectorBackend.registerEvent("DOM.setChildNodes", ["parentId", "nodes"]);
+	InspectorBackend.registerEvent("DOM.attributeModified", ["nodeId", "name", "value"]);
+	InspectorBackend.registerEvent("DOM.attributeRemoved", ["nodeId", "name"]);
+	InspectorBackend.registerEvent("DOM.inlineStyleInvalidated", ["nodeIds"]);
+	InspectorBackend.registerEvent("DOM.characterDataModified", ["nodeId", "characterData"]);
+	InspectorBackend.registerEvent("DOM.childNodeCountUpdated", ["nodeId", "childNodeCount"]);
+	InspectorBackend.registerEvent("DOM.childNodeInserted", ["parentNodeId", "previousNodeId", "node"]);
+	InspectorBackend.registerEvent("DOM.childNodeRemoved", ["parentNodeId", "nodeId"]);
+	InspectorBackend.registerEvent("DOM.shadowRootPushed", ["hostId", "root"]);
+	InspectorBackend.registerEvent("DOM.shadowRootPopped", ["hostId", "rootId"]);
+	InspectorBackend.registerEvent("DOM.pseudoElementAdded", ["parentId", "pseudoElement"]);
+	InspectorBackend.registerEvent("DOM.pseudoElementRemoved", ["parentId", "pseudoElementId"]);
+	InspectorBackend.registerEvent("DOM.distributedNodesUpdated", ["insertionPointId", "distributedNodes"]);
+	InspectorBackend.registerEvent("DOM.nodeHighlightRequested", ["nodeId"]);
+	InspectorBackend.registerEnum("CSS.StyleSheetOrigin", {Injected: "injected", UserAgent: "user-agent", Inspector: "inspector", Regular: "regular"});
+	InspectorBackend.registerEnum("CSS.CSSMediaSource", {MediaRule: "mediaRule", ImportRule: "importRule", LinkedSheet: "linkedSheet", InlineSheet: "inlineSheet"});
+	InspectorBackend.registerCommand("CSS.enable", [], [], false);
+	InspectorBackend.registerCommand("CSS.disable", [], [], false);
+	InspectorBackend.registerCommand("CSS.getMatchedStylesForNode", [{"name": "nodeId", "type": "number", "optional": false}], ["inlineStyle", "attributesStyle", "matchedCSSRules", "pseudoElements", "inherited", "cssKeyframesRules"], false);
+	InspectorBackend.registerCommand("CSS.getInlineStylesForNode", [{"name": "nodeId", "type": "number", "optional": false}], ["inlineStyle", "attributesStyle"], false);
+	InspectorBackend.registerCommand("CSS.getComputedStyleForNode", [{"name": "nodeId", "type": "number", "optional": false}], ["computedStyle"], false);
+	InspectorBackend.registerCommand("CSS.getPlatformFontsForNode", [{"name": "nodeId", "type": "number", "optional": false}], ["fonts"], false);
+	InspectorBackend.registerCommand("CSS.getStyleSheetText", [{"name": "styleSheetId", "type": "string", "optional": false}], ["text"], false);
+	InspectorBackend.registerCommand("CSS.setStyleSheetText", [{"name": "styleSheetId", "type": "string", "optional": false}, {"name": "text", "type": "string", "optional": false}], ["sourceMapURL"], false);
+	InspectorBackend.registerCommand("CSS.setRuleSelector", [{"name": "styleSheetId", "type": "string", "optional": false}, {"name": "range", "type": "object", "optional": false}, {"name": "selector", "type": "string", "optional": false}], ["selectorList"], false);
+	InspectorBackend.registerCommand("CSS.setKeyframeKey", [{"name": "styleSheetId", "type": "string", "optional": false}, {"name": "range", "type": "object", "optional": false}, {"name": "keyText", "type": "string", "optional": false}], ["keyText"], false);
+	InspectorBackend.registerCommand("CSS.setStyleTexts", [{"name": "edits", "type": "object", "optional": false}], ["styles"], false);
+	InspectorBackend.registerCommand("CSS.setMediaText", [{"name": "styleSheetId", "type": "string", "optional": false}, {"name": "range", "type": "object", "optional": false}, {"name": "text", "type": "string", "optional": false}], ["media"], false);
+	InspectorBackend.registerCommand("CSS.createStyleSheet", [{"name": "frameId", "type": "string", "optional": false}], ["styleSheetId"], false);
+	InspectorBackend.registerCommand("CSS.addRule", [{"name": "styleSheetId", "type": "string", "optional": false}, {"name": "ruleText", "type": "string", "optional": false}, {"name": "location", "type": "object", "optional": false}], ["rule"], false);
+	InspectorBackend.registerCommand("CSS.forcePseudoState", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "forcedPseudoClasses", "type": "object", "optional": false}], [], false);
+	InspectorBackend.registerCommand("CSS.getMediaQueries", [], ["medias"], false);
+	InspectorBackend.registerCommand("CSS.setEffectivePropertyValueForNode", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "propertyName", "type": "string", "optional": false}, {"name": "value", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("CSS.getBackgroundColors", [{"name": "nodeId", "type": "number", "optional": false}], ["backgroundColors"], false);
+	InspectorBackend.registerEvent("CSS.mediaQueryResultChanged", []);
+	InspectorBackend.registerEvent("CSS.styleSheetChanged", ["styleSheetId"]);
+	InspectorBackend.registerEvent("CSS.styleSheetAdded", ["header"]);
+	InspectorBackend.registerEvent("CSS.styleSheetRemoved", ["styleSheetId"]);
+	InspectorBackend.registerEvent("CSS.layoutEditorChange", ["styleSheetId", "changeRange"]);
+	InspectorBackend.registerCommand("IO.read", [{"name": "handle", "type": "string", "optional": false}, {"name": "offset", "type": "number", "optional": true}, {"name": "size", "type": "number", "optional": true}], ["data", "eof"], false);
+	InspectorBackend.registerCommand("IO.close", [{"name": "handle", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerEnum("Debugger.GeneratorObjectDetailsStatus", {Running: "running", Suspended: "suspended", Closed: "closed"});
+	InspectorBackend.registerEnum("Debugger.ScopeType", {Global: "global", Local: "local", With: "with", Closure: "closure", Catch: "catch", Block: "block", Script: "script"});
+	InspectorBackend.registerEnum("Debugger.PromiseDetailsStatus", {Pending: "pending", Resolved: "resolved", Rejected: "rejected"});
+	InspectorBackend.registerCommand("Debugger.enable", [], [], false);
+	InspectorBackend.registerCommand("Debugger.disable", [], [], false);
+	InspectorBackend.registerCommand("Debugger.setBreakpointsActive", [{"name": "active", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.setSkipAllPauses", [{"name": "skipped", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.setBreakpointByUrl", [{"name": "lineNumber", "type": "number", "optional": false}, {"name": "url", "type": "string", "optional": true}, {"name": "urlRegex", "type": "string", "optional": true}, {"name": "columnNumber", "type": "number", "optional": true}, {"name": "condition", "type": "string", "optional": true}], ["breakpointId", "locations"], false);
+	InspectorBackend.registerCommand("Debugger.setBreakpoint", [{"name": "location", "type": "object", "optional": false}, {"name": "condition", "type": "string", "optional": true}], ["breakpointId", "actualLocation"], false);
+	InspectorBackend.registerCommand("Debugger.removeBreakpoint", [{"name": "breakpointId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.continueToLocation", [{"name": "location", "type": "object", "optional": false}, {"name": "interstatementLocation", "type": "boolean", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Debugger.stepOver", [], [], false);
+	InspectorBackend.registerCommand("Debugger.stepInto", [], [], false);
+	InspectorBackend.registerCommand("Debugger.stepOut", [], [], false);
+	InspectorBackend.registerCommand("Debugger.pause", [], [], false);
+	InspectorBackend.registerCommand("Debugger.resume", [], [], false);
+	InspectorBackend.registerCommand("Debugger.stepIntoAsync", [], [], false);
+	InspectorBackend.registerCommand("Debugger.searchInContent", [{"name": "scriptId", "type": "string", "optional": false}, {"name": "query", "type": "string", "optional": false}, {"name": "caseSensitive", "type": "boolean", "optional": true}, {"name": "isRegex", "type": "boolean", "optional": true}], ["result"], false);
+	InspectorBackend.registerCommand("Debugger.canSetScriptSource", [], ["result"], false);
+	InspectorBackend.registerCommand("Debugger.setScriptSource", [{"name": "scriptId", "type": "string", "optional": false}, {"name": "scriptSource", "type": "string", "optional": false}, {"name": "preview", "type": "boolean", "optional": true}], ["callFrames", "stackChanged", "asyncStackTrace", "compileError"], false);
+	InspectorBackend.registerCommand("Debugger.restartFrame", [{"name": "callFrameId", "type": "string", "optional": false}], ["callFrames", "asyncStackTrace"], false);
+	InspectorBackend.registerCommand("Debugger.getScriptSource", [{"name": "scriptId", "type": "string", "optional": false}], ["scriptSource"], false);
+	InspectorBackend.registerCommand("Debugger.getFunctionDetails", [{"name": "functionId", "type": "string", "optional": false}], ["details"], false);
+	InspectorBackend.registerCommand("Debugger.getGeneratorObjectDetails", [{"name": "objectId", "type": "string", "optional": false}], ["details"], false);
+	InspectorBackend.registerCommand("Debugger.getCollectionEntries", [{"name": "objectId", "type": "string", "optional": false}], ["entries"], false);
+	InspectorBackend.registerCommand("Debugger.setPauseOnExceptions", [{"name": "state", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.evaluateOnCallFrame", [{"name": "callFrameId", "type": "string", "optional": false}, {"name": "expression", "type": "string", "optional": false}, {"name": "objectGroup", "type": "string", "optional": true}, {"name": "includeCommandLineAPI", "type": "boolean", "optional": true}, {"name": "doNotPauseOnExceptionsAndMuteConsole", "type": "boolean", "optional": true}, {"name": "returnByValue", "type": "boolean", "optional": true}, {"name": "generatePreview", "type": "boolean", "optional": true}], ["result", "wasThrown", "exceptionDetails"], false);
+	InspectorBackend.registerCommand("Debugger.setVariableValue", [{"name": "scopeNumber", "type": "number", "optional": false}, {"name": "variableName", "type": "string", "optional": false}, {"name": "newValue", "type": "object", "optional": false}, {"name": "callFrameId", "type": "string", "optional": true}, {"name": "functionObjectId", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Debugger.getStepInPositions", [{"name": "callFrameId", "type": "string", "optional": false}], ["stepInPositions"], false);
+	InspectorBackend.registerCommand("Debugger.getBacktrace", [], ["callFrames", "asyncStackTrace"], false);
+	InspectorBackend.registerCommand("Debugger.setAsyncCallStackDepth", [{"name": "maxDepth", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.enablePromiseTracker", [{"name": "captureStacks", "type": "boolean", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Debugger.disablePromiseTracker", [], [], false);
+	InspectorBackend.registerCommand("Debugger.getPromiseById", [{"name": "promiseId", "type": "number", "optional": false}, {"name": "objectGroup", "type": "string", "optional": true}], ["promise"], false);
+	InspectorBackend.registerCommand("Debugger.flushAsyncOperationEvents", [], [], false);
+	InspectorBackend.registerCommand("Debugger.setAsyncOperationBreakpoint", [{"name": "operationId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.removeAsyncOperationBreakpoint", [{"name": "operationId", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Debugger.setBlackboxedRanges", [{"name": "scriptId", "type": "string", "optional": false}, {"name": "positions", "type": "object", "optional": false}], [], false);
+	InspectorBackend.registerEvent("Debugger.globalObjectCleared", []);
+	InspectorBackend.registerEvent("Debugger.scriptParsed", ["scriptId", "url", "startLine", "startColumn", "endLine", "endColumn", "executionContextId", "hash", "isContentScript", "isInternalScript", "isLiveEdit", "sourceMapURL", "hasSourceURL", "deprecatedCommentWasUsed"]);
+	InspectorBackend.registerEvent("Debugger.scriptFailedToParse", ["scriptId", "url", "startLine", "startColumn", "endLine", "endColumn", "executionContextId", "hash", "isContentScript", "isInternalScript", "sourceMapURL", "hasSourceURL", "deprecatedCommentWasUsed"]);
+	InspectorBackend.registerEvent("Debugger.breakpointResolved", ["breakpointId", "location"]);
+	InspectorBackend.registerEvent("Debugger.paused", ["callFrames", "reason", "data", "hitBreakpoints", "asyncStackTrace"]);
+	InspectorBackend.registerEvent("Debugger.resumed", []);
+	InspectorBackend.registerEvent("Debugger.promiseUpdated", ["eventType", "promise"]);
+	InspectorBackend.registerEvent("Debugger.asyncOperationStarted", ["operation"]);
+	InspectorBackend.registerEvent("Debugger.asyncOperationCompleted", ["id"]);
+	InspectorBackend.registerEnum("DOMDebugger.DOMBreakpointType", {SubtreeModified: "subtree-modified", AttributeModified: "attribute-modified", NodeRemoved: "node-removed"});
+	InspectorBackend.registerCommand("DOMDebugger.setDOMBreakpoint", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "type", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.removeDOMBreakpoint", [{"name": "nodeId", "type": "number", "optional": false}, {"name": "type", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.setEventListenerBreakpoint", [{"name": "eventName", "type": "string", "optional": false}, {"name": "targetName", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.removeEventListenerBreakpoint", [{"name": "eventName", "type": "string", "optional": false}, {"name": "targetName", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.setInstrumentationBreakpoint", [{"name": "eventName", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.removeInstrumentationBreakpoint", [{"name": "eventName", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.setXHRBreakpoint", [{"name": "url", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.removeXHRBreakpoint", [{"name": "url", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DOMDebugger.getEventListeners", [{"name": "objectId", "type": "string", "optional": false}], ["listeners"], false);
+	InspectorBackend.registerCommand("Profiler.enable", [], [], false);
+	InspectorBackend.registerCommand("Profiler.disable", [], [], false);
+	InspectorBackend.registerCommand("Profiler.setSamplingInterval", [{"name": "interval", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Profiler.start", [], [], false);
+	InspectorBackend.registerCommand("Profiler.stop", [], ["profile"], false);
+	InspectorBackend.registerEvent("Profiler.consoleProfileStarted", ["id", "location", "title"]);
+	InspectorBackend.registerEvent("Profiler.consoleProfileFinished", ["id", "location", "profile", "title"]);
+	InspectorBackend.registerCommand("HeapProfiler.enable", [], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.disable", [], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.startTrackingHeapObjects", [{"name": "trackAllocations", "type": "boolean", "optional": true}], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.stopTrackingHeapObjects", [{"name": "reportProgress", "type": "boolean", "optional": true}], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.takeHeapSnapshot", [{"name": "reportProgress", "type": "boolean", "optional": true}], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.collectGarbage", [], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.getObjectByHeapObjectId", [{"name": "objectId", "type": "string", "optional": false}, {"name": "objectGroup", "type": "string", "optional": true}], ["result"], false);
+	InspectorBackend.registerCommand("HeapProfiler.addInspectedHeapObject", [{"name": "heapObjectId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.getHeapObjectId", [{"name": "objectId", "type": "string", "optional": false}], ["heapSnapshotObjectId"], false);
+	InspectorBackend.registerCommand("HeapProfiler.startSampling", [], [], false);
+	InspectorBackend.registerCommand("HeapProfiler.stopSampling", [], ["profile"], false);
+	InspectorBackend.registerEvent("HeapProfiler.addHeapSnapshotChunk", ["chunk"]);
+	InspectorBackend.registerEvent("HeapProfiler.resetProfiles", []);
+	InspectorBackend.registerEvent("HeapProfiler.reportHeapSnapshotProgress", ["done", "total", "finished"]);
+	InspectorBackend.registerEvent("HeapProfiler.lastSeenObjectId", ["lastSeenObjectId", "timestamp"]);
+	InspectorBackend.registerEvent("HeapProfiler.heapStatsUpdate", ["statsUpdate"]);
+	InspectorBackend.registerCommand("Worker.enable", [], [], false);
+	InspectorBackend.registerCommand("Worker.disable", [], [], false);
+	InspectorBackend.registerCommand("Worker.sendMessageToWorker", [{"name": "workerId", "type": "string", "optional": false}, {"name": "message", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Worker.connectToWorker", [{"name": "workerId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Worker.disconnectFromWorker", [{"name": "workerId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Worker.setAutoconnectToWorkers", [{"name": "value", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerEvent("Worker.workerCreated", ["workerId", "url", "inspectorConnected"]);
+	InspectorBackend.registerEvent("Worker.workerTerminated", ["workerId"]);
+	InspectorBackend.registerEvent("Worker.dispatchMessageFromWorker", ["workerId", "message"]);
+	InspectorBackend.registerEnum("ServiceWorker.ServiceWorkerVersionRunningStatus", {Stopped: "stopped", Starting: "starting", Running: "running", Stopping: "stopping"});
+	InspectorBackend.registerEnum("ServiceWorker.ServiceWorkerVersionStatus", {New: "new", Installing: "installing", Installed: "installed", Activating: "activating", Activated: "activated", Redundant: "redundant"});
+	InspectorBackend.registerCommand("ServiceWorker.enable", [], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.disable", [], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.sendMessage", [{"name": "workerId", "type": "string", "optional": false}, {"name": "message", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.stop", [{"name": "workerId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.unregister", [{"name": "scopeURL", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.updateRegistration", [{"name": "scopeURL", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.startWorker", [{"name": "scopeURL", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.stopWorker", [{"name": "versionId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.inspectWorker", [{"name": "versionId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.setDebugOnStart", [{"name": "debugOnStart", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.setForceUpdateOnPageLoad", [{"name": "registrationId", "type": "string", "optional": false}, {"name": "forceUpdateOnPageLoad", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.deliverPushMessage", [{"name": "origin", "type": "string", "optional": false}, {"name": "registrationId", "type": "string", "optional": false}, {"name": "data", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("ServiceWorker.getTargetInfo", [{"name": "targetId", "type": "string", "optional": false}], ["targetInfo"], false);
+	InspectorBackend.registerCommand("ServiceWorker.activateTarget", [{"name": "targetId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerEvent("ServiceWorker.workerCreated", ["workerId", "url", "versionId"]);
+	InspectorBackend.registerEvent("ServiceWorker.workerTerminated", ["workerId"]);
+	InspectorBackend.registerEvent("ServiceWorker.dispatchMessage", ["workerId", "message"]);
+	InspectorBackend.registerEvent("ServiceWorker.workerRegistrationUpdated", ["registrations"]);
+	InspectorBackend.registerEvent("ServiceWorker.workerVersionUpdated", ["versions"]);
+	InspectorBackend.registerEvent("ServiceWorker.workerErrorReported", ["errorMessage"]);
+	InspectorBackend.registerEvent("ServiceWorker.debugOnStartUpdated", ["debugOnStart"]);
+	InspectorBackend.registerEnum("Input.TouchPointState", {TouchPressed: "touchPressed", TouchReleased: "touchReleased", TouchMoved: "touchMoved", TouchStationary: "touchStationary", TouchCancelled: "touchCancelled"});
+	InspectorBackend.registerEnum("Input.GestureSourceType", {Default: "default", Touch: "touch", Mouse: "mouse"});
+	InspectorBackend.registerCommand("Input.dispatchKeyEvent", [{"name": "type", "type": "string", "optional": false}, {"name": "modifiers", "type": "number", "optional": true}, {"name": "timestamp", "type": "number", "optional": true}, {"name": "text", "type": "string", "optional": true}, {"name": "unmodifiedText", "type": "string", "optional": true}, {"name": "keyIdentifier", "type": "string", "optional": true}, {"name": "code", "type": "string", "optional": true}, {"name": "key", "type": "string", "optional": true}, {"name": "windowsVirtualKeyCode", "type": "number", "optional": true}, {"name": "nativeVirtualKeyCode", "type": "number", "optional": true}, {"name": "autoRepeat", "type": "boolean", "optional": true}, {"name": "isKeypad", "type": "boolean", "optional": true}, {"name": "isSystemKey", "type": "boolean", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Input.dispatchMouseEvent", [{"name": "type", "type": "string", "optional": false}, {"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}, {"name": "modifiers", "type": "number", "optional": true}, {"name": "timestamp", "type": "number", "optional": true}, {"name": "button", "type": "string", "optional": true}, {"name": "clickCount", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Input.dispatchTouchEvent", [{"name": "type", "type": "string", "optional": false}, {"name": "touchPoints", "type": "object", "optional": false}, {"name": "modifiers", "type": "number", "optional": true}, {"name": "timestamp", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Input.emulateTouchFromMouseEvent", [{"name": "type", "type": "string", "optional": false}, {"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}, {"name": "timestamp", "type": "number", "optional": false}, {"name": "button", "type": "string", "optional": false}, {"name": "deltaX", "type": "number", "optional": true}, {"name": "deltaY", "type": "number", "optional": true}, {"name": "modifiers", "type": "number", "optional": true}, {"name": "clickCount", "type": "number", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Input.synthesizePinchGesture", [{"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}, {"name": "scaleFactor", "type": "number", "optional": false}, {"name": "relativeSpeed", "type": "number", "optional": true}, {"name": "gestureSourceType", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Input.synthesizeScrollGesture", [{"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}, {"name": "xDistance", "type": "number", "optional": true}, {"name": "yDistance", "type": "number", "optional": true}, {"name": "xOverscroll", "type": "number", "optional": true}, {"name": "yOverscroll", "type": "number", "optional": true}, {"name": "preventFling", "type": "boolean", "optional": true}, {"name": "speed", "type": "number", "optional": true}, {"name": "gestureSourceType", "type": "string", "optional": true}, {"name": "repeatCount", "type": "number", "optional": true}, {"name": "repeatDelayMs", "type": "number", "optional": true}, {"name": "interactionMarkerName", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Input.synthesizeTapGesture", [{"name": "x", "type": "number", "optional": false}, {"name": "y", "type": "number", "optional": false}, {"name": "duration", "type": "number", "optional": true}, {"name": "tapCount", "type": "number", "optional": true}, {"name": "gestureSourceType", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerEnum("LayerTree.ScrollRectType", {RepaintsOnScroll: "RepaintsOnScroll", TouchEventHandler: "TouchEventHandler", WheelEventHandler: "WheelEventHandler"});
+	InspectorBackend.registerCommand("LayerTree.enable", [], [], false);
+	InspectorBackend.registerCommand("LayerTree.disable", [], [], false);
+	InspectorBackend.registerCommand("LayerTree.compositingReasons", [{"name": "layerId", "type": "string", "optional": false}], ["compositingReasons"], false);
+	InspectorBackend.registerCommand("LayerTree.makeSnapshot", [{"name": "layerId", "type": "string", "optional": false}], ["snapshotId"], false);
+	InspectorBackend.registerCommand("LayerTree.loadSnapshot", [{"name": "tiles", "type": "object", "optional": false}], ["snapshotId"], false);
+	InspectorBackend.registerCommand("LayerTree.releaseSnapshot", [{"name": "snapshotId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerCommand("LayerTree.profileSnapshot", [{"name": "snapshotId", "type": "string", "optional": false}, {"name": "minRepeatCount", "type": "number", "optional": true}, {"name": "minDuration", "type": "number", "optional": true}, {"name": "clipRect", "type": "object", "optional": true}], ["timings"], false);
+	InspectorBackend.registerCommand("LayerTree.replaySnapshot", [{"name": "snapshotId", "type": "string", "optional": false}, {"name": "fromStep", "type": "number", "optional": true}, {"name": "toStep", "type": "number", "optional": true}, {"name": "scale", "type": "number", "optional": true}], ["dataURL"], false);
+	InspectorBackend.registerCommand("LayerTree.snapshotCommandLog", [{"name": "snapshotId", "type": "string", "optional": false}], ["commandLog"], false);
+	InspectorBackend.registerEvent("LayerTree.layerTreeDidChange", ["layers"]);
+	InspectorBackend.registerEvent("LayerTree.layerPainted", ["layerId", "clip"]);
+	InspectorBackend.registerCommand("DeviceOrientation.setDeviceOrientationOverride", [{"name": "alpha", "type": "number", "optional": false}, {"name": "beta", "type": "number", "optional": false}, {"name": "gamma", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("DeviceOrientation.clearDeviceOrientationOverride", [], [], false);
+	InspectorBackend.registerCommand("Tracing.start", [{"name": "categories", "type": "string", "optional": true}, {"name": "options", "type": "string", "optional": true}, {"name": "bufferUsageReportingInterval", "type": "number", "optional": true}, {"name": "transferMode", "type": "string", "optional": true}], [], false);
+	InspectorBackend.registerCommand("Tracing.end", [], [], false);
+	InspectorBackend.registerCommand("Tracing.getCategories", [], ["categories"], false);
+	InspectorBackend.registerCommand("Tracing.requestMemoryDump", [], ["dumpGuid", "success"], false);
+	InspectorBackend.registerCommand("Tracing.recordClockSyncMarker", [{"name": "syncId", "type": "string", "optional": false}], [], false);
+	InspectorBackend.registerEvent("Tracing.dataCollected", ["value"]);
+	InspectorBackend.registerEvent("Tracing.tracingComplete", ["stream"]);
+	InspectorBackend.registerEvent("Tracing.bufferUsage", ["percentFull", "eventCount", "value"]);
+	InspectorBackend.registerEnum("Animation.AnimationType", {CSSTransition: "CSSTransition", CSSAnimation: "CSSAnimation", WebAnimation: "WebAnimation"});
+	InspectorBackend.registerCommand("Animation.enable", [], [], false);
+	InspectorBackend.registerCommand("Animation.disable", [], [], false);
+	InspectorBackend.registerCommand("Animation.getPlaybackRate", [], ["playbackRate"], false);
+	InspectorBackend.registerCommand("Animation.setPlaybackRate", [{"name": "playbackRate", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Animation.getCurrentTime", [{"name": "id", "type": "string", "optional": false}], ["currentTime"], false);
+	InspectorBackend.registerCommand("Animation.setPaused", [{"name": "animations", "type": "object", "optional": false}, {"name": "paused", "type": "boolean", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Animation.setTiming", [{"name": "animationId", "type": "string", "optional": false}, {"name": "duration", "type": "number", "optional": false}, {"name": "delay", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Animation.seekAnimations", [{"name": "animations", "type": "object", "optional": false}, {"name": "currentTime", "type": "number", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Animation.releaseAnimations", [{"name": "animations", "type": "object", "optional": false}], [], false);
+	InspectorBackend.registerCommand("Animation.resolveAnimation", [{"name": "animationId", "type": "string", "optional": false}], ["remoteObject"], false);
+	InspectorBackend.registerEvent("Animation.animationCreated", ["id"]);
+	InspectorBackend.registerEvent("Animation.animationStarted", ["animation"]);
+	InspectorBackend.registerEvent("Animation.animationCanceled", ["id"]);
+	InspectorBackend.registerEnum("Accessibility.AXValueType", {Boolean: "boolean", Tristate: "tristate", BooleanOrUndefined: "booleanOrUndefined", Idref: "idref", IdrefList: "idrefList", Integer: "integer", Node: "node", NodeList: "nodeList", Number: "number", String: "string", ComputedString: "computedString", Token: "token", TokenList: "tokenList", DomRelation: "domRelation", Role: "role", InternalRole: "internalRole", ValueUndefined: "valueUndefined"});
+	InspectorBackend.registerEnum("Accessibility.AXValueSourceType", {Attribute: "attribute", Implicit: "implicit", Style: "style", Contents: "contents", Placeholder: "placeholder", RelatedElement: "relatedElement"});
+	InspectorBackend.registerEnum("Accessibility.AXValueNativeSourceType", {Figcaption: "figcaption", Label: "label", Labelfor: "labelfor", Labelwrapped: "labelwrapped", Legend: "legend", Tablecaption: "tablecaption", Title: "title", Other: "other"});
+	InspectorBackend.registerEnum("Accessibility.AXGlobalStates", {Disabled: "disabled", Hidden: "hidden", HiddenRoot: "hiddenRoot", Invalid: "invalid"});
+	InspectorBackend.registerEnum("Accessibility.AXLiveRegionAttributes", {Live: "live", Atomic: "atomic", Relevant: "relevant", Busy: "busy", Root: "root"});
+	InspectorBackend.registerEnum("Accessibility.AXWidgetAttributes", {Autocomplete: "autocomplete", Haspopup: "haspopup", Level: "level", Multiselectable: "multiselectable", Orientation: "orientation", Multiline: "multiline", Readonly: "readonly", Required: "required", Valuemin: "valuemin", Valuemax: "valuemax", Valuetext: "valuetext"});
+	InspectorBackend.registerEnum("Accessibility.AXWidgetStates", {Checked: "checked", Expanded: "expanded", Pressed: "pressed", Selected: "selected"});
+	InspectorBackend.registerEnum("Accessibility.AXRelationshipAttributes", {Activedescendant: "activedescendant", Flowto: "flowto", Controls: "controls", Describedby: "describedby", Labelledby: "labelledby", Owns: "owns"});
+	InspectorBackend.registerCommand("Accessibility.getAXNode", [{"name": "nodeId", "type": "number", "optional": false}], ["accessibilityNode"], false);
+	}
+
+/***/ },
+/* 334 */
+/***/ function(module, exports) {
+
+	// opts is ignored because this is only used in local development and
+	// replaces a more powerful network request from Firefox that can be
+	// configured.
+	function networkRequest(url, opts) {
+	  return Promise.race([fetch(`/get?url=${ url }`).then(res => {
+	    if (res.status >= 200 && res.status < 300) {
+	      return res.text().then(text => ({ content: text }));
+	    }
+	    return Promise.reject(new Error(`failed to request ${ url }`));
+	  }), new Promise((resolve, reject) => {
+	    setTimeout(() => reject(new Error("Connect timeout error")), 6000);
+	  })]);
+	}
+	
+	module.exports = networkRequest;
+
+/***/ },
+/* 335 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(269);
+	
+	var BreakpointResult = _require.BreakpointResult;
+	var Location = _require.Location;
+	
+	
+	var debuggerAgent = void 0;
+	var runtimeAgent = void 0;
+	var pageAgent = void 0;
+	
+	function setupCommands(_ref) {
+	  var agents = _ref.agents;
+	
+	  debuggerAgent = agents.Debugger;
+	  runtimeAgent = agents.Runtime;
+	  pageAgent = agents.Page;
+	}
+	
+	function resume() {
+	  return debuggerAgent.resume();
+	}
+	
+	function stepIn() {
+	  return debuggerAgent.stepInto();
+	}
+	
+	function stepOver() {
+	  return debuggerAgent.stepOver();
+	}
+	
+	function stepOut() {
+	  return debuggerAgent.stepOut();
+	}
+	
+	function pauseOnExceptions(toggle) {
+	  var state = toggle ? "uncaught" : "none";
+	  return debuggerAgent.setPauseOnExceptions(state);
+	}
+	
+	function breakOnNext() {
+	  return debuggerAgent.pause();
+	}
+	
+	function sourceContents(sourceId) {
+	  return debuggerAgent.getScriptSource(sourceId, (err, contents) => ({
+	    source: contents,
+	    contentType: null
+	  }));
+	}
+	
+	function setBreakpoint(location, condition) {
+	  return new Promise((resolve, reject) => {
+	    return debuggerAgent.setBreakpoint({
+	      scriptId: location.sourceId,
+	      lineNumber: location.line - 1,
+	      columnNumber: location.column
+	    }, (err, breakpointId, actualLocation) => {
+	      if (err) {
+	        reject(err);
+	        return;
+	      }
+	
+	      actualLocation = actualLocation ? {
+	        sourceId: actualLocation.scriptId,
+	        line: actualLocation.lineNumber + 1,
+	        column: actualLocation.columnNumber
+	      } : location;
+	
+	      resolve(BreakpointResult({
+	        id: breakpointId,
+	        actualLocation: Location(actualLocation)
+	      }));
+	    });
+	  });
+	}
+	
+	function removeBreakpoint(breakpointId) {
+	  // TODO: resolve promise when request is completed.
+	  return new Promise((resolve, reject) => {
+	    resolve(debuggerAgent.removeBreakpoint(breakpointId));
+	  });
+	}
+	
+	function evaluate(script) {
+	  return runtimeAgent.evaluate(script, (_, result) => {
+	    return result;
+	  });
+	}
+	
+	function debuggeeCommand(script) {
+	  evaluate(script);
+	  return Promise.resolve();
+	}
+	
+	function navigate(url) {
+	  return pageAgent.navigate(url, (_, result) => {
+	    return result;
+	  });
+	}
+	
+	var clientCommands = {
+	  resume,
+	  stepIn,
+	  stepOut,
+	  stepOver,
+	  pauseOnExceptions,
+	  breakOnNext,
+	  sourceContents,
+	  setBreakpoint,
+	  removeBreakpoint,
+	  evaluate,
+	  debuggeeCommand,
+	  navigate
+	};
+	
+	module.exports = {
+	  setupCommands,
+	  clientCommands
+	};
+
+/***/ },
+/* 336 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var paused = (() => {
+	  var _ref = _asyncToGenerator(function* (callFrames, reason, data, hitBreakpoints, asyncStackTrace) {
+	    var frames = callFrames.map(function (frame) {
+	      return Frame({
+	        id: frame.callFrameId,
+	        displayName: frame.functionName,
+	        location: Location({
+	          sourceId: frame.location.scriptId,
+	          line: frame.location.lineNumber + 1,
+	          column: frame.location.columnNumber
+	        })
+	      });
+	    });
+	
+	    var frame = frames[0];
+	    var why = Object.assign({}, {
+	      type: reason
+	    }, data);
+	
+	    pageAgent.setOverlayMessage("Paused in debugger.html");
+	
+	    yield actions.paused({ frame, why, frames });
+	  });
+	
+	  return function paused(_x, _x2, _x3, _x4, _x5) {
+	    return _ref.apply(this, arguments);
+	  };
+	})();
+	
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	var _require = __webpack_require__(269);
+	
+	var Source = _require.Source;
+	var Location = _require.Location;
+	var Frame = _require.Frame;
+	
+	
+	var actions = void 0;
+	var pageAgent = void 0;
+	
+	function setupEvents(dependencies) {
+	  actions = dependencies.actions;
+	  pageAgent = dependencies.agents.Page;
+	}
+	
+	// Debugger Events
+	function scriptParsed(scriptId, url, startLine, startColumn, endLine, endColumn, executionContextId, hash, isContentScript, isInternalScript, isLiveEdit, sourceMapURL, hasSourceURL, deprecatedCommentWasUsed) {
+	  if (isContentScript) {
+	    return;
+	  }
+	
+	  actions.newSource(Source({
+	    id: scriptId,
+	    url,
+	    sourceMapURL,
+	    isPrettyPrinted: false
+	  }));
+	}
+	
+	function scriptFailedToParse() {}
+	
+	function resumed() {
+	  pageAgent.setOverlayMessage(undefined);
+	  actions.resumed();
+	}
+	
+	function globalObjectCleared() {}
+	
+	// Page Events
+	function frameNavigated(frame) {
+	  actions.navigate();
+	}
+	
+	function frameStartedLoading() {
+	  actions.willNavigate();
+	}
+	
+	function domContentEventFired() {}
+	
+	function loadEventFired() {}
+	
+	function frameStoppedLoading() {}
+	
+	var clientEvents = {
+	  scriptParsed,
+	  scriptFailedToParse,
+	  paused,
+	  resumed,
+	  globalObjectCleared
+	};
+	
+	var pageEvents = {
+	  frameNavigated,
+	  frameStartedLoading,
+	  domContentEventFired,
+	  loadEventFired,
+	  frameStoppedLoading
+	};
+	
+	module.exports = {
+	  setupEvents,
+	  pageEvents,
+	  clientEvents
+	};
+
+/***/ },
+/* 337 */
+/***/ function(module, exports, __webpack_require__) {
+
+	
+	
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	/* global window */
+	
+	var _require = __webpack_require__(2);
+	
+	var createStore = _require.createStore;
+	var applyMiddleware = _require.applyMiddleware;
+	
+	var _require2 = __webpack_require__(338);
+	
+	var waitUntilService = _require2.waitUntilService;
+	
+	var _require3 = __webpack_require__(339);
+	
+	var log = _require3.log;
+	
+	var _require4 = __webpack_require__(340);
+	
+	var history = _require4.history;
+	
+	var _require5 = __webpack_require__(341);
+	
+	var promise = _require5.promise;
+	
+	var _require6 = __webpack_require__(346);
+	
+	var thunk = _require6.thunk;
+	
+	
+	/**
+	 * This creates a dispatcher with all the standard middleware in place
+	 * that all code requires. It can also be optionally configured in
+	 * various ways, such as logging and recording.
+	 *
+	 * @param {object} opts:
+	 *        - log: log all dispatched actions to console
+	 *        - history: an array to store every action in. Should only be
+	 *                   used in tests.
+	 *        - middleware: array of middleware to be included in the redux store
+	 */
+	var configureStore = function () {
+	  var opts = arguments.length <= 0 || arguments[0] === undefined ? {} : arguments[0];
+	
+	  var middleware = [thunk(opts.makeThunkArgs), promise,
+	
+	  // Order is important: services must go last as they always
+	  // operate on "already transformed" actions. Actions going through
+	  // them shouldn't have any special fields like promises, they
+	  // should just be normal JSON objects.
+	  waitUntilService];
+	
+	  if (opts.history) {
+	    middleware.push(history(opts.history));
+	  }
+	
+	  if (opts.middleware) {
+	    opts.middleware.forEach(fn => middleware.push(fn));
+	  }
+	
+	  if (opts.log) {
+	    middleware.push(log);
+	  }
+	
+	  // Hook in the redux devtools browser extension if it exists
+	  var devtoolsExt = typeof window === "object" && window.devToolsExtension ? window.devToolsExtension() : f => f;
+	
+	  return applyMiddleware.apply(undefined, middleware)(devtoolsExt(createStore));
+	};
+	
+	module.exports = configureStore;
+
+/***/ },
+/* 338 */
+/***/ function(module, exports) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	/**
+	 * A middleware which acts like a service, because it is stateful
+	 * and "long-running" in the background. It provides the ability
+	 * for actions to install a function to be run once when a specific
+	 * condition is met by an action coming through the system. Think of
+	 * it as a thunk that blocks until the condition is met. Example:
+	 *
+	 * ```js
+	 * const services = { WAIT_UNTIL: require('wait-service').NAME };
+	 *
+	 * { type: services.WAIT_UNTIL,
+	 *   predicate: action => action.type === constants.ADD_ITEM,
+	 *   run: (dispatch, getState, action) => {
+	 *     // Do anything here. You only need to accept the arguments
+	 *     // if you need them. `action` is the action that satisfied
+	 *     // the predicate.
+	 *   }
+	 * }
+	 * ```
+	 */
+	const NAME = exports.NAME = "@@service/waitUntil";
+	
+	function waitUntilService({ dispatch, getState }) {
+	  let pending = [];
+	
+	  function checkPending(action) {
+	    let readyRequests = [];
+	    let stillPending = [];
+	
+	    // Find the pending requests whose predicates are satisfied with
+	    // this action. Wait to run the requests until after we update the
+	    // pending queue because the request handler may synchronously
+	    // dispatch again and run this service (that use case is
+	    // completely valid).
+	    for (let request of pending) {
+	      if (request.predicate(action)) {
+	        readyRequests.push(request);
+	      } else {
+	        stillPending.push(request);
+	      }
+	    }
+	
+	    pending = stillPending;
+	    for (let request of readyRequests) {
+	      request.run(dispatch, getState, action);
+	    }
+	  }
+	
+	  return next => action => {
+	    if (action.type === NAME) {
+	      pending.push(action);
+	      return null;
+	    }
+	    let result = next(action);
+	    checkPending(action);
+	    return result;
+	  };
+	}
+	exports.waitUntilService = waitUntilService;
+
+
+/***/ },
+/* 339 */
+/***/ function(module, exports) {
+
+	/**
+	 * A middleware that logs all actions coming through the system
+	 * to the console.
+	 */
+	function log(_ref) {
+	  var dispatch = _ref.dispatch;
+	  var getState = _ref.getState;
+	
+	  return next => action => {
+	    var actionText = JSON.stringify(action, null, 2);
+	    var truncatedActionText = actionText.slice(0, 1000) + "...";
+	    console.log(`[DISPATCH ${ action.type }]`, action, truncatedActionText);
+	    next(action);
+	  };
+	}
+	
+	exports.log = log;
+
+/***/ },
+/* 340 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var _require = __webpack_require__(201);
+	
+	var isDevelopment = _require.isDevelopment;
+	
+	/**
+	 * A middleware that stores every action coming through the store in the passed
+	 * in logging object. Should only be used for tests, as it collects all
+	 * action information, which will cause memory bloat.
+	 */
+	
+	exports.history = function () {
+	  var log = arguments.length <= 0 || arguments[0] === undefined ? [] : arguments[0];
+	  return _ref => {
+	    var dispatch = _ref.dispatch;
+	    var getState = _ref.getState;
+	
+	    if (isDevelopment()) {
+	      console.warn("Using history middleware stores all actions in state for " + "testing and devtools is not currently running in test " + "mode. Be sure this is intentional.");
+	    }
+	    return next => action => {
+	      log.push(action);
+	      next(action);
+	    };
+	  };
+	};
+
+/***/ },
+/* 341 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var defer = __webpack_require__(267);
+	
+	var _require = __webpack_require__(342);
+	
+	var entries = _require.entries;
+	var toObject = _require.toObject;
+	
+	var _require2 = __webpack_require__(344);
+	
+	var executeSoon = _require2.executeSoon;
+	
+	
+	var PROMISE = exports.PROMISE = "@@dispatch/promise";
+	var seqIdVal = 1;
+	
+	function seqIdGen() {
+	  return seqIdVal++;
+	}
+	
+	function promiseMiddleware(_ref) {
+	  var dispatch = _ref.dispatch;
+	  var getState = _ref.getState;
+	
+	  return next => action => {
+	    if (!(PROMISE in action)) {
+	      return next(action);
+	    }
+	
+	    var promiseInst = action[PROMISE];
+	    var seqId = seqIdGen().toString();
+	
+	    // Create a new action that doesn't have the promise field and has
+	    // the `seqId` field that represents the sequence id
+	    action = Object.assign(toObject(entries(action).filter(pair => pair[0] !== PROMISE)), { seqId });
+	
+	    dispatch(Object.assign({}, action, { status: "start" }));
+	
+	    // Return the promise so action creators can still compose if they
+	    // want to.
+	    var deferred = defer();
+	    promiseInst.then(value => {
+	      executeSoon(() => {
+	        dispatch(Object.assign({}, action, {
+	          status: "done",
+	          value: value
+	        }));
+	        deferred.resolve(value);
+	      });
+	    }, error => {
+	      executeSoon(() => {
+	        dispatch(Object.assign({}, action, {
+	          status: "error",
+	          error: error.message || error
+	        }));
+	        deferred.reject(error);
+	      });
+	    });
+	    return deferred.promise;
+	  };
+	}
+	
+	exports.promise = promiseMiddleware;
+
+/***/ },
+/* 342 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();
+	
+	var asyncMap = (() => {
+	  var _ref = _asyncToGenerator(function* (items, callback) {
+	    var newItems = [];
+	    for (var item of items) {
+	      item = yield callback(item);
+	      newItems.push(item);
+	    }
+	
+	    return newItems;
+	  });
+	
+	  return function asyncMap(_x, _x2) {
+	    return _ref.apply(this, arguments);
+	  };
+	})();
+	
+	/**
+	 * Interleaves two arrays element by element, returning the combined array, like
+	 * a zip. In the case of arrays with different sizes, undefined values will be
+	 * interleaved at the end along with the extra values of the larger array.
+	 *
+	 * @param Array a
+	 * @param Array b
+	 * @returns Array
+	 *          The combined array, in the form [a1, b1, a2, b2, ...]
+	 */
+	
+	
+	function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } }
+	
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var co = __webpack_require__(343);
+	
+	var _require = __webpack_require__(201);
+	
+	var isDevelopment = _require.isDevelopment;
+	
+	var defer = __webpack_require__(267);
+	
+	function asPaused(client, func) {
+	  if (client.state != "paused") {
+	    return co(function* () {
+	      yield client.interrupt();
+	      var result = void 0;
+	
+	      try {
+	        result = yield func();
+	      } catch (e) {
+	        // Try to put the debugger back in a working state by resuming
+	        // it
+	        yield client.resume();
+	        throw e;
+	      }
+	
+	      yield client.resume();
+	      return result;
+	    });
+	  }
+	  return func();
+	}
+	
+	function handleError(err) {
+	  console.log("ERROR: ", err);
+	}
+	
+	function promisify(context, method) {
+	  for (var _len = arguments.length, args = Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) {
+	    args[_key - 2] = arguments[_key];
+	  }
+	
+	  return new Promise((resolve, reject) => {
+	    args.push(response => {
+	      if (response.error) {
+	        reject(response);
+	      } else {
+	        resolve(response);
+	      }
+	    });
+	    method.apply(context, args);
+	  });
+	}
+	
+	function truncateStr(str, size) {
+	  if (str.length > size) {
+	    return str.slice(0, size) + "...";
+	  }
+	  return str;
+	}
+	
+	function endTruncateStr(str, size) {
+	  if (str.length > size) {
+	    return "..." + str.slice(str.length - size);
+	  }
+	  return str;
+	}
+	
+	function workerTask(worker, message) {
+	  var deferred = defer();
+	  worker.postMessage(message);
+	  worker.onmessage = function (result) {
+	    if (result.data && result.data.error) {
+	      deferred.reject(result.data.error);
+	    }
+	
+	    deferred.resolve(result.data);
+	  };
+	
+	  return deferred.promise;
+	}
+	
+	function zip(a, b) {
+	  if (!b) {
+	    return a;
+	  }
+	  if (!a) {
+	    return b;
+	  }
+	  var pairs = [];
+	  for (var i = 0, aLength = a.length, bLength = b.length; i < aLength || i < bLength; i++) {
+	    pairs.push([a[i], b[i]]);
+	  }
+	  return pairs;
+	}
+	
+	/**
+	 * Converts an object into an array with 2-element arrays as key/value
+	 * pairs of the object. `{ foo: 1, bar: 2}` would become
+	 * `[[foo, 1], [bar 2]]` (order not guaranteed);
+	 *
+	 * @param object obj
+	 * @returns array
+	 */
+	function entries(obj) {
+	  return Object.keys(obj).map(k => [k, obj[k]]);
+	}
+	
+	function mapObject(obj, iteratee) {
+	  return toObject(entries(obj).map(_ref2 => {
+	    var _ref3 = _slicedToArray(_ref2, 2);
+	
+	    var key = _ref3[0];
+	    var value = _ref3[1];
+	
+	    return [key, iteratee(key, value)];
+	  }));
+	}
+	
+	/**
+	 * Takes an array of 2-element arrays as key/values pairs and
+	 * constructs an object using them.
+	 */
+	function toObject(arr) {
+	  var obj = {};
+	  for (var pair of arr) {
+	    obj[pair[0]] = pair[1];
+	  }
+	  return obj;
+	}
+	
+	/**
+	 * Composes the given functions into a single function, which will
+	 * apply the results of each function right-to-left, starting with
+	 * applying the given arguments to the right-most function.
+	 * `compose(foo, bar, baz)` === `args => foo(bar(baz(args)`
+	 *
+	 * @param ...function funcs
+	 * @returns function
+	 */
+	function compose() {
+	  for (var _len2 = arguments.length, funcs = Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {
+	    funcs[_key2] = arguments[_key2];
+	  }
+	
+	  return function () {
+	    for (var _len3 = arguments.length, args = Array(_len3), _key3 = 0; _key3 < _len3; _key3++) {
+	      args[_key3] = arguments[_key3];
+	    }
+	
+	    var initialValue = funcs[funcs.length - 1].apply(null, args);
+	    var leftFuncs = funcs.slice(0, -1);
+	    return leftFuncs.reduceRight((composed, f) => f(composed), initialValue);
+	  };
+	}
+	
+	function log() {
+	  if (!isDevelopment()) {
+	    return;
+	  }
+	
+	  console.log.apply(console, ["[log]"].concat(Array.prototype.slice.call(arguments)));
+	}
+	
+	function updateObj(obj, fields) {
+	  return Object.assign({}, obj, fields);
+	}
+	
+	function throttle(func, ms) {
+	  var timeout = void 0,
+	      _this = void 0;
+	  return function () {
+	    for (var _len4 = arguments.length, args = Array(_len4), _key4 = 0; _key4 < _len4; _key4++) {
+	      args[_key4] = arguments[_key4];
+	    }
+	
+	    _this = this;
+	    if (!timeout) {
+	      timeout = setTimeout(() => {
+	        func.apply.apply(func, [_this].concat(_toConsumableArray(args)));
+	        timeout = null;
+	      }, ms);
+	    }
+	  };
+	}
+	
+	module.exports = {
+	  asPaused,
+	  handleError,
+	  promisify,
+	  truncateStr,
+	  endTruncateStr,
+	  workerTask,
+	  asyncMap,
+	  zip,
+	  entries,
+	  toObject,
+	  mapObject,
+	  compose,
+	  log,
+	  updateObj,
+	  throttle
+	};
+
+/***/ },
+/* 343 */
+/***/ function(module, exports) {
+
+	
+	/**
+	 * slice() reference.
+	 */
+	
+	var slice = Array.prototype.slice;
+	
+	/**
+	 * Expose `co`.
+	 */
+	
+	module.exports = co['default'] = co.co = co;
+	
+	/**
+	 * Wrap the given generator `fn` into a
+	 * function that returns a promise.
+	 * This is a separate function so that
+	 * every `co()` call doesn't create a new,
+	 * unnecessary closure.
+	 *
+	 * @param {GeneratorFunction} fn
+	 * @return {Function}
+	 * @api public
+	 */
+	
+	co.wrap = function (fn) {
+	  createPromise.__generatorFunction__ = fn;
+	  return createPromise;
+	  function createPromise() {
+	    return co.call(this, fn.apply(this, arguments));
+	  }
+	};
+	
+	/**
+	 * Execute the generator function or a generator
+	 * and return a promise.
+	 *
+	 * @param {Function} fn
+	 * @return {Promise}
+	 * @api public
+	 */
+	
+	function co(gen) {
+	  var ctx = this;
+	  var args = slice.call(arguments, 1)
+	
+	  // we wrap everything in a promise to avoid promise chaining,
+	  // which leads to memory leak errors.
+	  // see https://github.com/tj/co/issues/180
+	  return new Promise(function(resolve, reject) {
+	    if (typeof gen === 'function') gen = gen.apply(ctx, args);
+	    if (!gen || typeof gen.next !== 'function') return resolve(gen);
+	
+	    onFulfilled();
+	
+	    /**
+	     * @param {Mixed} res
+	     * @return {Promise}
+	     * @api private
+	     */
+	
+	    function onFulfilled(res) {
+	      var ret;
+	      try {
+	        ret = gen.next(res);
+	      } catch (e) {
+	        return reject(e);
+	      }
+	      next(ret);
+	    }
+	
+	    /**
+	     * @param {Error} err
+	     * @return {Promise}
+	     * @api private
+	     */
+	
+	    function onRejected(err) {
+	      var ret;
+	      try {
+	        ret = gen.throw(err);
+	      } catch (e) {
+	        return reject(e);
+	      }
+	      next(ret);
+	    }
+	
+	    /**
+	     * Get the next value in the generator,
+	     * return a promise.
+	     *
+	     * @param {Object} ret
+	     * @return {Promise}
+	     * @api private
+	     */
+	
+	    function next(ret) {
+	      if (ret.done) return resolve(ret.value);
+	      var value = toPromise.call(ctx, ret.value);
+	      if (value && isPromise(value)) return value.then(onFulfilled, onRejected);
+	      return onRejected(new TypeError('You may only yield a function, promise, generator, array, or object, '
+	        + 'but the following object was passed: "' + String(ret.value) + '"'));
+	    }
+	  });
+	}
+	
+	/**
+	 * Convert a `yield`ed value into a promise.
+	 *
+	 * @param {Mixed} obj
+	 * @return {Promise}
+	 * @api private
+	 */
+	
+	function toPromise(obj) {
+	  if (!obj) return obj;
+	  if (isPromise(obj)) return obj;
+	  if (isGeneratorFunction(obj) || isGenerator(obj)) return co.call(this, obj);
+	  if ('function' == typeof obj) return thunkToPromise.call(this, obj);
+	  if (Array.isArray(obj)) return arrayToPromise.call(this, obj);
+	  if (isObject(obj)) return objectToPromise.call(this, obj);
+	  return obj;
+	}
+	
+	/**
+	 * Convert a thunk to a promise.
+	 *
+	 * @param {Function}
+	 * @return {Promise}
+	 * @api private
+	 */
+	
+	function thunkToPromise(fn) {
+	  var ctx = this;
+	  return new Promise(function (resolve, reject) {
+	    fn.call(ctx, function (err, res) {
+	      if (err) return reject(err);
+	      if (arguments.length > 2) res = slice.call(arguments, 1);
+	      resolve(res);
+	    });
+	  });
+	}
+	
+	/**
+	 * Convert an array of "yieldables" to a promise.
+	 * Uses `Promise.all()` internally.
+	 *
+	 * @param {Array} obj
+	 * @return {Promise}
+	 * @api private
+	 */
+	
+	function arrayToPromise(obj) {
+	  return Promise.all(obj.map(toPromise, this));
+	}
+	
+	/**
+	 * Convert an object of "yieldables" to a promise.
+	 * Uses `Promise.all()` internally.
+	 *
+	 * @param {Object} obj
+	 * @return {Promise}
+	 * @api private
+	 */
+	
+	function objectToPromise(obj){
+	  var results = new obj.constructor();
+	  var keys = Object.keys(obj);
+	  var promises = [];
+	  for (var i = 0; i < keys.length; i++) {
+	    var key = keys[i];
+	    var promise = toPromise.call(this, obj[key]);
+	    if (promise && isPromise(promise)) defer(promise, key);
+	    else results[key] = obj[key];
+	  }
+	  return Promise.all(promises).then(function () {
+	    return results;
+	  });
+	
+	  function defer(promise, key) {
+	    // predefine the key in the result
+	    results[key] = undefined;
+	    promises.push(promise.then(function (res) {
+	      results[key] = res;
+	    }));
+	  }
+	}
+	
+	/**
+	 * Check if `obj` is a promise.
+	 *
+	 * @param {Object} obj
+	 * @return {Boolean}
+	 * @api private
+	 */
+	
+	function isPromise(obj) {
+	  return 'function' == typeof obj.then;
+	}
+	
+	/**
+	 * Check if `obj` is a generator.
+	 *
+	 * @param {Mixed} obj
+	 * @return {Boolean}
+	 * @api private
+	 */
+	
+	function isGenerator(obj) {
+	  return 'function' == typeof obj.next && 'function' == typeof obj.throw;
+	}
+	
+	/**
+	 * Check if `obj` is a generator function.
+	 *
+	 * @param {Mixed} obj
+	 * @return {Boolean}
+	 * @api private
+	 */
+	function isGeneratorFunction(obj) {
+	  var constructor = obj.constructor;
+	  if (!constructor) return false;
+	  if ('GeneratorFunction' === constructor.name || 'GeneratorFunction' === constructor.displayName) return true;
+	  return isGenerator(constructor.prototype);
+	}
+	
+	/**
+	 * Check for plain object.
+	 *
+	 * @param {Mixed} val
+	 * @return {Boolean}
+	 * @api private
+	 */
+	
+	function isObject(val) {
+	  return Object == val.constructor;
+	}
+
+
+/***/ },
+/* 344 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assert = __webpack_require__(345);
+	
+	function reportException(who, exception) {
+	  var msg = who + " threw an exception: ";
+	  console.error(msg, exception);
+	}
+	
+	function executeSoon(fn) {
+	  setTimeout(fn, 0);
+	}
+	
+	module.exports = {
+	  reportException,
+	  executeSoon,
+	  assert
+	};
+
+/***/ },
+/* 345 */
+/***/ function(module, exports) {
+
+	function assert(condition, message) {
+	  if (!condition) {
+	    throw new Error("Assertion failure: " + message);
+	  }
+	}
+	
+	module.exports = assert;
+
+/***/ },
+/* 346 */
+/***/ function(module, exports) {
+
+	
+	/**
+	 * A middleware that allows thunks (functions) to be dispatched. If
+	 * it's a thunk, it is called with an argument that contains
+	 * `dispatch`, `getState`, and any additional args passed in via the
+	 * middleware constructure. This allows the action to create multiple
+	 * actions (most likely asynchronously).
+	 */
+	function thunk(makeArgs) {
+	  return _ref => {
+	    var dispatch = _ref.dispatch;
+	    var getState = _ref.getState;
+	
+	    var args = { dispatch, getState };
+	
+	    return next => action => {
+	      return typeof action === "function" ? action(makeArgs ? makeArgs(args, getState()) : args) : next(action);
+	    };
+	  };
+	}
+	exports.thunk = thunk;
+
+/***/ },
+/* 347 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var eventListeners = __webpack_require__(348);
+	var sources = __webpack_require__(350);
+	var breakpoints = __webpack_require__(354);
+	var asyncRequests = __webpack_require__(355);
+	var tabs = __webpack_require__(356);
+	var pause = __webpack_require__(357);
+	
+	module.exports = {
+	  eventListeners,
+	  sources: sources.update,
+	  breakpoints: breakpoints.update,
+	  pause: pause.update,
+	  asyncRequests,
+	  tabs
+	};
+
+/***/ },
+/* 348 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var constants = __webpack_require__(349);
+	
+	var initialState = {
+	  activeEventNames: [],
+	  listeners: [],
+	  fetchingListeners: false
+	};
+	
+	function update() {
+	  var state = arguments.length <= 0 || arguments[0] === undefined ? initialState : arguments[0];
+	  var action = arguments[1];
+	  var emit = arguments[2];
+	
+	  switch (action.type) {
+	    case constants.UPDATE_EVENT_BREAKPOINTS:
+	      state.activeEventNames = action.eventNames;
+	      emit("activeEventNames", state.activeEventNames);
+	      break;
+	    case constants.FETCH_EVENT_LISTENERS:
+	      if (action.status === "begin") {
+	        state.fetchingListeners = true;
+	      } else if (action.status === "done") {
+	        state.fetchingListeners = false;
+	        state.listeners = action.listeners;
+	        emit("event-listeners", state.listeners);
+	      }
+	      break;
+	    case constants.NAVIGATE:
+	      return initialState;
+	  }
+	
+	  return state;
+	}
+	
+	module.exports = update;
+
+/***/ },
+/* 349 */
+/***/ function(module, exports) {
+
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	exports.UPDATE_EVENT_BREAKPOINTS = "UPDATE_EVENT_BREAKPOINTS";
+	exports.FETCH_EVENT_LISTENERS = "FETCH_EVENT_LISTENERS";
+	
+	exports.TOGGLE_PRETTY_PRINT = "TOGGLE_PRETTY_PRINT";
+	exports.BLACKBOX = "BLACKBOX";
+	
+	exports.ADD_BREAKPOINT = "ADD_BREAKPOINT";
+	exports.REMOVE_BREAKPOINT = "REMOVE_BREAKPOINT";
+	exports.ENABLE_BREAKPOINT = "ENABLE_BREAKPOINT";
+	exports.DISABLE_BREAKPOINT = "DISABLE_BREAKPOINT";
+	exports.SET_BREAKPOINT_CONDITION = "SET_BREAKPOINT_CONDITION";
+	exports.TOGGLE_BREAKPOINTS = "TOGGLE_BREAKPOINTS";
+	
+	exports.ADD_SOURCE = "ADD_SOURCE";
+	exports.ADD_SOURCES = "ADD_SOURCES";
+	exports.LOAD_SOURCE_TEXT = "LOAD_SOURCE_TEXT";
+	exports.SELECT_SOURCE = "SELECT_SOURCE";
+	exports.SELECT_SOURCE_URL = "SELECT_SOURCE_URL";
+	exports.CLOSE_TAB = "CLOSE_TAB";
+	exports.NAVIGATE = "NAVIGATE";
+	exports.RELOAD = "RELOAD";
+	
+	exports.ADD_TABS = "ADD_TABS";
+	exports.SELECT_TAB = "SELECT_TAB";
+	
+	exports.BREAK_ON_NEXT = "BREAK_ON_NEXT";
+	exports.RESUME = "RESUME";
+	exports.PAUSED = "PAUSED";
+	exports.PAUSE_ON_EXCEPTIONS = "PAUSE_ON_EXCEPTIONS";
+	exports.COMMAND = "COMMAND";
+	exports.SELECT_FRAME = "SELECT_FRAME";
+	exports.LOAD_OBJECT_PROPERTIES = "LOAD_OBJECT_PROPERTIES";
+	exports.ADD_EXPRESSION = "ADD_EXPRESSION";
+	exports.EVALUATE_EXPRESSION = "EVALUATE_EXPRESSION";
+	exports.UPDATE_EXPRESSION = "UPDATE_EXPRESSION";
+	exports.DELETE_EXPRESSION = "DELETE_EXPRESSION";
+
+/***/ },
+/* 350 */
+/***/ function(module, exports, __webpack_require__) {
+
+	
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var fromJS = __webpack_require__(351);
+	var I = __webpack_require__(352);
+	var makeRecord = __webpack_require__(353);
+	
+	var State = makeRecord({
+	  sources: I.Map(),
+	  selectedLocation: undefined,
+	  pendingSelectedLocation: undefined,
+	  sourcesText: I.Map(),
+	  tabs: I.List([])
+	});
+	
+	function update() {
+	  var state = arguments.length <= 0 || arguments[0] === undefined ? State() : arguments[0];
+	  var action = arguments[1];
+	
+	  switch (action.type) {
+	    case "ADD_SOURCE":
+	      {
+	        var _source = action.source;
+	        return state.mergeIn(["sources", action.source.id], _source);
+	      }
+	
+	    case "SELECT_SOURCE":
+	      return state.set("selectedLocation", {
+	        sourceId: action.source.id,
+	        line: action.line
+	      }).set("pendingSelectedLocation", null).merge({
+	        tabs: updateTabList(state, fromJS(action.source), action.tabIndex)
+	      });
+	
+	    case "SELECT_SOURCE_URL":
+	      return state.set("pendingSelectedLocation", {
+	        url: action.url,
+	        line: action.line
+	      });
+	
+	    case "CLOSE_TAB":
+	      return state.merge({ tabs: removeSourceFromTabList(state, action.id) }).set("selectedLocation", {
+	        sourceId: getNewSelectedSourceId(state, action.id)
+	      });
+	
+	    case "LOAD_SOURCE_TEXT":
+	      return _updateText(state, action);
+	
+	    case "BLACKBOX":
+	      if (action.status === "done") {
+	        return state.setIn(["sources", action.source.id, "isBlackBoxed"], action.value.isBlackBoxed);
+	      }
+	      break;
+	
+	    case "TOGGLE_PRETTY_PRINT":
+	      if (action.status === "done") {
+	        return _updateText(state, action).setIn(["sources", action.source.id, "isPrettyPrinted"], action.value.isPrettyPrinted);
+	      }
+	
+	      return _updateText(state, action);
+	
+	    case "NAVIGATE":
+	      var source = getSelectedSource({ sources: state });
+	      var _url = source && source.get("url");
+	      return State().set("pendingSelectedLocation", { url: _url });
+	  }
+	
+	  return state;
+	}
+	
+	// TODO: Action is coerced to `any` unfortunately because how we type
+	// asynchronous actions is wrong. The `value` may be null for the
+	// "start" and "error" states but we don't type it like that. We need
+	// to rethink how we type async actions.
+	function _updateText(state, action) {
+	  var source = action.source;
+	  var sourceText = action.value;
+	
+	  if (action.status === "start") {
+	    // Merge this in, don't set it. That way the previous value is
+	    // still stored here, and we can retrieve it if whatever we're
+	    // doing fails.
+	    return state.mergeIn(["sourcesText", source.id], {
+	      loading: true
+	    });
+	  }
+	
+	  if (action.status === "error") {
+	    return state.setIn(["sourcesText", source.id], I.Map({
+	      error: action.error
+	    }));
+	  }
+	
+	  return state.setIn(["sourcesText", source.id], I.Map({
+	    text: sourceText.text,
+	    contentType: sourceText.contentType
+	  }));
+	}
+	
+	function removeSourceFromTabList(state, id) {
+	  return state.tabs.filter(tab => tab.get("id") != id);
+	}
+	
+	/*
+	 * Adds the new source to the tab list if it is not already there
+	 */
+	function updateTabList(state, source, tabIndex) {
+	  var tabs = state.get("tabs");
+	  var selectedSource = getSelectedSource({ sources: state });
+	  var selectedSourceIndex = tabs.indexOf(selectedSource);
+	  var sourceIndex = tabs.indexOf(source);
+	  var includesSource = !!tabs.find(t => t.get("id") == source.get("id"));
+	
+	  if (includesSource) {
+	    if (tabIndex != undefined) {
+	      return tabs.delete(sourceIndex).insert(tabIndex, source);
+	    }
+	
+	    return tabs;
+	  }
+	
+	  return tabs.insert(selectedSourceIndex + 1, source);
+	}
+	
+	/**
+	 * Gets the next tab to select when a tab closes.
+	 */
+	function getNewSelectedSourceId(state, id) {
+	  var tabs = state.get("tabs");
+	  var selectedSource = getSelectedSource({ sources: state });
+	
+	  if (!selectedSource) {
+	    return undefined;
+	  } else if (selectedSource.get("id") != id) {
+	    // If we're not closing the selected tab return the selected tab
+	    return selectedSource.get("id");
+	  }
+	
+	  var tabIndex = tabs.findIndex(tab => tab.get("id") == id);
+	  var numTabs = tabs.count();
+	
+	  if (numTabs == 1) {
+	    return undefined;
+	  }
+	
+	  // if we're closing the last tab, select the penultimate tab
+	  if (tabIndex + 1 == numTabs) {
+	    return tabs.get(tabIndex - 1).get("id");
+	  }
+	
+	  // return the next tab
+	  return tabs.get(tabIndex + 1).get("id");
+	}
+	
+	// Selectors
+	
+	// Unfortunately, it's really hard to make these functions accept just
+	// the state that we care about and still type if with Flow. The
+	// problem is that we want to re-export all selectors from a single
+	// module for the UI, and all of those selectors should take the
+	// top-level app state, so we'd have to "wrap" them to automatically
+	// pick off the piece of state we're interested in. It's impossible
+	// (right now) to type those wrapped functions.
+	
+	
+	function getSource(state, id) {
+	  return state.sources.sources.get(id);
+	}
+	
+	function getSourceByURL(state, url) {
+	  return state.sources.sources.find(source => source.get("url") == url);
+	}
+	
+	function getSourceById(state, id) {
+	  return state.sources.sources.find(source => source.get("id") == id);
+	}
+	
+	function getSources(state) {
+	  return state.sources.sources;
+	}
+	
+	function getSourceText(state, id) {
+	  return state.sources.sourcesText.get(id);
+	}
+	
+	function getSourceTabs(state) {
+	  return state.sources.tabs;
+	}
+	
+	function getSelectedSource(state) {
+	  if (state.sources.selectedLocation) {
+	    return getSource(state, state.sources.selectedLocation.sourceId);
+	  }
+	  return undefined;
+	}
+	
+	function getSelectedLocation(state) {
+	  return state.sources.selectedLocation;
+	}
+	
+	function getPendingSelectedLocation(state) {
+	  return state.sources.pendingSelectedLocation;
+	}
+	
+	function getPrettySource(state, id) {
+	  var source = getSource(state, id);
+	  if (!source) {
+	    return;
+	  }
+	
+	  return getSourceByURL(state, source.get("url") + ":formatted");
+	}
+	
+	module.exports = {
+	  State,
+	  update,
+	  getSource,
+	  getSourceByURL,
+	  getSourceById,
+	  getSources,
+	  getSourceText,
+	  getSourceTabs,
+	  getSelectedSource,
+	  getSelectedLocation,
+	  getPendingSelectedLocation,
+	  getPrettySource
+	};
+
+/***/ },
+/* 351 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Immutable = __webpack_require__(352);
+	
+	// When our app state is fully types, we should be able to get rid of
+	// this function. This is only temporarily necessary to support
+	// converting typed objects to immutable.js, which usually happens in
+	// reducers.
+	function fromJS(value) {
+	  if (Array.isArray(value)) {
+	    return Immutable.Seq(value).map(fromJS).toList();
+	  }
+	  if (value && value.constructor.meta) {
+	    // This adds support for tcomb objects which are native JS objects
+	    // but are not "plain", so the above checks fail. Since they
+	    // behave the same we can use the same constructors, but we need
+	    // special checks for them.
+	    var kind = value.constructor.meta.kind;
+	    if (kind === "struct") {
+	      return Immutable.Seq(value).map(fromJS).toMap();
+	    } else if (kind === "list") {
+	      return Immutable.Seq(value).map(fromJS).toList();
+	    }
+	  }
+	
+	  // If it's a primitive type, just return the value. Note `==` check
+	  // for null, which is intentionally used to match either `null` or
+	  // `undefined`.
+	  if (value == null || typeof value !== "object") {
+	    return value;
+	  }
+	
+	  // Otherwise, treat it like an object. We can't reliably detect if
+	  // it's a plain object because we might be objects from other JS
+	  // contexts so `Object !== Object`.
+	  return Immutable.Seq(value).map(fromJS).toMap();
+	}
+	
+	module.exports = fromJS;
+
+/***/ },
+/* 352 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 *  Copyright (c) 2014-2015, Facebook, Inc.
+	 *  All rights reserved.
+	 *
+	 *  This source code is licensed under the BSD-style license found in the
+	 *  LICENSE file in the root directory of this source tree. An additional grant
+	 *  of patent rights can be found in the PATENTS file in the same directory.
+	 */
+	
+	(function (global, factory) {
+	   true ? module.exports = factory() :
+	  typeof define === 'function' && define.amd ? define(factory) :
+	  (global.Immutable = factory());
+	}(this, function () { 'use strict';var SLICE$0 = Array.prototype.slice;
+	
+	  function createClass(ctor, superClass) {
+	    if (superClass) {
+	      ctor.prototype = Object.create(superClass.prototype);
+	    }
+	    ctor.prototype.constructor = ctor;
+	  }
+	
+	  function Iterable(value) {
+	      return isIterable(value) ? value : Seq(value);
+	    }
+	
+	
+	  createClass(KeyedIterable, Iterable);
+	    function KeyedIterable(value) {
+	      return isKeyed(value) ? value : KeyedSeq(value);
+	    }
+	
+	
+	  createClass(IndexedIterable, Iterable);
+	    function IndexedIterable(value) {
+	      return isIndexed(value) ? value : IndexedSeq(value);
+	    }
+	
+	
+	  createClass(SetIterable, Iterable);
+	    function SetIterable(value) {
+	      return isIterable(value) && !isAssociative(value) ? value : SetSeq(value);
+	    }
+	
+	
+	
+	  function isIterable(maybeIterable) {
+	    return !!(maybeIterable && maybeIterable[IS_ITERABLE_SENTINEL]);
+	  }
+	
+	  function isKeyed(maybeKeyed) {
+	    return !!(maybeKeyed && maybeKeyed[IS_KEYED_SENTINEL]);
+	  }
+	
+	  function isIndexed(maybeIndexed) {
+	    return !!(maybeIndexed && maybeIndexed[IS_INDEXED_SENTINEL]);
+	  }
+	
+	  function isAssociative(maybeAssociative) {
+	    return isKeyed(maybeAssociative) || isIndexed(maybeAssociative);
+	  }
+	
+	  function isOrdered(maybeOrdered) {
+	    return !!(maybeOrdered && maybeOrdered[IS_ORDERED_SENTINEL]);
+	  }
+	
+	  Iterable.isIterable = isIterable;
+	  Iterable.isKeyed = isKeyed;
+	  Iterable.isIndexed = isIndexed;
+	  Iterable.isAssociative = isAssociative;
+	  Iterable.isOrdered = isOrdered;
+	
+	  Iterable.Keyed = KeyedIterable;
+	  Iterable.Indexed = IndexedIterable;
+	  Iterable.Set = SetIterable;
+	
+	
+	  var IS_ITERABLE_SENTINEL = '@@__IMMUTABLE_ITERABLE__@@';
+	  var IS_KEYED_SENTINEL = '@@__IMMUTABLE_KEYED__@@';
+	  var IS_INDEXED_SENTINEL = '@@__IMMUTABLE_INDEXED__@@';
+	  var IS_ORDERED_SENTINEL = '@@__IMMUTABLE_ORDERED__@@';
+	
+	  // Used for setting prototype methods that IE8 chokes on.
+	  var DELETE = 'delete';
+	
+	  // Constants describing the size of trie nodes.
+	  var SHIFT = 5; // Resulted in best performance after ______?
+	  var SIZE = 1 << SHIFT;
+	  var MASK = SIZE - 1;
+	
+	  // A consistent shared value representing "not set" which equals nothing other
+	  // than itself, and nothing that could be provided externally.
+	  var NOT_SET = {};
+	
+	  // Boolean references, Rough equivalent of `bool &`.
+	  var CHANGE_LENGTH = { value: false };
+	  var DID_ALTER = { value: false };
+	
+	  function MakeRef(ref) {
+	    ref.value = false;
+	    return ref;
+	  }
+	
+	  function SetRef(ref) {
+	    ref && (ref.value = true);
+	  }
+	
+	  // A function which returns a value representing an "owner" for transient writes
+	  // to tries. The return value will only ever equal itself, and will not equal
+	  // the return of any subsequent call of this function.
+	  function OwnerID() {}
+	
+	  // http://jsperf.com/copy-array-inline
+	  function arrCopy(arr, offset) {
+	    offset = offset || 0;
+	    var len = Math.max(0, arr.length - offset);
+	    var newArr = new Array(len);
+	    for (var ii = 0; ii < len; ii++) {
+	      newArr[ii] = arr[ii + offset];
+	    }
+	    return newArr;
+	  }
+	
+	  function ensureSize(iter) {
+	    if (iter.size === undefined) {
+	      iter.size = iter.__iterate(returnTrue);
+	    }
+	    return iter.size;
+	  }
+	
+	  function wrapIndex(iter, index) {
+	    // This implements "is array index" which the ECMAString spec defines as:
+	    //
+	    //     A String property name P is an array index if and only if
+	    //     ToString(ToUint32(P)) is equal to P and ToUint32(P) is not equal
+	    //     to 2^32−1.
+	    //
+	    // http://www.ecma-international.org/ecma-262/6.0/#sec-array-exotic-objects
+	    if (typeof index !== 'number') {
+	      var uint32Index = index >>> 0; // N >>> 0 is shorthand for ToUint32
+	      if ('' + uint32Index !== index || uint32Index === 4294967295) {
+	        return NaN;
+	      }
+	      index = uint32Index;
+	    }
+	    return index < 0 ? ensureSize(iter) + index : index;
+	  }
+	
+	  function returnTrue() {
+	    return true;
+	  }
+	
+	  function wholeSlice(begin, end, size) {
+	    return (begin === 0 || (size !== undefined && begin <= -size)) &&
+	      (end === undefined || (size !== undefined && end >= size));
+	  }
+	
+	  function resolveBegin(begin, size) {
+	    return resolveIndex(begin, size, 0);
+	  }
+	
+	  function resolveEnd(end, size) {
+	    return resolveIndex(end, size, size);
+	  }
+	
+	  function resolveIndex(index, size, defaultIndex) {
+	    return index === undefined ?
+	      defaultIndex :
+	      index < 0 ?
+	        Math.max(0, size + index) :
+	        size === undefined ?
+	          index :
+	          Math.min(size, index);
+	  }
+	
+	  /* global Symbol */
+	
+	  var ITERATE_KEYS = 0;
+	  var ITERATE_VALUES = 1;
+	  var ITERATE_ENTRIES = 2;
+	
+	  var REAL_ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator;
+	  var FAUX_ITERATOR_SYMBOL = '@@iterator';
+	
+	  var ITERATOR_SYMBOL = REAL_ITERATOR_SYMBOL || FAUX_ITERATOR_SYMBOL;
+	
+	
+	  function Iterator(next) {
+	      this.next = next;
+	    }
+	
+	    Iterator.prototype.toString = function() {
+	      return '[Iterator]';
+	    };
+	
+	
+	  Iterator.KEYS = ITERATE_KEYS;
+	  Iterator.VALUES = ITERATE_VALUES;
+	  Iterator.ENTRIES = ITERATE_ENTRIES;
+	
+	  Iterator.prototype.inspect =
+	  Iterator.prototype.toSource = function () { return this.toString(); }
+	  Iterator.prototype[ITERATOR_SYMBOL] = function () {
+	    return this;
+	  };
+	
+	
+	  function iteratorValue(type, k, v, iteratorResult) {
+	    var value = type === 0 ? k : type === 1 ? v : [k, v];
+	    iteratorResult ? (iteratorResult.value = value) : (iteratorResult = {
+	      value: value, done: false
+	    });
+	    return iteratorResult;
+	  }
+	
+	  function iteratorDone() {
+	    return { value: undefined, done: true };
+	  }
+	
+	  function hasIterator(maybeIterable) {
+	    return !!getIteratorFn(maybeIterable);
+	  }
+	
+	  function isIterator(maybeIterator) {
+	    return maybeIterator && typeof maybeIterator.next === 'function';
+	  }
+	
+	  function getIterator(iterable) {
+	    var iteratorFn = getIteratorFn(iterable);
+	    return iteratorFn && iteratorFn.call(iterable);
+	  }
+	
+	  function getIteratorFn(iterable) {
+	    var iteratorFn = iterable && (
+	      (REAL_ITERATOR_SYMBOL && iterable[REAL_ITERATOR_SYMBOL]) ||
+	      iterable[FAUX_ITERATOR_SYMBOL]
+	    );
+	    if (typeof iteratorFn === 'function') {
+	      return iteratorFn;
+	    }
+	  }
+	
+	  function isArrayLike(value) {
+	    return value && typeof value.length === 'number';
+	  }
+	
+	  createClass(Seq, Iterable);
+	    function Seq(value) {
+	      return value === null || value === undefined ? emptySequence() :
+	        isIterable(value) ? value.toSeq() : seqFromValue(value);
+	    }
+	
+	    Seq.of = function(/*...values*/) {
+	      return Seq(arguments);
+	    };
+	
+	    Seq.prototype.toSeq = function() {
+	      return this;
+	    };
+	
+	    Seq.prototype.toString = function() {
+	      return this.__toString('Seq {', '}');
+	    };
+	
+	    Seq.prototype.cacheResult = function() {
+	      if (!this._cache && this.__iterateUncached) {
+	        this._cache = this.entrySeq().toArray();
+	        this.size = this._cache.length;
+	      }
+	      return this;
+	    };
+	
+	    // abstract __iterateUncached(fn, reverse)
+	
+	    Seq.prototype.__iterate = function(fn, reverse) {
+	      return seqIterate(this, fn, reverse, true);
+	    };
+	
+	    // abstract __iteratorUncached(type, reverse)
+	
+	    Seq.prototype.__iterator = function(type, reverse) {
+	      return seqIterator(this, type, reverse, true);
+	    };
+	
+	
+	
+	  createClass(KeyedSeq, Seq);
+	    function KeyedSeq(value) {
+	      return value === null || value === undefined ?
+	        emptySequence().toKeyedSeq() :
+	        isIterable(value) ?
+	          (isKeyed(value) ? value.toSeq() : value.fromEntrySeq()) :
+	          keyedSeqFromValue(value);
+	    }
+	
+	    KeyedSeq.prototype.toKeyedSeq = function() {
+	      return this;
+	    };
+	
+	
+	
+	  createClass(IndexedSeq, Seq);
+	    function IndexedSeq(value) {
+	      return value === null || value === undefined ? emptySequence() :
+	        !isIterable(value) ? indexedSeqFromValue(value) :
+	        isKeyed(value) ? value.entrySeq() : value.toIndexedSeq();
+	    }
+	
+	    IndexedSeq.of = function(/*...values*/) {
+	      return IndexedSeq(arguments);
+	    };
+	
+	    IndexedSeq.prototype.toIndexedSeq = function() {
+	      return this;
+	    };
+	
+	    IndexedSeq.prototype.toString = function() {
+	      return this.__toString('Seq [', ']');
+	    };
+	
+	    IndexedSeq.prototype.__iterate = function(fn, reverse) {
+	      return seqIterate(this, fn, reverse, false);
+	    };
+	
+	    IndexedSeq.prototype.__iterator = function(type, reverse) {
+	      return seqIterator(this, type, reverse, false);
+	    };
+	
+	
+	
+	  createClass(SetSeq, Seq);
+	    function SetSeq(value) {
+	      return (
+	        value === null || value === undefined ? emptySequence() :
+	        !isIterable(value) ? indexedSeqFromValue(value) :
+	        isKeyed(value) ? value.entrySeq() : value
+	      ).toSetSeq();
+	    }
+	
+	    SetSeq.of = function(/*...values*/) {
+	      return SetSeq(arguments);
+	    };
+	
+	    SetSeq.prototype.toSetSeq = function() {
+	      return this;
+	    };
+	
+	
+	
+	  Seq.isSeq = isSeq;
+	  Seq.Keyed = KeyedSeq;
+	  Seq.Set = SetSeq;
+	  Seq.Indexed = IndexedSeq;
+	
+	  var IS_SEQ_SENTINEL = '@@__IMMUTABLE_SEQ__@@';
+	
+	  Seq.prototype[IS_SEQ_SENTINEL] = true;
+	
+	
+	
+	  createClass(ArraySeq, IndexedSeq);
+	    function ArraySeq(array) {
+	      this._array = array;
+	      this.size = array.length;
+	    }
+	
+	    ArraySeq.prototype.get = function(index, notSetValue) {
+	      return this.has(index) ? this._array[wrapIndex(this, index)] : notSetValue;
+	    };
+	
+	    ArraySeq.prototype.__iterate = function(fn, reverse) {
+	      var array = this._array;
+	      var maxIndex = array.length - 1;
+	      for (var ii = 0; ii <= maxIndex; ii++) {
+	        if (fn(array[reverse ? maxIndex - ii : ii], ii, this) === false) {
+	          return ii + 1;
+	        }
+	      }
+	      return ii;
+	    };
+	
+	    ArraySeq.prototype.__iterator = function(type, reverse) {
+	      var array = this._array;
+	      var maxIndex = array.length - 1;
+	      var ii = 0;
+	      return new Iterator(function() 
+	        {return ii > maxIndex ?
+	          iteratorDone() :
+	          iteratorValue(type, ii, array[reverse ? maxIndex - ii++ : ii++])}
+	      );
+	    };
+	
+	
+	
+	  createClass(ObjectSeq, KeyedSeq);
+	    function ObjectSeq(object) {
+	      var keys = Object.keys(object);
+	      this._object = object;
+	      this._keys = keys;
+	      this.size = keys.length;
+	    }
+	
+	    ObjectSeq.prototype.get = function(key, notSetValue) {
+	      if (notSetValue !== undefined && !this.has(key)) {
+	        return notSetValue;
+	      }
+	      return this._object[key];
+	    };
+	
+	    ObjectSeq.prototype.has = function(key) {
+	      return this._object.hasOwnProperty(key);
+	    };
+	
+	    ObjectSeq.prototype.__iterate = function(fn, reverse) {
+	      var object = this._object;
+	      var keys = this._keys;
+	      var maxIndex = keys.length - 1;
+	      for (var ii = 0; ii <= maxIndex; ii++) {
+	        var key = keys[reverse ? maxIndex - ii : ii];
+	        if (fn(object[key], key, this) === false) {
+	          return ii + 1;
+	        }
+	      }
+	      return ii;
+	    };
+	
+	    ObjectSeq.prototype.__iterator = function(type, reverse) {
+	      var object = this._object;
+	      var keys = this._keys;
+	      var maxIndex = keys.length - 1;
+	      var ii = 0;
+	      return new Iterator(function()  {
+	        var key = keys[reverse ? maxIndex - ii : ii];
+	        return ii++ > maxIndex ?
+	          iteratorDone() :
+	          iteratorValue(type, key, object[key]);
+	      });
+	    };
+	
+	  ObjectSeq.prototype[IS_ORDERED_SENTINEL] = true;
+	
+	
+	  createClass(IterableSeq, IndexedSeq);
+	    function IterableSeq(iterable) {
+	      this._iterable = iterable;
+	      this.size = iterable.length || iterable.size;
+	    }
+	
+	    IterableSeq.prototype.__iterateUncached = function(fn, reverse) {
+	      if (reverse) {
+	        return this.cacheResult().__iterate(fn, reverse);
+	      }
+	      var iterable = this._iterable;
+	      var iterator = getIterator(iterable);
+	      var iterations = 0;
+	      if (isIterator(iterator)) {
+	        var step;
+	        while (!(step = iterator.next()).done) {
+	          if (fn(step.value, iterations++, this) === false) {
+	            break;
+	          }
+	        }
+	      }
+	      return iterations;
+	    };
+	
+	    IterableSeq.prototype.__iteratorUncached = function(type, reverse) {
+	      if (reverse) {
+	        return this.cacheResult().__iterator(type, reverse);
+	      }
+	      var iterable = this._iterable;
+	      var iterator = getIterator(iterable);
+	      if (!isIterator(iterator)) {
+	        return new Iterator(iteratorDone);
+	      }
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        var step = iterator.next();
+	        return step.done ? step : iteratorValue(type, iterations++, step.value);
+	      });
+	    };
+	
+	
+	
+	  createClass(IteratorSeq, IndexedSeq);
+	    function IteratorSeq(iterator) {
+	      this._iterator = iterator;
+	      this._iteratorCache = [];
+	    }
+	
+	    IteratorSeq.prototype.__iterateUncached = function(fn, reverse) {
+	      if (reverse) {
+	        return this.cacheResult().__iterate(fn, reverse);
+	      }
+	      var iterator = this._iterator;
+	      var cache = this._iteratorCache;
+	      var iterations = 0;
+	      while (iterations < cache.length) {
+	        if (fn(cache[iterations], iterations++, this) === false) {
+	          return iterations;
+	        }
+	      }
+	      var step;
+	      while (!(step = iterator.next()).done) {
+	        var val = step.value;
+	        cache[iterations] = val;
+	        if (fn(val, iterations++, this) === false) {
+	          break;
+	        }
+	      }
+	      return iterations;
+	    };
+	
+	    IteratorSeq.prototype.__iteratorUncached = function(type, reverse) {
+	      if (reverse) {
+	        return this.cacheResult().__iterator(type, reverse);
+	      }
+	      var iterator = this._iterator;
+	      var cache = this._iteratorCache;
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        if (iterations >= cache.length) {
+	          var step = iterator.next();
+	          if (step.done) {
+	            return step;
+	          }
+	          cache[iterations] = step.value;
+	        }
+	        return iteratorValue(type, iterations, cache[iterations++]);
+	      });
+	    };
+	
+	
+	
+	
+	  // # pragma Helper functions
+	
+	  function isSeq(maybeSeq) {
+	    return !!(maybeSeq && maybeSeq[IS_SEQ_SENTINEL]);
+	  }
+	
+	  var EMPTY_SEQ;
+	
+	  function emptySequence() {
+	    return EMPTY_SEQ || (EMPTY_SEQ = new ArraySeq([]));
+	  }
+	
+	  function keyedSeqFromValue(value) {
+	    var seq =
+	      Array.isArray(value) ? new ArraySeq(value).fromEntrySeq() :
+	      isIterator(value) ? new IteratorSeq(value).fromEntrySeq() :
+	      hasIterator(value) ? new IterableSeq(value).fromEntrySeq() :
+	      typeof value === 'object' ? new ObjectSeq(value) :
+	      undefined;
+	    if (!seq) {
+	      throw new TypeError(
+	        'Expected Array or iterable object of [k, v] entries, '+
+	        'or keyed object: ' + value
+	      );
+	    }
+	    return seq;
+	  }
+	
+	  function indexedSeqFromValue(value) {
+	    var seq = maybeIndexedSeqFromValue(value);
+	    if (!seq) {
+	      throw new TypeError(
+	        'Expected Array or iterable object of values: ' + value
+	      );
+	    }
+	    return seq;
+	  }
+	
+	  function seqFromValue(value) {
+	    var seq = maybeIndexedSeqFromValue(value) ||
+	      (typeof value === 'object' && new ObjectSeq(value));
+	    if (!seq) {
+	      throw new TypeError(
+	        'Expected Array or iterable object of values, or keyed object: ' + value
+	      );
+	    }
+	    return seq;
+	  }
+	
+	  function maybeIndexedSeqFromValue(value) {
+	    return (
+	      isArrayLike(value) ? new ArraySeq(value) :
+	      isIterator(value) ? new IteratorSeq(value) :
+	      hasIterator(value) ? new IterableSeq(value) :
+	      undefined
+	    );
+	  }
+	
+	  function seqIterate(seq, fn, reverse, useKeys) {
+	    var cache = seq._cache;
+	    if (cache) {
+	      var maxIndex = cache.length - 1;
+	      for (var ii = 0; ii <= maxIndex; ii++) {
+	        var entry = cache[reverse ? maxIndex - ii : ii];
+	        if (fn(entry[1], useKeys ? entry[0] : ii, seq) === false) {
+	          return ii + 1;
+	        }
+	      }
+	      return ii;
+	    }
+	    return seq.__iterateUncached(fn, reverse);
+	  }
+	
+	  function seqIterator(seq, type, reverse, useKeys) {
+	    var cache = seq._cache;
+	    if (cache) {
+	      var maxIndex = cache.length - 1;
+	      var ii = 0;
+	      return new Iterator(function()  {
+	        var entry = cache[reverse ? maxIndex - ii : ii];
+	        return ii++ > maxIndex ?
+	          iteratorDone() :
+	          iteratorValue(type, useKeys ? entry[0] : ii - 1, entry[1]);
+	      });
+	    }
+	    return seq.__iteratorUncached(type, reverse);
+	  }
+	
+	  function fromJS(json, converter) {
+	    return converter ?
+	      fromJSWith(converter, json, '', {'': json}) :
+	      fromJSDefault(json);
+	  }
+	
+	  function fromJSWith(converter, json, key, parentJSON) {
+	    if (Array.isArray(json)) {
+	      return converter.call(parentJSON, key, IndexedSeq(json).map(function(v, k)  {return fromJSWith(converter, v, k, json)}));
+	    }
+	    if (isPlainObj(json)) {
+	      return converter.call(parentJSON, key, KeyedSeq(json).map(function(v, k)  {return fromJSWith(converter, v, k, json)}));
+	    }
+	    return json;
+	  }
+	
+	  function fromJSDefault(json) {
+	    if (Array.isArray(json)) {
+	      return IndexedSeq(json).map(fromJSDefault).toList();
+	    }
+	    if (isPlainObj(json)) {
+	      return KeyedSeq(json).map(fromJSDefault).toMap();
+	    }
+	    return json;
+	  }
+	
+	  function isPlainObj(value) {
+	    return value && (value.constructor === Object || value.constructor === undefined);
+	  }
+	
+	  /**
+	   * An extension of the "same-value" algorithm as [described for use by ES6 Map
+	   * and Set](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Map#Key_equality)
+	   *
+	   * NaN is considered the same as NaN, however -0 and 0 are considered the same
+	   * value, which is different from the algorithm described by
+	   * [`Object.is`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is).
+	   *
+	   * This is extended further to allow Objects to describe the values they
+	   * represent, by way of `valueOf` or `equals` (and `hashCode`).
+	   *
+	   * Note: because of this extension, the key equality of Immutable.Map and the
+	   * value equality of Immutable.Set will differ from ES6 Map and Set.
+	   *
+	   * ### Defining custom values
+	   *
+	   * The easiest way to describe the value an object represents is by implementing
+	   * `valueOf`. For example, `Date` represents a value by returning a unix
+	   * timestamp for `valueOf`:
+	   *
+	   *     var date1 = new Date(1234567890000); // Fri Feb 13 2009 ...
+	   *     var date2 = new Date(1234567890000);
+	   *     date1.valueOf(); // 1234567890000
+	   *     assert( date1 !== date2 );
+	   *     assert( Immutable.is( date1, date2 ) );
+	   *
+	   * Note: overriding `valueOf` may have other implications if you use this object
+	   * where JavaScript expects a primitive, such as implicit string coercion.
+	   *
+	   * For more complex types, especially collections, implementing `valueOf` may
+	   * not be performant. An alternative is to implement `equals` and `hashCode`.
+	   *
+	   * `equals` takes another object, presumably of similar type, and returns true
+	   * if the it is equal. Equality is symmetrical, so the same result should be
+	   * returned if this and the argument are flipped.
+	   *
+	   *     assert( a.equals(b) === b.equals(a) );
+	   *
+	   * `hashCode` returns a 32bit integer number representing the object which will
+	   * be used to determine how to store the value object in a Map or Set. You must
+	   * provide both or neither methods, one must not exist without the other.
+	   *
+	   * Also, an important relationship between these methods must be upheld: if two
+	   * values are equal, they *must* return the same hashCode. If the values are not
+	   * equal, they might have the same hashCode; this is called a hash collision,
+	   * and while undesirable for performance reasons, it is acceptable.
+	   *
+	   *     if (a.equals(b)) {
+	   *       assert( a.hashCode() === b.hashCode() );
+	   *     }
+	   *
+	   * All Immutable collections implement `equals` and `hashCode`.
+	   *
+	   */
+	  function is(valueA, valueB) {
+	    if (valueA === valueB || (valueA !== valueA && valueB !== valueB)) {
+	      return true;
+	    }
+	    if (!valueA || !valueB) {
+	      return false;
+	    }
+	    if (typeof valueA.valueOf === 'function' &&
+	        typeof valueB.valueOf === 'function') {
+	      valueA = valueA.valueOf();
+	      valueB = valueB.valueOf();
+	      if (valueA === valueB || (valueA !== valueA && valueB !== valueB)) {
+	        return true;
+	      }
+	      if (!valueA || !valueB) {
+	        return false;
+	      }
+	    }
+	    if (typeof valueA.equals === 'function' &&
+	        typeof valueB.equals === 'function' &&
+	        valueA.equals(valueB)) {
+	      return true;
+	    }
+	    return false;
+	  }
+	
+	  function deepEqual(a, b) {
+	    if (a === b) {
+	      return true;
+	    }
+	
+	    if (
+	      !isIterable(b) ||
+	      a.size !== undefined && b.size !== undefined && a.size !== b.size ||
+	      a.__hash !== undefined && b.__hash !== undefined && a.__hash !== b.__hash ||
+	      isKeyed(a) !== isKeyed(b) ||
+	      isIndexed(a) !== isIndexed(b) ||
+	      isOrdered(a) !== isOrdered(b)
+	    ) {
+	      return false;
+	    }
+	
+	    if (a.size === 0 && b.size === 0) {
+	      return true;
+	    }
+	
+	    var notAssociative = !isAssociative(a);
+	
+	    if (isOrdered(a)) {
+	      var entries = a.entries();
+	      return b.every(function(v, k)  {
+	        var entry = entries.next().value;
+	        return entry && is(entry[1], v) && (notAssociative || is(entry[0], k));
+	      }) && entries.next().done;
+	    }
+	
+	    var flipped = false;
+	
+	    if (a.size === undefined) {
+	      if (b.size === undefined) {
+	        if (typeof a.cacheResult === 'function') {
+	          a.cacheResult();
+	        }
+	      } else {
+	        flipped = true;
+	        var _ = a;
+	        a = b;
+	        b = _;
+	      }
+	    }
+	
+	    var allEqual = true;
+	    var bSize = b.__iterate(function(v, k)  {
+	      if (notAssociative ? !a.has(v) :
+	          flipped ? !is(v, a.get(k, NOT_SET)) : !is(a.get(k, NOT_SET), v)) {
+	        allEqual = false;
+	        return false;
+	      }
+	    });
+	
+	    return allEqual && a.size === bSize;
+	  }
+	
+	  createClass(Repeat, IndexedSeq);
+	
+	    function Repeat(value, times) {
+	      if (!(this instanceof Repeat)) {
+	        return new Repeat(value, times);
+	      }
+	      this._value = value;
+	      this.size = times === undefined ? Infinity : Math.max(0, times);
+	      if (this.size === 0) {
+	        if (EMPTY_REPEAT) {
+	          return EMPTY_REPEAT;
+	        }
+	        EMPTY_REPEAT = this;
+	      }
+	    }
+	
+	    Repeat.prototype.toString = function() {
+	      if (this.size === 0) {
+	        return 'Repeat []';
+	      }
+	      return 'Repeat [ ' + this._value + ' ' + this.size + ' times ]';
+	    };
+	
+	    Repeat.prototype.get = function(index, notSetValue) {
+	      return this.has(index) ? this._value : notSetValue;
+	    };
+	
+	    Repeat.prototype.includes = function(searchValue) {
+	      return is(this._value, searchValue);
+	    };
+	
+	    Repeat.prototype.slice = function(begin, end) {
+	      var size = this.size;
+	      return wholeSlice(begin, end, size) ? this :
+	        new Repeat(this._value, resolveEnd(end, size) - resolveBegin(begin, size));
+	    };
+	
+	    Repeat.prototype.reverse = function() {
+	      return this;
+	    };
+	
+	    Repeat.prototype.indexOf = function(searchValue) {
+	      if (is(this._value, searchValue)) {
+	        return 0;
+	      }
+	      return -1;
+	    };
+	
+	    Repeat.prototype.lastIndexOf = function(searchValue) {
+	      if (is(this._value, searchValue)) {
+	        return this.size;
+	      }
+	      return -1;
+	    };
+	
+	    Repeat.prototype.__iterate = function(fn, reverse) {
+	      for (var ii = 0; ii < this.size; ii++) {
+	        if (fn(this._value, ii, this) === false) {
+	          return ii + 1;
+	        }
+	      }
+	      return ii;
+	    };
+	
+	    Repeat.prototype.__iterator = function(type, reverse) {var this$0 = this;
+	      var ii = 0;
+	      return new Iterator(function() 
+	        {return ii < this$0.size ? iteratorValue(type, ii++, this$0._value) : iteratorDone()}
+	      );
+	    };
+	
+	    Repeat.prototype.equals = function(other) {
+	      return other instanceof Repeat ?
+	        is(this._value, other._value) :
+	        deepEqual(other);
+	    };
+	
+	
+	  var EMPTY_REPEAT;
+	
+	  function invariant(condition, error) {
+	    if (!condition) throw new Error(error);
+	  }
+	
+	  createClass(Range, IndexedSeq);
+	
+	    function Range(start, end, step) {
+	      if (!(this instanceof Range)) {
+	        return new Range(start, end, step);
+	      }
+	      invariant(step !== 0, 'Cannot step a Range by 0');
+	      start = start || 0;
+	      if (end === undefined) {
+	        end = Infinity;
+	      }
+	      step = step === undefined ? 1 : Math.abs(step);
+	      if (end < start) {
+	        step = -step;
+	      }
+	      this._start = start;
+	      this._end = end;
+	      this._step = step;
+	      this.size = Math.max(0, Math.ceil((end - start) / step - 1) + 1);
+	      if (this.size === 0) {
+	        if (EMPTY_RANGE) {
+	          return EMPTY_RANGE;
+	        }
+	        EMPTY_RANGE = this;
+	      }
+	    }
+	
+	    Range.prototype.toString = function() {
+	      if (this.size === 0) {
+	        return 'Range []';
+	      }
+	      return 'Range [ ' +
+	        this._start + '...' + this._end +
+	        (this._step !== 1 ? ' by ' + this._step : '') +
+	      ' ]';
+	    };
+	
+	    Range.prototype.get = function(index, notSetValue) {
+	      return this.has(index) ?
+	        this._start + wrapIndex(this, index) * this._step :
+	        notSetValue;
+	    };
+	
+	    Range.prototype.includes = function(searchValue) {
+	      var possibleIndex = (searchValue - this._start) / this._step;
+	      return possibleIndex >= 0 &&
+	        possibleIndex < this.size &&
+	        possibleIndex === Math.floor(possibleIndex);
+	    };
+	
+	    Range.prototype.slice = function(begin, end) {
+	      if (wholeSlice(begin, end, this.size)) {
+	        return this;
+	      }
+	      begin = resolveBegin(begin, this.size);
+	      end = resolveEnd(end, this.size);
+	      if (end <= begin) {
+	        return new Range(0, 0);
+	      }
+	      return new Range(this.get(begin, this._end), this.get(end, this._end), this._step);
+	    };
+	
+	    Range.prototype.indexOf = function(searchValue) {
+	      var offsetValue = searchValue - this._start;
+	      if (offsetValue % this._step === 0) {
+	        var index = offsetValue / this._step;
+	        if (index >= 0 && index < this.size) {
+	          return index
+	        }
+	      }
+	      return -1;
+	    };
+	
+	    Range.prototype.lastIndexOf = function(searchValue) {
+	      return this.indexOf(searchValue);
+	    };
+	
+	    Range.prototype.__iterate = function(fn, reverse) {
+	      var maxIndex = this.size - 1;
+	      var step = this._step;
+	      var value = reverse ? this._start + maxIndex * step : this._start;
+	      for (var ii = 0; ii <= maxIndex; ii++) {
+	        if (fn(value, ii, this) === false) {
+	          return ii + 1;
+	        }
+	        value += reverse ? -step : step;
+	      }
+	      return ii;
+	    };
+	
+	    Range.prototype.__iterator = function(type, reverse) {
+	      var maxIndex = this.size - 1;
+	      var step = this._step;
+	      var value = reverse ? this._start + maxIndex * step : this._start;
+	      var ii = 0;
+	      return new Iterator(function()  {
+	        var v = value;
+	        value += reverse ? -step : step;
+	        return ii > maxIndex ? iteratorDone() : iteratorValue(type, ii++, v);
+	      });
+	    };
+	
+	    Range.prototype.equals = function(other) {
+	      return other instanceof Range ?
+	        this._start === other._start &&
+	        this._end === other._end &&
+	        this._step === other._step :
+	        deepEqual(this, other);
+	    };
+	
+	
+	  var EMPTY_RANGE;
+	
+	  createClass(Collection, Iterable);
+	    function Collection() {
+	      throw TypeError('Abstract');
+	    }
+	
+	
+	  createClass(KeyedCollection, Collection);function KeyedCollection() {}
+	
+	  createClass(IndexedCollection, Collection);function IndexedCollection() {}
+	
+	  createClass(SetCollection, Collection);function SetCollection() {}
+	
+	
+	  Collection.Keyed = KeyedCollection;
+	  Collection.Indexed = IndexedCollection;
+	  Collection.Set = SetCollection;
+	
+	  var imul =
+	    typeof Math.imul === 'function' && Math.imul(0xffffffff, 2) === -2 ?
+	    Math.imul :
+	    function imul(a, b) {
+	      a = a | 0; // int
+	      b = b | 0; // int
+	      var c = a & 0xffff;
+	      var d = b & 0xffff;
+	      // Shift by 0 fixes the sign on the high part.
+	      return (c * d) + ((((a >>> 16) * d + c * (b >>> 16)) << 16) >>> 0) | 0; // int
+	    };
+	
+	  // v8 has an optimization for storing 31-bit signed numbers.
+	  // Values which have either 00 or 11 as the high order bits qualify.
+	  // This function drops the highest order bit in a signed number, maintaining
+	  // the sign bit.
+	  function smi(i32) {
+	    return ((i32 >>> 1) & 0x40000000) | (i32 & 0xBFFFFFFF);
+	  }
+	
+	  function hash(o) {
+	    if (o === false || o === null || o === undefined) {
+	      return 0;
+	    }
+	    if (typeof o.valueOf === 'function') {
+	      o = o.valueOf();
+	      if (o === false || o === null || o === undefined) {
+	        return 0;
+	      }
+	    }
+	    if (o === true) {
+	      return 1;
+	    }
+	    var type = typeof o;
+	    if (type === 'number') {
+	      if (o !== o || o === Infinity) {
+	        return 0;
+	      }
+	      var h = o | 0;
+	      if (h !== o) {
+	        h ^= o * 0xFFFFFFFF;
+	      }
+	      while (o > 0xFFFFFFFF) {
+	        o /= 0xFFFFFFFF;
+	        h ^= o;
+	      }
+	      return smi(h);
+	    }
+	    if (type === 'string') {
+	      return o.length > STRING_HASH_CACHE_MIN_STRLEN ? cachedHashString(o) : hashString(o);
+	    }
+	    if (typeof o.hashCode === 'function') {
+	      return o.hashCode();
+	    }
+	    if (type === 'object') {
+	      return hashJSObj(o);
+	    }
+	    if (typeof o.toString === 'function') {
+	      return hashString(o.toString());
+	    }
+	    throw new Error('Value type ' + type + ' cannot be hashed.');
+	  }
+	
+	  function cachedHashString(string) {
+	    var hash = stringHashCache[string];
+	    if (hash === undefined) {
+	      hash = hashString(string);
+	      if (STRING_HASH_CACHE_SIZE === STRING_HASH_CACHE_MAX_SIZE) {
+	        STRING_HASH_CACHE_SIZE = 0;
+	        stringHashCache = {};
+	      }
+	      STRING_HASH_CACHE_SIZE++;
+	      stringHashCache[string] = hash;
+	    }
+	    return hash;
+	  }
+	
+	  // http://jsperf.com/hashing-strings
+	  function hashString(string) {
+	    // This is the hash from JVM
+	    // The hash code for a string is computed as
+	    // s[0] * 31 ^ (n - 1) + s[1] * 31 ^ (n - 2) + ... + s[n - 1],
+	    // where s[i] is the ith character of the string and n is the length of
+	    // the string. We "mod" the result to make it between 0 (inclusive) and 2^31
+	    // (exclusive) by dropping high bits.
+	    var hash = 0;
+	    for (var ii = 0; ii < string.length; ii++) {
+	      hash = 31 * hash + string.charCodeAt(ii) | 0;
+	    }
+	    return smi(hash);
+	  }
+	
+	  function hashJSObj(obj) {
+	    var hash;
+	    if (usingWeakMap) {
+	      hash = weakMap.get(obj);
+	      if (hash !== undefined) {
+	        return hash;
+	      }
+	    }
+	
+	    hash = obj[UID_HASH_KEY];
+	    if (hash !== undefined) {
+	      return hash;
+	    }
+	
+	    if (!canDefineProperty) {
+	      hash = obj.propertyIsEnumerable && obj.propertyIsEnumerable[UID_HASH_KEY];
+	      if (hash !== undefined) {
+	        return hash;
+	      }
+	
+	      hash = getIENodeHash(obj);
+	      if (hash !== undefined) {
+	        return hash;
+	      }
+	    }
+	
+	    hash = ++objHashUID;
+	    if (objHashUID & 0x40000000) {
+	      objHashUID = 0;
+	    }
+	
+	    if (usingWeakMap) {
+	      weakMap.set(obj, hash);
+	    } else if (isExtensible !== undefined && isExtensible(obj) === false) {
+	      throw new Error('Non-extensible objects are not allowed as keys.');
+	    } else if (canDefineProperty) {
+	      Object.defineProperty(obj, UID_HASH_KEY, {
+	        'enumerable': false,
+	        'configurable': false,
+	        'writable': false,
+	        'value': hash
+	      });
+	    } else if (obj.propertyIsEnumerable !== undefined &&
+	               obj.propertyIsEnumerable === obj.constructor.prototype.propertyIsEnumerable) {
+	      // Since we can't define a non-enumerable property on the object
+	      // we'll hijack one of the less-used non-enumerable properties to
+	      // save our hash on it. Since this is a function it will not show up in
+	      // `JSON.stringify` which is what we want.
+	      obj.propertyIsEnumerable = function() {
+	        return this.constructor.prototype.propertyIsEnumerable.apply(this, arguments);
+	      };
+	      obj.propertyIsEnumerable[UID_HASH_KEY] = hash;
+	    } else if (obj.nodeType !== undefined) {
+	      // At this point we couldn't get the IE `uniqueID` to use as a hash
+	      // and we couldn't use a non-enumerable property to exploit the
+	      // dontEnum bug so we simply add the `UID_HASH_KEY` on the node
+	      // itself.
+	      obj[UID_HASH_KEY] = hash;
+	    } else {
+	      throw new Error('Unable to set a non-enumerable property on object.');
+	    }
+	
+	    return hash;
+	  }
+	
+	  // Get references to ES5 object methods.
+	  var isExtensible = Object.isExtensible;
+	
+	  // True if Object.defineProperty works as expected. IE8 fails this test.
+	  var canDefineProperty = (function() {
+	    try {
+	      Object.defineProperty({}, '@', {});
+	      return true;
+	    } catch (e) {
+	      return false;
+	    }
+	  }());
+	
+	  // IE has a `uniqueID` property on DOM nodes. We can construct the hash from it
+	  // and avoid memory leaks from the IE cloneNode bug.
+	  function getIENodeHash(node) {
+	    if (node && node.nodeType > 0) {
+	      switch (node.nodeType) {
+	        case 1: // Element
+	          return node.uniqueID;
+	        case 9: // Document
+	          return node.documentElement && node.documentElement.uniqueID;
+	      }
+	    }
+	  }
+	
+	  // If possible, use a WeakMap.
+	  var usingWeakMap = typeof WeakMap === 'function';
+	  var weakMap;
+	  if (usingWeakMap) {
+	    weakMap = new WeakMap();
+	  }
+	
+	  var objHashUID = 0;
+	
+	  var UID_HASH_KEY = '__immutablehash__';
+	  if (typeof Symbol === 'function') {
+	    UID_HASH_KEY = Symbol(UID_HASH_KEY);
+	  }
+	
+	  var STRING_HASH_CACHE_MIN_STRLEN = 16;
+	  var STRING_HASH_CACHE_MAX_SIZE = 255;
+	  var STRING_HASH_CACHE_SIZE = 0;
+	  var stringHashCache = {};
+	
+	  function assertNotInfinite(size) {
+	    invariant(
+	      size !== Infinity,
+	      'Cannot perform this action with an infinite size.'
+	    );
+	  }
+	
+	  createClass(Map, KeyedCollection);
+	
+	    // @pragma Construction
+	
+	    function Map(value) {
+	      return value === null || value === undefined ? emptyMap() :
+	        isMap(value) && !isOrdered(value) ? value :
+	        emptyMap().withMutations(function(map ) {
+	          var iter = KeyedIterable(value);
+	          assertNotInfinite(iter.size);
+	          iter.forEach(function(v, k)  {return map.set(k, v)});
+	        });
+	    }
+	
+	    Map.of = function() {var keyValues = SLICE$0.call(arguments, 0);
+	      return emptyMap().withMutations(function(map ) {
+	        for (var i = 0; i < keyValues.length; i += 2) {
+	          if (i + 1 >= keyValues.length) {
+	            throw new Error('Missing value for key: ' + keyValues[i]);
+	          }
+	          map.set(keyValues[i], keyValues[i + 1]);
+	        }
+	      });
+	    };
+	
+	    Map.prototype.toString = function() {
+	      return this.__toString('Map {', '}');
+	    };
+	
+	    // @pragma Access
+	
+	    Map.prototype.get = function(k, notSetValue) {
+	      return this._root ?
+	        this._root.get(0, undefined, k, notSetValue) :
+	        notSetValue;
+	    };
+	
+	    // @pragma Modification
+	
+	    Map.prototype.set = function(k, v) {
+	      return updateMap(this, k, v);
+	    };
+	
+	    Map.prototype.setIn = function(keyPath, v) {
+	      return this.updateIn(keyPath, NOT_SET, function()  {return v});
+	    };
+	
+	    Map.prototype.remove = function(k) {
+	      return updateMap(this, k, NOT_SET);
+	    };
+	
+	    Map.prototype.deleteIn = function(keyPath) {
+	      return this.updateIn(keyPath, function()  {return NOT_SET});
+	    };
+	
+	    Map.prototype.update = function(k, notSetValue, updater) {
+	      return arguments.length === 1 ?
+	        k(this) :
+	        this.updateIn([k], notSetValue, updater);
+	    };
+	
+	    Map.prototype.updateIn = function(keyPath, notSetValue, updater) {
+	      if (!updater) {
+	        updater = notSetValue;
+	        notSetValue = undefined;
+	      }
+	      var updatedValue = updateInDeepMap(
+	        this,
+	        forceIterator(keyPath),
+	        notSetValue,
+	        updater
+	      );
+	      return updatedValue === NOT_SET ? undefined : updatedValue;
+	    };
+	
+	    Map.prototype.clear = function() {
+	      if (this.size === 0) {
+	        return this;
+	      }
+	      if (this.__ownerID) {
+	        this.size = 0;
+	        this._root = null;
+	        this.__hash = undefined;
+	        this.__altered = true;
+	        return this;
+	      }
+	      return emptyMap();
+	    };
+	
+	    // @pragma Composition
+	
+	    Map.prototype.merge = function(/*...iters*/) {
+	      return mergeIntoMapWith(this, undefined, arguments);
+	    };
+	
+	    Map.prototype.mergeWith = function(merger) {var iters = SLICE$0.call(arguments, 1);
+	      return mergeIntoMapWith(this, merger, iters);
+	    };
+	
+	    Map.prototype.mergeIn = function(keyPath) {var iters = SLICE$0.call(arguments, 1);
+	      return this.updateIn(
+	        keyPath,
+	        emptyMap(),
+	        function(m ) {return typeof m.merge === 'function' ?
+	          m.merge.apply(m, iters) :
+	          iters[iters.length - 1]}
+	      );
+	    };
+	
+	    Map.prototype.mergeDeep = function(/*...iters*/) {
+	      return mergeIntoMapWith(this, deepMerger, arguments);
+	    };
+	
+	    Map.prototype.mergeDeepWith = function(merger) {var iters = SLICE$0.call(arguments, 1);
+	      return mergeIntoMapWith(this, deepMergerWith(merger), iters);
+	    };
+	
+	    Map.prototype.mergeDeepIn = function(keyPath) {var iters = SLICE$0.call(arguments, 1);
+	      return this.updateIn(
+	        keyPath,
+	        emptyMap(),
+	        function(m ) {return typeof m.mergeDeep === 'function' ?
+	          m.mergeDeep.apply(m, iters) :
+	          iters[iters.length - 1]}
+	      );
+	    };
+	
+	    Map.prototype.sort = function(comparator) {
+	      // Late binding
+	      return OrderedMap(sortFactory(this, comparator));
+	    };
+	
+	    Map.prototype.sortBy = function(mapper, comparator) {
+	      // Late binding
+	      return OrderedMap(sortFactory(this, comparator, mapper));
+	    };
+	
+	    // @pragma Mutability
+	
+	    Map.prototype.withMutations = function(fn) {
+	      var mutable = this.asMutable();
+	      fn(mutable);
+	      return mutable.wasAltered() ? mutable.__ensureOwner(this.__ownerID) : this;
+	    };
+	
+	    Map.prototype.asMutable = function() {
+	      return this.__ownerID ? this : this.__ensureOwner(new OwnerID());
+	    };
+	
+	    Map.prototype.asImmutable = function() {
+	      return this.__ensureOwner();
+	    };
+	
+	    Map.prototype.wasAltered = function() {
+	      return this.__altered;
+	    };
+	
+	    Map.prototype.__iterator = function(type, reverse) {
+	      return new MapIterator(this, type, reverse);
+	    };
+	
+	    Map.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      var iterations = 0;
+	      this._root && this._root.iterate(function(entry ) {
+	        iterations++;
+	        return fn(entry[1], entry[0], this$0);
+	      }, reverse);
+	      return iterations;
+	    };
+	
+	    Map.prototype.__ensureOwner = function(ownerID) {
+	      if (ownerID === this.__ownerID) {
+	        return this;
+	      }
+	      if (!ownerID) {
+	        this.__ownerID = ownerID;
+	        this.__altered = false;
+	        return this;
+	      }
+	      return makeMap(this.size, this._root, ownerID, this.__hash);
+	    };
+	
+	
+	  function isMap(maybeMap) {
+	    return !!(maybeMap && maybeMap[IS_MAP_SENTINEL]);
+	  }
+	
+	  Map.isMap = isMap;
+	
+	  var IS_MAP_SENTINEL = '@@__IMMUTABLE_MAP__@@';
+	
+	  var MapPrototype = Map.prototype;
+	  MapPrototype[IS_MAP_SENTINEL] = true;
+	  MapPrototype[DELETE] = MapPrototype.remove;
+	  MapPrototype.removeIn = MapPrototype.deleteIn;
+	
+	
+	  // #pragma Trie Nodes
+	
+	
+	
+	    function ArrayMapNode(ownerID, entries) {
+	      this.ownerID = ownerID;
+	      this.entries = entries;
+	    }
+	
+	    ArrayMapNode.prototype.get = function(shift, keyHash, key, notSetValue) {
+	      var entries = this.entries;
+	      for (var ii = 0, len = entries.length; ii < len; ii++) {
+	        if (is(key, entries[ii][0])) {
+	          return entries[ii][1];
+	        }
+	      }
+	      return notSetValue;
+	    };
+	
+	    ArrayMapNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) {
+	      var removed = value === NOT_SET;
+	
+	      var entries = this.entries;
+	      var idx = 0;
+	      for (var len = entries.length; idx < len; idx++) {
+	        if (is(key, entries[idx][0])) {
+	          break;
+	        }
+	      }
+	      var exists = idx < len;
+	
+	      if (exists ? entries[idx][1] === value : removed) {
+	        return this;
+	      }
+	
+	      SetRef(didAlter);
+	      (removed || !exists) && SetRef(didChangeSize);
+	
+	      if (removed && entries.length === 1) {
+	        return; // undefined
+	      }
+	
+	      if (!exists && !removed && entries.length >= MAX_ARRAY_MAP_SIZE) {
+	        return createNodes(ownerID, entries, key, value);
+	      }
+	
+	      var isEditable = ownerID && ownerID === this.ownerID;
+	      var newEntries = isEditable ? entries : arrCopy(entries);
+	
+	      if (exists) {
+	        if (removed) {
+	          idx === len - 1 ? newEntries.pop() : (newEntries[idx] = newEntries.pop());
+	        } else {
+	          newEntries[idx] = [key, value];
+	        }
+	      } else {
+	        newEntries.push([key, value]);
+	      }
+	
+	      if (isEditable) {
+	        this.entries = newEntries;
+	        return this;
+	      }
+	
+	      return new ArrayMapNode(ownerID, newEntries);
+	    };
+	
+	
+	
+	
+	    function BitmapIndexedNode(ownerID, bitmap, nodes) {
+	      this.ownerID = ownerID;
+	      this.bitmap = bitmap;
+	      this.nodes = nodes;
+	    }
+	
+	    BitmapIndexedNode.prototype.get = function(shift, keyHash, key, notSetValue) {
+	      if (keyHash === undefined) {
+	        keyHash = hash(key);
+	      }
+	      var bit = (1 << ((shift === 0 ? keyHash : keyHash >>> shift) & MASK));
+	      var bitmap = this.bitmap;
+	      return (bitmap & bit) === 0 ? notSetValue :
+	        this.nodes[popCount(bitmap & (bit - 1))].get(shift + SHIFT, keyHash, key, notSetValue);
+	    };
+	
+	    BitmapIndexedNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) {
+	      if (keyHash === undefined) {
+	        keyHash = hash(key);
+	      }
+	      var keyHashFrag = (shift === 0 ? keyHash : keyHash >>> shift) & MASK;
+	      var bit = 1 << keyHashFrag;
+	      var bitmap = this.bitmap;
+	      var exists = (bitmap & bit) !== 0;
+	
+	      if (!exists && value === NOT_SET) {
+	        return this;
+	      }
+	
+	      var idx = popCount(bitmap & (bit - 1));
+	      var nodes = this.nodes;
+	      var node = exists ? nodes[idx] : undefined;
+	      var newNode = updateNode(node, ownerID, shift + SHIFT, keyHash, key, value, didChangeSize, didAlter);
+	
+	      if (newNode === node) {
+	        return this;
+	      }
+	
+	      if (!exists && newNode && nodes.length >= MAX_BITMAP_INDEXED_SIZE) {
+	        return expandNodes(ownerID, nodes, bitmap, keyHashFrag, newNode);
+	      }
+	
+	      if (exists && !newNode && nodes.length === 2 && isLeafNode(nodes[idx ^ 1])) {
+	        return nodes[idx ^ 1];
+	      }
+	
+	      if (exists && newNode && nodes.length === 1 && isLeafNode(newNode)) {
+	        return newNode;
+	      }
+	
+	      var isEditable = ownerID && ownerID === this.ownerID;
+	      var newBitmap = exists ? newNode ? bitmap : bitmap ^ bit : bitmap | bit;
+	      var newNodes = exists ? newNode ?
+	        setIn(nodes, idx, newNode, isEditable) :
+	        spliceOut(nodes, idx, isEditable) :
+	        spliceIn(nodes, idx, newNode, isEditable);
+	
+	      if (isEditable) {
+	        this.bitmap = newBitmap;
+	        this.nodes = newNodes;
+	        return this;
+	      }
+	
+	      return new BitmapIndexedNode(ownerID, newBitmap, newNodes);
+	    };
+	
+	
+	
+	
+	    function HashArrayMapNode(ownerID, count, nodes) {
+	      this.ownerID = ownerID;
+	      this.count = count;
+	      this.nodes = nodes;
+	    }
+	
+	    HashArrayMapNode.prototype.get = function(shift, keyHash, key, notSetValue) {
+	      if (keyHash === undefined) {
+	        keyHash = hash(key);
+	      }
+	      var idx = (shift === 0 ? keyHash : keyHash >>> shift) & MASK;
+	      var node = this.nodes[idx];
+	      return node ? node.get(shift + SHIFT, keyHash, key, notSetValue) : notSetValue;
+	    };
+	
+	    HashArrayMapNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) {
+	      if (keyHash === undefined) {
+	        keyHash = hash(key);
+	      }
+	      var idx = (shift === 0 ? keyHash : keyHash >>> shift) & MASK;
+	      var removed = value === NOT_SET;
+	      var nodes = this.nodes;
+	      var node = nodes[idx];
+	
+	      if (removed && !node) {
+	        return this;
+	      }
+	
+	      var newNode = updateNode(node, ownerID, shift + SHIFT, keyHash, key, value, didChangeSize, didAlter);
+	      if (newNode === node) {
+	        return this;
+	      }
+	
+	      var newCount = this.count;
+	      if (!node) {
+	        newCount++;
+	      } else if (!newNode) {
+	        newCount--;
+	        if (newCount < MIN_HASH_ARRAY_MAP_SIZE) {
+	          return packNodes(ownerID, nodes, newCount, idx);
+	        }
+	      }
+	
+	      var isEditable = ownerID && ownerID === this.ownerID;
+	      var newNodes = setIn(nodes, idx, newNode, isEditable);
+	
+	      if (isEditable) {
+	        this.count = newCount;
+	        this.nodes = newNodes;
+	        return this;
+	      }
+	
+	      return new HashArrayMapNode(ownerID, newCount, newNodes);
+	    };
+	
+	
+	
+	
+	    function HashCollisionNode(ownerID, keyHash, entries) {
+	      this.ownerID = ownerID;
+	      this.keyHash = keyHash;
+	      this.entries = entries;
+	    }
+	
+	    HashCollisionNode.prototype.get = function(shift, keyHash, key, notSetValue) {
+	      var entries = this.entries;
+	      for (var ii = 0, len = entries.length; ii < len; ii++) {
+	        if (is(key, entries[ii][0])) {
+	          return entries[ii][1];
+	        }
+	      }
+	      return notSetValue;
+	    };
+	
+	    HashCollisionNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) {
+	      if (keyHash === undefined) {
+	        keyHash = hash(key);
+	      }
+	
+	      var removed = value === NOT_SET;
+	
+	      if (keyHash !== this.keyHash) {
+	        if (removed) {
+	          return this;
+	        }
+	        SetRef(didAlter);
+	        SetRef(didChangeSize);
+	        return mergeIntoNode(this, ownerID, shift, keyHash, [key, value]);
+	      }
+	
+	      var entries = this.entries;
+	      var idx = 0;
+	      for (var len = entries.length; idx < len; idx++) {
+	        if (is(key, entries[idx][0])) {
+	          break;
+	        }
+	      }
+	      var exists = idx < len;
+	
+	      if (exists ? entries[idx][1] === value : removed) {
+	        return this;
+	      }
+	
+	      SetRef(didAlter);
+	      (removed || !exists) && SetRef(didChangeSize);
+	
+	      if (removed && len === 2) {
+	        return new ValueNode(ownerID, this.keyHash, entries[idx ^ 1]);
+	      }
+	
+	      var isEditable = ownerID && ownerID === this.ownerID;
+	      var newEntries = isEditable ? entries : arrCopy(entries);
+	
+	      if (exists) {
+	        if (removed) {
+	          idx === len - 1 ? newEntries.pop() : (newEntries[idx] = newEntries.pop());
+	        } else {
+	          newEntries[idx] = [key, value];
+	        }
+	      } else {
+	        newEntries.push([key, value]);
+	      }
+	
+	      if (isEditable) {
+	        this.entries = newEntries;
+	        return this;
+	      }
+	
+	      return new HashCollisionNode(ownerID, this.keyHash, newEntries);
+	    };
+	
+	
+	
+	
+	    function ValueNode(ownerID, keyHash, entry) {
+	      this.ownerID = ownerID;
+	      this.keyHash = keyHash;
+	      this.entry = entry;
+	    }
+	
+	    ValueNode.prototype.get = function(shift, keyHash, key, notSetValue) {
+	      return is(key, this.entry[0]) ? this.entry[1] : notSetValue;
+	    };
+	
+	    ValueNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) {
+	      var removed = value === NOT_SET;
+	      var keyMatch = is(key, this.entry[0]);
+	      if (keyMatch ? value === this.entry[1] : removed) {
+	        return this;
+	      }
+	
+	      SetRef(didAlter);
+	
+	      if (removed) {
+	        SetRef(didChangeSize);
+	        return; // undefined
+	      }
+	
+	      if (keyMatch) {
+	        if (ownerID && ownerID === this.ownerID) {
+	          this.entry[1] = value;
+	          return this;
+	        }
+	        return new ValueNode(ownerID, this.keyHash, [key, value]);
+	      }
+	
+	      SetRef(didChangeSize);
+	      return mergeIntoNode(this, ownerID, shift, hash(key), [key, value]);
+	    };
+	
+	
+	
+	  // #pragma Iterators
+	
+	  ArrayMapNode.prototype.iterate =
+	  HashCollisionNode.prototype.iterate = function (fn, reverse) {
+	    var entries = this.entries;
+	    for (var ii = 0, maxIndex = entries.length - 1; ii <= maxIndex; ii++) {
+	      if (fn(entries[reverse ? maxIndex - ii : ii]) === false) {
+	        return false;
+	      }
+	    }
+	  }
+	
+	  BitmapIndexedNode.prototype.iterate =
+	  HashArrayMapNode.prototype.iterate = function (fn, reverse) {
+	    var nodes = this.nodes;
+	    for (var ii = 0, maxIndex = nodes.length - 1; ii <= maxIndex; ii++) {
+	      var node = nodes[reverse ? maxIndex - ii : ii];
+	      if (node && node.iterate(fn, reverse) === false) {
+	        return false;
+	      }
+	    }
+	  }
+	
+	  ValueNode.prototype.iterate = function (fn, reverse) {
+	    return fn(this.entry);
+	  }
+	
+	  createClass(MapIterator, Iterator);
+	
+	    function MapIterator(map, type, reverse) {
+	      this._type = type;
+	      this._reverse = reverse;
+	      this._stack = map._root && mapIteratorFrame(map._root);
+	    }
+	
+	    MapIterator.prototype.next = function() {
+	      var type = this._type;
+	      var stack = this._stack;
+	      while (stack) {
+	        var node = stack.node;
+	        var index = stack.index++;
+	        var maxIndex;
+	        if (node.entry) {
+	          if (index === 0) {
+	            return mapIteratorValue(type, node.entry);
+	          }
+	        } else if (node.entries) {
+	          maxIndex = node.entries.length - 1;
+	          if (index <= maxIndex) {
+	            return mapIteratorValue(type, node.entries[this._reverse ? maxIndex - index : index]);
+	          }
+	        } else {
+	          maxIndex = node.nodes.length - 1;
+	          if (index <= maxIndex) {
+	            var subNode = node.nodes[this._reverse ? maxIndex - index : index];
+	            if (subNode) {
+	              if (subNode.entry) {
+	                return mapIteratorValue(type, subNode.entry);
+	              }
+	              stack = this._stack = mapIteratorFrame(subNode, stack);
+	            }
+	            continue;
+	          }
+	        }
+	        stack = this._stack = this._stack.__prev;
+	      }
+	      return iteratorDone();
+	    };
+	
+	
+	  function mapIteratorValue(type, entry) {
+	    return iteratorValue(type, entry[0], entry[1]);
+	  }
+	
+	  function mapIteratorFrame(node, prev) {
+	    return {
+	      node: node,
+	      index: 0,
+	      __prev: prev
+	    };
+	  }
+	
+	  function makeMap(size, root, ownerID, hash) {
+	    var map = Object.create(MapPrototype);
+	    map.size = size;
+	    map._root = root;
+	    map.__ownerID = ownerID;
+	    map.__hash = hash;
+	    map.__altered = false;
+	    return map;
+	  }
+	
+	  var EMPTY_MAP;
+	  function emptyMap() {
+	    return EMPTY_MAP || (EMPTY_MAP = makeMap(0));
+	  }
+	
+	  function updateMap(map, k, v) {
+	    var newRoot;
+	    var newSize;
+	    if (!map._root) {
+	      if (v === NOT_SET) {
+	        return map;
+	      }
+	      newSize = 1;
+	      newRoot = new ArrayMapNode(map.__ownerID, [[k, v]]);
+	    } else {
+	      var didChangeSize = MakeRef(CHANGE_LENGTH);
+	      var didAlter = MakeRef(DID_ALTER);
+	      newRoot = updateNode(map._root, map.__ownerID, 0, undefined, k, v, didChangeSize, didAlter);
+	      if (!didAlter.value) {
+	        return map;
+	      }
+	      newSize = map.size + (didChangeSize.value ? v === NOT_SET ? -1 : 1 : 0);
+	    }
+	    if (map.__ownerID) {
+	      map.size = newSize;
+	      map._root = newRoot;
+	      map.__hash = undefined;
+	      map.__altered = true;
+	      return map;
+	    }
+	    return newRoot ? makeMap(newSize, newRoot) : emptyMap();
+	  }
+	
+	  function updateNode(node, ownerID, shift, keyHash, key, value, didChangeSize, didAlter) {
+	    if (!node) {
+	      if (value === NOT_SET) {
+	        return node;
+	      }
+	      SetRef(didAlter);
+	      SetRef(didChangeSize);
+	      return new ValueNode(ownerID, keyHash, [key, value]);
+	    }
+	    return node.update(ownerID, shift, keyHash, key, value, didChangeSize, didAlter);
+	  }
+	
+	  function isLeafNode(node) {
+	    return node.constructor === ValueNode || node.constructor === HashCollisionNode;
+	  }
+	
+	  function mergeIntoNode(node, ownerID, shift, keyHash, entry) {
+	    if (node.keyHash === keyHash) {
+	      return new HashCollisionNode(ownerID, keyHash, [node.entry, entry]);
+	    }
+	
+	    var idx1 = (shift === 0 ? node.keyHash : node.keyHash >>> shift) & MASK;
+	    var idx2 = (shift === 0 ? keyHash : keyHash >>> shift) & MASK;
+	
+	    var newNode;
+	    var nodes = idx1 === idx2 ?
+	      [mergeIntoNode(node, ownerID, shift + SHIFT, keyHash, entry)] :
+	      ((newNode = new ValueNode(ownerID, keyHash, entry)), idx1 < idx2 ? [node, newNode] : [newNode, node]);
+	
+	    return new BitmapIndexedNode(ownerID, (1 << idx1) | (1 << idx2), nodes);
+	  }
+	
+	  function createNodes(ownerID, entries, key, value) {
+	    if (!ownerID) {
+	      ownerID = new OwnerID();
+	    }
+	    var node = new ValueNode(ownerID, hash(key), [key, value]);
+	    for (var ii = 0; ii < entries.length; ii++) {
+	      var entry = entries[ii];
+	      node = node.update(ownerID, 0, undefined, entry[0], entry[1]);
+	    }
+	    return node;
+	  }
+	
+	  function packNodes(ownerID, nodes, count, excluding) {
+	    var bitmap = 0;
+	    var packedII = 0;
+	    var packedNodes = new Array(count);
+	    for (var ii = 0, bit = 1, len = nodes.length; ii < len; ii++, bit <<= 1) {
+	      var node = nodes[ii];
+	      if (node !== undefined && ii !== excluding) {
+	        bitmap |= bit;
+	        packedNodes[packedII++] = node;
+	      }
+	    }
+	    return new BitmapIndexedNode(ownerID, bitmap, packedNodes);
+	  }
+	
+	  function expandNodes(ownerID, nodes, bitmap, including, node) {
+	    var count = 0;
+	    var expandedNodes = new Array(SIZE);
+	    for (var ii = 0; bitmap !== 0; ii++, bitmap >>>= 1) {
+	      expandedNodes[ii] = bitmap & 1 ? nodes[count++] : undefined;
+	    }
+	    expandedNodes[including] = node;
+	    return new HashArrayMapNode(ownerID, count + 1, expandedNodes);
+	  }
+	
+	  function mergeIntoMapWith(map, merger, iterables) {
+	    var iters = [];
+	    for (var ii = 0; ii < iterables.length; ii++) {
+	      var value = iterables[ii];
+	      var iter = KeyedIterable(value);
+	      if (!isIterable(value)) {
+	        iter = iter.map(function(v ) {return fromJS(v)});
+	      }
+	      iters.push(iter);
+	    }
+	    return mergeIntoCollectionWith(map, merger, iters);
+	  }
+	
+	  function deepMerger(existing, value, key) {
+	    return existing && existing.mergeDeep && isIterable(value) ?
+	      existing.mergeDeep(value) :
+	      is(existing, value) ? existing : value;
+	  }
+	
+	  function deepMergerWith(merger) {
+	    return function(existing, value, key)  {
+	      if (existing && existing.mergeDeepWith && isIterable(value)) {
+	        return existing.mergeDeepWith(merger, value);
+	      }
+	      var nextValue = merger(existing, value, key);
+	      return is(existing, nextValue) ? existing : nextValue;
+	    };
+	  }
+	
+	  function mergeIntoCollectionWith(collection, merger, iters) {
+	    iters = iters.filter(function(x ) {return x.size !== 0});
+	    if (iters.length === 0) {
+	      return collection;
+	    }
+	    if (collection.size === 0 && !collection.__ownerID && iters.length === 1) {
+	      return collection.constructor(iters[0]);
+	    }
+	    return collection.withMutations(function(collection ) {
+	      var mergeIntoMap = merger ?
+	        function(value, key)  {
+	          collection.update(key, NOT_SET, function(existing )
+	            {return existing === NOT_SET ? value : merger(existing, value, key)}
+	          );
+	        } :
+	        function(value, key)  {
+	          collection.set(key, value);
+	        }
+	      for (var ii = 0; ii < iters.length; ii++) {
+	        iters[ii].forEach(mergeIntoMap);
+	      }
+	    });
+	  }
+	
+	  function updateInDeepMap(existing, keyPathIter, notSetValue, updater) {
+	    var isNotSet = existing === NOT_SET;
+	    var step = keyPathIter.next();
+	    if (step.done) {
+	      var existingValue = isNotSet ? notSetValue : existing;
+	      var newValue = updater(existingValue);
+	      return newValue === existingValue ? existing : newValue;
+	    }
+	    invariant(
+	      isNotSet || (existing && existing.set),
+	      'invalid keyPath'
+	    );
+	    var key = step.value;
+	    var nextExisting = isNotSet ? NOT_SET : existing.get(key, NOT_SET);
+	    var nextUpdated = updateInDeepMap(
+	      nextExisting,
+	      keyPathIter,
+	      notSetValue,
+	      updater
+	    );
+	    return nextUpdated === nextExisting ? existing :
+	      nextUpdated === NOT_SET ? existing.remove(key) :
+	      (isNotSet ? emptyMap() : existing).set(key, nextUpdated);
+	  }
+	
+	  function popCount(x) {
+	    x = x - ((x >> 1) & 0x55555555);
+	    x = (x & 0x33333333) + ((x >> 2) & 0x33333333);
+	    x = (x + (x >> 4)) & 0x0f0f0f0f;
+	    x = x + (x >> 8);
+	    x = x + (x >> 16);
+	    return x & 0x7f;
+	  }
+	
+	  function setIn(array, idx, val, canEdit) {
+	    var newArray = canEdit ? array : arrCopy(array);
+	    newArray[idx] = val;
+	    return newArray;
+	  }
+	
+	  function spliceIn(array, idx, val, canEdit) {
+	    var newLen = array.length + 1;
+	    if (canEdit && idx + 1 === newLen) {
+	      array[idx] = val;
+	      return array;
+	    }
+	    var newArray = new Array(newLen);
+	    var after = 0;
+	    for (var ii = 0; ii < newLen; ii++) {
+	      if (ii === idx) {
+	        newArray[ii] = val;
+	        after = -1;
+	      } else {
+	        newArray[ii] = array[ii + after];
+	      }
+	    }
+	    return newArray;
+	  }
+	
+	  function spliceOut(array, idx, canEdit) {
+	    var newLen = array.length - 1;
+	    if (canEdit && idx === newLen) {
+	      array.pop();
+	      return array;
+	    }
+	    var newArray = new Array(newLen);
+	    var after = 0;
+	    for (var ii = 0; ii < newLen; ii++) {
+	      if (ii === idx) {
+	        after = 1;
+	      }
+	      newArray[ii] = array[ii + after];
+	    }
+	    return newArray;
+	  }
+	
+	  var MAX_ARRAY_MAP_SIZE = SIZE / 4;
+	  var MAX_BITMAP_INDEXED_SIZE = SIZE / 2;
+	  var MIN_HASH_ARRAY_MAP_SIZE = SIZE / 4;
+	
+	  createClass(List, IndexedCollection);
+	
+	    // @pragma Construction
+	
+	    function List(value) {
+	      var empty = emptyList();
+	      if (value === null || value === undefined) {
+	        return empty;
+	      }
+	      if (isList(value)) {
+	        return value;
+	      }
+	      var iter = IndexedIterable(value);
+	      var size = iter.size;
+	      if (size === 0) {
+	        return empty;
+	      }
+	      assertNotInfinite(size);
+	      if (size > 0 && size < SIZE) {
+	        return makeList(0, size, SHIFT, null, new VNode(iter.toArray()));
+	      }
+	      return empty.withMutations(function(list ) {
+	        list.setSize(size);
+	        iter.forEach(function(v, i)  {return list.set(i, v)});
+	      });
+	    }
+	
+	    List.of = function(/*...values*/) {
+	      return this(arguments);
+	    };
+	
+	    List.prototype.toString = function() {
+	      return this.__toString('List [', ']');
+	    };
+	
+	    // @pragma Access
+	
+	    List.prototype.get = function(index, notSetValue) {
+	      index = wrapIndex(this, index);
+	      if (index >= 0 && index < this.size) {
+	        index += this._origin;
+	        var node = listNodeFor(this, index);
+	        return node && node.array[index & MASK];
+	      }
+	      return notSetValue;
+	    };
+	
+	    // @pragma Modification
+	
+	    List.prototype.set = function(index, value) {
+	      return updateList(this, index, value);
+	    };
+	
+	    List.prototype.remove = function(index) {
+	      return !this.has(index) ? this :
+	        index === 0 ? this.shift() :
+	        index === this.size - 1 ? this.pop() :
+	        this.splice(index, 1);
+	    };
+	
+	    List.prototype.insert = function(index, value) {
+	      return this.splice(index, 0, value);
+	    };
+	
+	    List.prototype.clear = function() {
+	      if (this.size === 0) {
+	        return this;
+	      }
+	      if (this.__ownerID) {
+	        this.size = this._origin = this._capacity = 0;
+	        this._level = SHIFT;
+	        this._root = this._tail = null;
+	        this.__hash = undefined;
+	        this.__altered = true;
+	        return this;
+	      }
+	      return emptyList();
+	    };
+	
+	    List.prototype.push = function(/*...values*/) {
+	      var values = arguments;
+	      var oldSize = this.size;
+	      return this.withMutations(function(list ) {
+	        setListBounds(list, 0, oldSize + values.length);
+	        for (var ii = 0; ii < values.length; ii++) {
+	          list.set(oldSize + ii, values[ii]);
+	        }
+	      });
+	    };
+	
+	    List.prototype.pop = function() {
+	      return setListBounds(this, 0, -1);
+	    };
+	
+	    List.prototype.unshift = function(/*...values*/) {
+	      var values = arguments;
+	      return this.withMutations(function(list ) {
+	        setListBounds(list, -values.length);
+	        for (var ii = 0; ii < values.length; ii++) {
+	          list.set(ii, values[ii]);
+	        }
+	      });
+	    };
+	
+	    List.prototype.shift = function() {
+	      return setListBounds(this, 1);
+	    };
+	
+	    // @pragma Composition
+	
+	    List.prototype.merge = function(/*...iters*/) {
+	      return mergeIntoListWith(this, undefined, arguments);
+	    };
+	
+	    List.prototype.mergeWith = function(merger) {var iters = SLICE$0.call(arguments, 1);
+	      return mergeIntoListWith(this, merger, iters);
+	    };
+	
+	    List.prototype.mergeDeep = function(/*...iters*/) {
+	      return mergeIntoListWith(this, deepMerger, arguments);
+	    };
+	
+	    List.prototype.mergeDeepWith = function(merger) {var iters = SLICE$0.call(arguments, 1);
+	      return mergeIntoListWith(this, deepMergerWith(merger), iters);
+	    };
+	
+	    List.prototype.setSize = function(size) {
+	      return setListBounds(this, 0, size);
+	    };
+	
+	    // @pragma Iteration
+	
+	    List.prototype.slice = function(begin, end) {
+	      var size = this.size;
+	      if (wholeSlice(begin, end, size)) {
+	        return this;
+	      }
+	      return setListBounds(
+	        this,
+	        resolveBegin(begin, size),
+	        resolveEnd(end, size)
+	      );
+	    };
+	
+	    List.prototype.__iterator = function(type, reverse) {
+	      var index = 0;
+	      var values = iterateList(this, reverse);
+	      return new Iterator(function()  {
+	        var value = values();
+	        return value === DONE ?
+	          iteratorDone() :
+	          iteratorValue(type, index++, value);
+	      });
+	    };
+	
+	    List.prototype.__iterate = function(fn, reverse) {
+	      var index = 0;
+	      var values = iterateList(this, reverse);
+	      var value;
+	      while ((value = values()) !== DONE) {
+	        if (fn(value, index++, this) === false) {
+	          break;
+	        }
+	      }
+	      return index;
+	    };
+	
+	    List.prototype.__ensureOwner = function(ownerID) {
+	      if (ownerID === this.__ownerID) {
+	        return this;
+	      }
+	      if (!ownerID) {
+	        this.__ownerID = ownerID;
+	        return this;
+	      }
+	      return makeList(this._origin, this._capacity, this._level, this._root, this._tail, ownerID, this.__hash);
+	    };
+	
+	
+	  function isList(maybeList) {
+	    return !!(maybeList && maybeList[IS_LIST_SENTINEL]);
+	  }
+	
+	  List.isList = isList;
+	
+	  var IS_LIST_SENTINEL = '@@__IMMUTABLE_LIST__@@';
+	
+	  var ListPrototype = List.prototype;
+	  ListPrototype[IS_LIST_SENTINEL] = true;
+	  ListPrototype[DELETE] = ListPrototype.remove;
+	  ListPrototype.setIn = MapPrototype.setIn;
+	  ListPrototype.deleteIn =
+	  ListPrototype.removeIn = MapPrototype.removeIn;
+	  ListPrototype.update = MapPrototype.update;
+	  ListPrototype.updateIn = MapPrototype.updateIn;
+	  ListPrototype.mergeIn = MapPrototype.mergeIn;
+	  ListPrototype.mergeDeepIn = MapPrototype.mergeDeepIn;
+	  ListPrototype.withMutations = MapPrototype.withMutations;
+	  ListPrototype.asMutable = MapPrototype.asMutable;
+	  ListPrototype.asImmutable = MapPrototype.asImmutable;
+	  ListPrototype.wasAltered = MapPrototype.wasAltered;
+	
+	
+	
+	    function VNode(array, ownerID) {
+	      this.array = array;
+	      this.ownerID = ownerID;
+	    }
+	
+	    // TODO: seems like these methods are very similar
+	
+	    VNode.prototype.removeBefore = function(ownerID, level, index) {
+	      if (index === level ? 1 << level : 0 || this.array.length === 0) {
+	        return this;
+	      }
+	      var originIndex = (index >>> level) & MASK;
+	      if (originIndex >= this.array.length) {
+	        return new VNode([], ownerID);
+	      }
+	      var removingFirst = originIndex === 0;
+	      var newChild;
+	      if (level > 0) {
+	        var oldChild = this.array[originIndex];
+	        newChild = oldChild && oldChild.removeBefore(ownerID, level - SHIFT, index);
+	        if (newChild === oldChild && removingFirst) {
+	          return this;
+	        }
+	      }
+	      if (removingFirst && !newChild) {
+	        return this;
+	      }
+	      var editable = editableVNode(this, ownerID);
+	      if (!removingFirst) {
+	        for (var ii = 0; ii < originIndex; ii++) {
+	          editable.array[ii] = undefined;
+	        }
+	      }
+	      if (newChild) {
+	        editable.array[originIndex] = newChild;
+	      }
+	      return editable;
+	    };
+	
+	    VNode.prototype.removeAfter = function(ownerID, level, index) {
+	      if (index === (level ? 1 << level : 0) || this.array.length === 0) {
+	        return this;
+	      }
+	      var sizeIndex = ((index - 1) >>> level) & MASK;
+	      if (sizeIndex >= this.array.length) {
+	        return this;
+	      }
+	
+	      var newChild;
+	      if (level > 0) {
+	        var oldChild = this.array[sizeIndex];
+	        newChild = oldChild && oldChild.removeAfter(ownerID, level - SHIFT, index);
+	        if (newChild === oldChild && sizeIndex === this.array.length - 1) {
+	          return this;
+	        }
+	      }
+	
+	      var editable = editableVNode(this, ownerID);
+	      editable.array.splice(sizeIndex + 1);
+	      if (newChild) {
+	        editable.array[sizeIndex] = newChild;
+	      }
+	      return editable;
+	    };
+	
+	
+	
+	  var DONE = {};
+	
+	  function iterateList(list, reverse) {
+	    var left = list._origin;
+	    var right = list._capacity;
+	    var tailPos = getTailOffset(right);
+	    var tail = list._tail;
+	
+	    return iterateNodeOrLeaf(list._root, list._level, 0);
+	
+	    function iterateNodeOrLeaf(node, level, offset) {
+	      return level === 0 ?
+	        iterateLeaf(node, offset) :
+	        iterateNode(node, level, offset);
+	    }
+	
+	    function iterateLeaf(node, offset) {
+	      var array = offset === tailPos ? tail && tail.array : node && node.array;
+	      var from = offset > left ? 0 : left - offset;
+	      var to = right - offset;
+	      if (to > SIZE) {
+	        to = SIZE;
+	      }
+	      return function()  {
+	        if (from === to) {
+	          return DONE;
+	        }
+	        var idx = reverse ? --to : from++;
+	        return array && array[idx];
+	      };
+	    }
+	
+	    function iterateNode(node, level, offset) {
+	      var values;
+	      var array = node && node.array;
+	      var from = offset > left ? 0 : (left - offset) >> level;
+	      var to = ((right - offset) >> level) + 1;
+	      if (to > SIZE) {
+	        to = SIZE;
+	      }
+	      return function()  {
+	        do {
+	          if (values) {
+	            var value = values();
+	            if (value !== DONE) {
+	              return value;
+	            }
+	            values = null;
+	          }
+	          if (from === to) {
+	            return DONE;
+	          }
+	          var idx = reverse ? --to : from++;
+	          values = iterateNodeOrLeaf(
+	            array && array[idx], level - SHIFT, offset + (idx << level)
+	          );
+	        } while (true);
+	      };
+	    }
+	  }
+	
+	  function makeList(origin, capacity, level, root, tail, ownerID, hash) {
+	    var list = Object.create(ListPrototype);
+	    list.size = capacity - origin;
+	    list._origin = origin;
+	    list._capacity = capacity;
+	    list._level = level;
+	    list._root = root;
+	    list._tail = tail;
+	    list.__ownerID = ownerID;
+	    list.__hash = hash;
+	    list.__altered = false;
+	    return list;
+	  }
+	
+	  var EMPTY_LIST;
+	  function emptyList() {
+	    return EMPTY_LIST || (EMPTY_LIST = makeList(0, 0, SHIFT));
+	  }
+	
+	  function updateList(list, index, value) {
+	    index = wrapIndex(list, index);
+	
+	    if (index !== index) {
+	      return list;
+	    }
+	
+	    if (index >= list.size || index < 0) {
+	      return list.withMutations(function(list ) {
+	        index < 0 ?
+	          setListBounds(list, index).set(0, value) :
+	          setListBounds(list, 0, index + 1).set(index, value)
+	      });
+	    }
+	
+	    index += list._origin;
+	
+	    var newTail = list._tail;
+	    var newRoot = list._root;
+	    var didAlter = MakeRef(DID_ALTER);
+	    if (index >= getTailOffset(list._capacity)) {
+	      newTail = updateVNode(newTail, list.__ownerID, 0, index, value, didAlter);
+	    } else {
+	      newRoot = updateVNode(newRoot, list.__ownerID, list._level, index, value, didAlter);
+	    }
+	
+	    if (!didAlter.value) {
+	      return list;
+	    }
+	
+	    if (list.__ownerID) {
+	      list._root = newRoot;
+	      list._tail = newTail;
+	      list.__hash = undefined;
+	      list.__altered = true;
+	      return list;
+	    }
+	    return makeList(list._origin, list._capacity, list._level, newRoot, newTail);
+	  }
+	
+	  function updateVNode(node, ownerID, level, index, value, didAlter) {
+	    var idx = (index >>> level) & MASK;
+	    var nodeHas = node && idx < node.array.length;
+	    if (!nodeHas && value === undefined) {
+	      return node;
+	    }
+	
+	    var newNode;
+	
+	    if (level > 0) {
+	      var lowerNode = node && node.array[idx];
+	      var newLowerNode = updateVNode(lowerNode, ownerID, level - SHIFT, index, value, didAlter);
+	      if (newLowerNode === lowerNode) {
+	        return node;
+	      }
+	      newNode = editableVNode(node, ownerID);
+	      newNode.array[idx] = newLowerNode;
+	      return newNode;
+	    }
+	
+	    if (nodeHas && node.array[idx] === value) {
+	      return node;
+	    }
+	
+	    SetRef(didAlter);
+	
+	    newNode = editableVNode(node, ownerID);
+	    if (value === undefined && idx === newNode.array.length - 1) {
+	      newNode.array.pop();
+	    } else {
+	      newNode.array[idx] = value;
+	    }
+	    return newNode;
+	  }
+	
+	  function editableVNode(node, ownerID) {
+	    if (ownerID && node && ownerID === node.ownerID) {
+	      return node;
+	    }
+	    return new VNode(node ? node.array.slice() : [], ownerID);
+	  }
+	
+	  function listNodeFor(list, rawIndex) {
+	    if (rawIndex >= getTailOffset(list._capacity)) {
+	      return list._tail;
+	    }
+	    if (rawIndex < 1 << (list._level + SHIFT)) {
+	      var node = list._root;
+	      var level = list._level;
+	      while (node && level > 0) {
+	        node = node.array[(rawIndex >>> level) & MASK];
+	        level -= SHIFT;
+	      }
+	      return node;
+	    }
+	  }
+	
+	  function setListBounds(list, begin, end) {
+	    // Sanitize begin & end using this shorthand for ToInt32(argument)
+	    // http://www.ecma-international.org/ecma-262/6.0/#sec-toint32
+	    if (begin !== undefined) {
+	      begin = begin | 0;
+	    }
+	    if (end !== undefined) {
+	      end = end | 0;
+	    }
+	    var owner = list.__ownerID || new OwnerID();
+	    var oldOrigin = list._origin;
+	    var oldCapacity = list._capacity;
+	    var newOrigin = oldOrigin + begin;
+	    var newCapacity = end === undefined ? oldCapacity : end < 0 ? oldCapacity + end : oldOrigin + end;
+	    if (newOrigin === oldOrigin && newCapacity === oldCapacity) {
+	      return list;
+	    }
+	
+	    // If it's going to end after it starts, it's empty.
+	    if (newOrigin >= newCapacity) {
+	      return list.clear();
+	    }
+	
+	    var newLevel = list._level;
+	    var newRoot = list._root;
+	
+	    // New origin might need creating a higher root.
+	    var offsetShift = 0;
+	    while (newOrigin + offsetShift < 0) {
+	      newRoot = new VNode(newRoot && newRoot.array.length ? [undefined, newRoot] : [], owner);
+	      newLevel += SHIFT;
+	      offsetShift += 1 << newLevel;
+	    }
+	    if (offsetShift) {
+	      newOrigin += offsetShift;
+	      oldOrigin += offsetShift;
+	      newCapacity += offsetShift;
+	      oldCapacity += offsetShift;
+	    }
+	
+	    var oldTailOffset = getTailOffset(oldCapacity);
+	    var newTailOffset = getTailOffset(newCapacity);
+	
+	    // New size might need creating a higher root.
+	    while (newTailOffset >= 1 << (newLevel + SHIFT)) {
+	      newRoot = new VNode(newRoot && newRoot.array.length ? [newRoot] : [], owner);
+	      newLevel += SHIFT;
+	    }
+	
+	    // Locate or create the new tail.
+	    var oldTail = list._tail;
+	    var newTail = newTailOffset < oldTailOffset ?
+	      listNodeFor(list, newCapacity - 1) :
+	      newTailOffset > oldTailOffset ? new VNode([], owner) : oldTail;
+	
+	    // Merge Tail into tree.
+	    if (oldTail && newTailOffset > oldTailOffset && newOrigin < oldCapacity && oldTail.array.length) {
+	      newRoot = editableVNode(newRoot, owner);
+	      var node = newRoot;
+	      for (var level = newLevel; level > SHIFT; level -= SHIFT) {
+	        var idx = (oldTailOffset >>> level) & MASK;
+	        node = node.array[idx] = editableVNode(node.array[idx], owner);
+	      }
+	      node.array[(oldTailOffset >>> SHIFT) & MASK] = oldTail;
+	    }
+	
+	    // If the size has been reduced, there's a chance the tail needs to be trimmed.
+	    if (newCapacity < oldCapacity) {
+	      newTail = newTail && newTail.removeAfter(owner, 0, newCapacity);
+	    }
+	
+	    // If the new origin is within the tail, then we do not need a root.
+	    if (newOrigin >= newTailOffset) {
+	      newOrigin -= newTailOffset;
+	      newCapacity -= newTailOffset;
+	      newLevel = SHIFT;
+	      newRoot = null;
+	      newTail = newTail && newTail.removeBefore(owner, 0, newOrigin);
+	
+	    // Otherwise, if the root has been trimmed, garbage collect.
+	    } else if (newOrigin > oldOrigin || newTailOffset < oldTailOffset) {
+	      offsetShift = 0;
+	
+	      // Identify the new top root node of the subtree of the old root.
+	      while (newRoot) {
+	        var beginIndex = (newOrigin >>> newLevel) & MASK;
+	        if (beginIndex !== (newTailOffset >>> newLevel) & MASK) {
+	          break;
+	        }
+	        if (beginIndex) {
+	          offsetShift += (1 << newLevel) * beginIndex;
+	        }
+	        newLevel -= SHIFT;
+	        newRoot = newRoot.array[beginIndex];
+	      }
+	
+	      // Trim the new sides of the new root.
+	      if (newRoot && newOrigin > oldOrigin) {
+	        newRoot = newRoot.removeBefore(owner, newLevel, newOrigin - offsetShift);
+	      }
+	      if (newRoot && newTailOffset < oldTailOffset) {
+	        newRoot = newRoot.removeAfter(owner, newLevel, newTailOffset - offsetShift);
+	      }
+	      if (offsetShift) {
+	        newOrigin -= offsetShift;
+	        newCapacity -= offsetShift;
+	      }
+	    }
+	
+	    if (list.__ownerID) {
+	      list.size = newCapacity - newOrigin;
+	      list._origin = newOrigin;
+	      list._capacity = newCapacity;
+	      list._level = newLevel;
+	      list._root = newRoot;
+	      list._tail = newTail;
+	      list.__hash = undefined;
+	      list.__altered = true;
+	      return list;
+	    }
+	    return makeList(newOrigin, newCapacity, newLevel, newRoot, newTail);
+	  }
+	
+	  function mergeIntoListWith(list, merger, iterables) {
+	    var iters = [];
+	    var maxSize = 0;
+	    for (var ii = 0; ii < iterables.length; ii++) {
+	      var value = iterables[ii];
+	      var iter = IndexedIterable(value);
+	      if (iter.size > maxSize) {
+	        maxSize = iter.size;
+	      }
+	      if (!isIterable(value)) {
+	        iter = iter.map(function(v ) {return fromJS(v)});
+	      }
+	      iters.push(iter);
+	    }
+	    if (maxSize > list.size) {
+	      list = list.setSize(maxSize);
+	    }
+	    return mergeIntoCollectionWith(list, merger, iters);
+	  }
+	
+	  function getTailOffset(size) {
+	    return size < SIZE ? 0 : (((size - 1) >>> SHIFT) << SHIFT);
+	  }
+	
+	  createClass(OrderedMap, Map);
+	
+	    // @pragma Construction
+	
+	    function OrderedMap(value) {
+	      return value === null || value === undefined ? emptyOrderedMap() :
+	        isOrderedMap(value) ? value :
+	        emptyOrderedMap().withMutations(function(map ) {
+	          var iter = KeyedIterable(value);
+	          assertNotInfinite(iter.size);
+	          iter.forEach(function(v, k)  {return map.set(k, v)});
+	        });
+	    }
+	
+	    OrderedMap.of = function(/*...values*/) {
+	      return this(arguments);
+	    };
+	
+	    OrderedMap.prototype.toString = function() {
+	      return this.__toString('OrderedMap {', '}');
+	    };
+	
+	    // @pragma Access
+	
+	    OrderedMap.prototype.get = function(k, notSetValue) {
+	      var index = this._map.get(k);
+	      return index !== undefined ? this._list.get(index)[1] : notSetValue;
+	    };
+	
+	    // @pragma Modification
+	
+	    OrderedMap.prototype.clear = function() {
+	      if (this.size === 0) {
+	        return this;
+	      }
+	      if (this.__ownerID) {
+	        this.size = 0;
+	        this._map.clear();
+	        this._list.clear();
+	        return this;
+	      }
+	      return emptyOrderedMap();
+	    };
+	
+	    OrderedMap.prototype.set = function(k, v) {
+	      return updateOrderedMap(this, k, v);
+	    };
+	
+	    OrderedMap.prototype.remove = function(k) {
+	      return updateOrderedMap(this, k, NOT_SET);
+	    };
+	
+	    OrderedMap.prototype.wasAltered = function() {
+	      return this._map.wasAltered() || this._list.wasAltered();
+	    };
+	
+	    OrderedMap.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      return this._list.__iterate(
+	        function(entry ) {return entry && fn(entry[1], entry[0], this$0)},
+	        reverse
+	      );
+	    };
+	
+	    OrderedMap.prototype.__iterator = function(type, reverse) {
+	      return this._list.fromEntrySeq().__iterator(type, reverse);
+	    };
+	
+	    OrderedMap.prototype.__ensureOwner = function(ownerID) {
+	      if (ownerID === this.__ownerID) {
+	        return this;
+	      }
+	      var newMap = this._map.__ensureOwner(ownerID);
+	      var newList = this._list.__ensureOwner(ownerID);
+	      if (!ownerID) {
+	        this.__ownerID = ownerID;
+	        this._map = newMap;
+	        this._list = newList;
+	        return this;
+	      }
+	      return makeOrderedMap(newMap, newList, ownerID, this.__hash);
+	    };
+	
+	
+	  function isOrderedMap(maybeOrderedMap) {
+	    return isMap(maybeOrderedMap) && isOrdered(maybeOrderedMap);
+	  }
+	
+	  OrderedMap.isOrderedMap = isOrderedMap;
+	
+	  OrderedMap.prototype[IS_ORDERED_SENTINEL] = true;
+	  OrderedMap.prototype[DELETE] = OrderedMap.prototype.remove;
+	
+	
+	
+	  function makeOrderedMap(map, list, ownerID, hash) {
+	    var omap = Object.create(OrderedMap.prototype);
+	    omap.size = map ? map.size : 0;
+	    omap._map = map;
+	    omap._list = list;
+	    omap.__ownerID = ownerID;
+	    omap.__hash = hash;
+	    return omap;
+	  }
+	
+	  var EMPTY_ORDERED_MAP;
+	  function emptyOrderedMap() {
+	    return EMPTY_ORDERED_MAP || (EMPTY_ORDERED_MAP = makeOrderedMap(emptyMap(), emptyList()));
+	  }
+	
+	  function updateOrderedMap(omap, k, v) {
+	    var map = omap._map;
+	    var list = omap._list;
+	    var i = map.get(k);
+	    var has = i !== undefined;
+	    var newMap;
+	    var newList;
+	    if (v === NOT_SET) { // removed
+	      if (!has) {
+	        return omap;
+	      }
+	      if (list.size >= SIZE && list.size >= map.size * 2) {
+	        newList = list.filter(function(entry, idx)  {return entry !== undefined && i !== idx});
+	        newMap = newList.toKeyedSeq().map(function(entry ) {return entry[0]}).flip().toMap();
+	        if (omap.__ownerID) {
+	          newMap.__ownerID = newList.__ownerID = omap.__ownerID;
+	        }
+	      } else {
+	        newMap = map.remove(k);
+	        newList = i === list.size - 1 ? list.pop() : list.set(i, undefined);
+	      }
+	    } else {
+	      if (has) {
+	        if (v === list.get(i)[1]) {
+	          return omap;
+	        }
+	        newMap = map;
+	        newList = list.set(i, [k, v]);
+	      } else {
+	        newMap = map.set(k, list.size);
+	        newList = list.set(list.size, [k, v]);
+	      }
+	    }
+	    if (omap.__ownerID) {
+	      omap.size = newMap.size;
+	      omap._map = newMap;
+	      omap._list = newList;
+	      omap.__hash = undefined;
+	      return omap;
+	    }
+	    return makeOrderedMap(newMap, newList);
+	  }
+	
+	  createClass(ToKeyedSequence, KeyedSeq);
+	    function ToKeyedSequence(indexed, useKeys) {
+	      this._iter = indexed;
+	      this._useKeys = useKeys;
+	      this.size = indexed.size;
+	    }
+	
+	    ToKeyedSequence.prototype.get = function(key, notSetValue) {
+	      return this._iter.get(key, notSetValue);
+	    };
+	
+	    ToKeyedSequence.prototype.has = function(key) {
+	      return this._iter.has(key);
+	    };
+	
+	    ToKeyedSequence.prototype.valueSeq = function() {
+	      return this._iter.valueSeq();
+	    };
+	
+	    ToKeyedSequence.prototype.reverse = function() {var this$0 = this;
+	      var reversedSequence = reverseFactory(this, true);
+	      if (!this._useKeys) {
+	        reversedSequence.valueSeq = function()  {return this$0._iter.toSeq().reverse()};
+	      }
+	      return reversedSequence;
+	    };
+	
+	    ToKeyedSequence.prototype.map = function(mapper, context) {var this$0 = this;
+	      var mappedSequence = mapFactory(this, mapper, context);
+	      if (!this._useKeys) {
+	        mappedSequence.valueSeq = function()  {return this$0._iter.toSeq().map(mapper, context)};
+	      }
+	      return mappedSequence;
+	    };
+	
+	    ToKeyedSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      var ii;
+	      return this._iter.__iterate(
+	        this._useKeys ?
+	          function(v, k)  {return fn(v, k, this$0)} :
+	          ((ii = reverse ? resolveSize(this) : 0),
+	            function(v ) {return fn(v, reverse ? --ii : ii++, this$0)}),
+	        reverse
+	      );
+	    };
+	
+	    ToKeyedSequence.prototype.__iterator = function(type, reverse) {
+	      if (this._useKeys) {
+	        return this._iter.__iterator(type, reverse);
+	      }
+	      var iterator = this._iter.__iterator(ITERATE_VALUES, reverse);
+	      var ii = reverse ? resolveSize(this) : 0;
+	      return new Iterator(function()  {
+	        var step = iterator.next();
+	        return step.done ? step :
+	          iteratorValue(type, reverse ? --ii : ii++, step.value, step);
+	      });
+	    };
+	
+	  ToKeyedSequence.prototype[IS_ORDERED_SENTINEL] = true;
+	
+	
+	  createClass(ToIndexedSequence, IndexedSeq);
+	    function ToIndexedSequence(iter) {
+	      this._iter = iter;
+	      this.size = iter.size;
+	    }
+	
+	    ToIndexedSequence.prototype.includes = function(value) {
+	      return this._iter.includes(value);
+	    };
+	
+	    ToIndexedSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      var iterations = 0;
+	      return this._iter.__iterate(function(v ) {return fn(v, iterations++, this$0)}, reverse);
+	    };
+	
+	    ToIndexedSequence.prototype.__iterator = function(type, reverse) {
+	      var iterator = this._iter.__iterator(ITERATE_VALUES, reverse);
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        var step = iterator.next();
+	        return step.done ? step :
+	          iteratorValue(type, iterations++, step.value, step)
+	      });
+	    };
+	
+	
+	
+	  createClass(ToSetSequence, SetSeq);
+	    function ToSetSequence(iter) {
+	      this._iter = iter;
+	      this.size = iter.size;
+	    }
+	
+	    ToSetSequence.prototype.has = function(key) {
+	      return this._iter.includes(key);
+	    };
+	
+	    ToSetSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      return this._iter.__iterate(function(v ) {return fn(v, v, this$0)}, reverse);
+	    };
+	
+	    ToSetSequence.prototype.__iterator = function(type, reverse) {
+	      var iterator = this._iter.__iterator(ITERATE_VALUES, reverse);
+	      return new Iterator(function()  {
+	        var step = iterator.next();
+	        return step.done ? step :
+	          iteratorValue(type, step.value, step.value, step);
+	      });
+	    };
+	
+	
+	
+	  createClass(FromEntriesSequence, KeyedSeq);
+	    function FromEntriesSequence(entries) {
+	      this._iter = entries;
+	      this.size = entries.size;
+	    }
+	
+	    FromEntriesSequence.prototype.entrySeq = function() {
+	      return this._iter.toSeq();
+	    };
+	
+	    FromEntriesSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      return this._iter.__iterate(function(entry ) {
+	        // Check if entry exists first so array access doesn't throw for holes
+	        // in the parent iteration.
+	        if (entry) {
+	          validateEntry(entry);
+	          var indexedIterable = isIterable(entry);
+	          return fn(
+	            indexedIterable ? entry.get(1) : entry[1],
+	            indexedIterable ? entry.get(0) : entry[0],
+	            this$0
+	          );
+	        }
+	      }, reverse);
+	    };
+	
+	    FromEntriesSequence.prototype.__iterator = function(type, reverse) {
+	      var iterator = this._iter.__iterator(ITERATE_VALUES, reverse);
+	      return new Iterator(function()  {
+	        while (true) {
+	          var step = iterator.next();
+	          if (step.done) {
+	            return step;
+	          }
+	          var entry = step.value;
+	          // Check if entry exists first so array access doesn't throw for holes
+	          // in the parent iteration.
+	          if (entry) {
+	            validateEntry(entry);
+	            var indexedIterable = isIterable(entry);
+	            return iteratorValue(
+	              type,
+	              indexedIterable ? entry.get(0) : entry[0],
+	              indexedIterable ? entry.get(1) : entry[1],
+	              step
+	            );
+	          }
+	        }
+	      });
+	    };
+	
+	
+	  ToIndexedSequence.prototype.cacheResult =
+	  ToKeyedSequence.prototype.cacheResult =
+	  ToSetSequence.prototype.cacheResult =
+	  FromEntriesSequence.prototype.cacheResult =
+	    cacheResultThrough;
+	
+	
+	  function flipFactory(iterable) {
+	    var flipSequence = makeSequence(iterable);
+	    flipSequence._iter = iterable;
+	    flipSequence.size = iterable.size;
+	    flipSequence.flip = function()  {return iterable};
+	    flipSequence.reverse = function () {
+	      var reversedSequence = iterable.reverse.apply(this); // super.reverse()
+	      reversedSequence.flip = function()  {return iterable.reverse()};
+	      return reversedSequence;
+	    };
+	    flipSequence.has = function(key ) {return iterable.includes(key)};
+	    flipSequence.includes = function(key ) {return iterable.has(key)};
+	    flipSequence.cacheResult = cacheResultThrough;
+	    flipSequence.__iterateUncached = function (fn, reverse) {var this$0 = this;
+	      return iterable.__iterate(function(v, k)  {return fn(k, v, this$0) !== false}, reverse);
+	    }
+	    flipSequence.__iteratorUncached = function(type, reverse) {
+	      if (type === ITERATE_ENTRIES) {
+	        var iterator = iterable.__iterator(type, reverse);
+	        return new Iterator(function()  {
+	          var step = iterator.next();
+	          if (!step.done) {
+	            var k = step.value[0];
+	            step.value[0] = step.value[1];
+	            step.value[1] = k;
+	          }
+	          return step;
+	        });
+	      }
+	      return iterable.__iterator(
+	        type === ITERATE_VALUES ? ITERATE_KEYS : ITERATE_VALUES,
+	        reverse
+	      );
+	    }
+	    return flipSequence;
+	  }
+	
+	
+	  function mapFactory(iterable, mapper, context) {
+	    var mappedSequence = makeSequence(iterable);
+	    mappedSequence.size = iterable.size;
+	    mappedSequence.has = function(key ) {return iterable.has(key)};
+	    mappedSequence.get = function(key, notSetValue)  {
+	      var v = iterable.get(key, NOT_SET);
+	      return v === NOT_SET ?
+	        notSetValue :
+	        mapper.call(context, v, key, iterable);
+	    };
+	    mappedSequence.__iterateUncached = function (fn, reverse) {var this$0 = this;
+	      return iterable.__iterate(
+	        function(v, k, c)  {return fn(mapper.call(context, v, k, c), k, this$0) !== false},
+	        reverse
+	      );
+	    }
+	    mappedSequence.__iteratorUncached = function (type, reverse) {
+	      var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse);
+	      return new Iterator(function()  {
+	        var step = iterator.next();
+	        if (step.done) {
+	          return step;
+	        }
+	        var entry = step.value;
+	        var key = entry[0];
+	        return iteratorValue(
+	          type,
+	          key,
+	          mapper.call(context, entry[1], key, iterable),
+	          step
+	        );
+	      });
+	    }
+	    return mappedSequence;
+	  }
+	
+	
+	  function reverseFactory(iterable, useKeys) {
+	    var reversedSequence = makeSequence(iterable);
+	    reversedSequence._iter = iterable;
+	    reversedSequence.size = iterable.size;
+	    reversedSequence.reverse = function()  {return iterable};
+	    if (iterable.flip) {
+	      reversedSequence.flip = function () {
+	        var flipSequence = flipFactory(iterable);
+	        flipSequence.reverse = function()  {return iterable.flip()};
+	        return flipSequence;
+	      };
+	    }
+	    reversedSequence.get = function(key, notSetValue) 
+	      {return iterable.get(useKeys ? key : -1 - key, notSetValue)};
+	    reversedSequence.has = function(key )
+	      {return iterable.has(useKeys ? key : -1 - key)};
+	    reversedSequence.includes = function(value ) {return iterable.includes(value)};
+	    reversedSequence.cacheResult = cacheResultThrough;
+	    reversedSequence.__iterate = function (fn, reverse) {var this$0 = this;
+	      return iterable.__iterate(function(v, k)  {return fn(v, k, this$0)}, !reverse);
+	    };
+	    reversedSequence.__iterator =
+	      function(type, reverse)  {return iterable.__iterator(type, !reverse)};
+	    return reversedSequence;
+	  }
+	
+	
+	  function filterFactory(iterable, predicate, context, useKeys) {
+	    var filterSequence = makeSequence(iterable);
+	    if (useKeys) {
+	      filterSequence.has = function(key ) {
+	        var v = iterable.get(key, NOT_SET);
+	        return v !== NOT_SET && !!predicate.call(context, v, key, iterable);
+	      };
+	      filterSequence.get = function(key, notSetValue)  {
+	        var v = iterable.get(key, NOT_SET);
+	        return v !== NOT_SET && predicate.call(context, v, key, iterable) ?
+	          v : notSetValue;
+	      };
+	    }
+	    filterSequence.__iterateUncached = function (fn, reverse) {var this$0 = this;
+	      var iterations = 0;
+	      iterable.__iterate(function(v, k, c)  {
+	        if (predicate.call(context, v, k, c)) {
+	          iterations++;
+	          return fn(v, useKeys ? k : iterations - 1, this$0);
+	        }
+	      }, reverse);
+	      return iterations;
+	    };
+	    filterSequence.__iteratorUncached = function (type, reverse) {
+	      var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse);
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        while (true) {
+	          var step = iterator.next();
+	          if (step.done) {
+	            return step;
+	          }
+	          var entry = step.value;
+	          var key = entry[0];
+	          var value = entry[1];
+	          if (predicate.call(context, value, key, iterable)) {
+	            return iteratorValue(type, useKeys ? key : iterations++, value, step);
+	          }
+	        }
+	      });
+	    }
+	    return filterSequence;
+	  }
+	
+	
+	  function countByFactory(iterable, grouper, context) {
+	    var groups = Map().asMutable();
+	    iterable.__iterate(function(v, k)  {
+	      groups.update(
+	        grouper.call(context, v, k, iterable),
+	        0,
+	        function(a ) {return a + 1}
+	      );
+	    });
+	    return groups.asImmutable();
+	  }
+	
+	
+	  function groupByFactory(iterable, grouper, context) {
+	    var isKeyedIter = isKeyed(iterable);
+	    var groups = (isOrdered(iterable) ? OrderedMap() : Map()).asMutable();
+	    iterable.__iterate(function(v, k)  {
+	      groups.update(
+	        grouper.call(context, v, k, iterable),
+	        function(a ) {return (a = a || [], a.push(isKeyedIter ? [k, v] : v), a)}
+	      );
+	    });
+	    var coerce = iterableClass(iterable);
+	    return groups.map(function(arr ) {return reify(iterable, coerce(arr))});
+	  }
+	
+	
+	  function sliceFactory(iterable, begin, end, useKeys) {
+	    var originalSize = iterable.size;
+	
+	    // Sanitize begin & end using this shorthand for ToInt32(argument)
+	    // http://www.ecma-international.org/ecma-262/6.0/#sec-toint32
+	    if (begin !== undefined) {
+	      begin = begin | 0;
+	    }
+	    if (end !== undefined) {
+	      if (end === Infinity) {
+	        end = originalSize;
+	      } else {
+	        end = end | 0;
+	      }
+	    }
+	
+	    if (wholeSlice(begin, end, originalSize)) {
+	      return iterable;
+	    }
+	
+	    var resolvedBegin = resolveBegin(begin, originalSize);
+	    var resolvedEnd = resolveEnd(end, originalSize);
+	
+	    // begin or end will be NaN if they were provided as negative numbers and
+	    // this iterable's size is unknown. In that case, cache first so there is
+	    // a known size and these do not resolve to NaN.
+	    if (resolvedBegin !== resolvedBegin || resolvedEnd !== resolvedEnd) {
+	      return sliceFactory(iterable.toSeq().cacheResult(), begin, end, useKeys);
+	    }
+	
+	    // Note: resolvedEnd is undefined when the original sequence's length is
+	    // unknown and this slice did not supply an end and should contain all
+	    // elements after resolvedBegin.
+	    // In that case, resolvedSize will be NaN and sliceSize will remain undefined.
+	    var resolvedSize = resolvedEnd - resolvedBegin;
+	    var sliceSize;
+	    if (resolvedSize === resolvedSize) {
+	      sliceSize = resolvedSize < 0 ? 0 : resolvedSize;
+	    }
+	
+	    var sliceSeq = makeSequence(iterable);
+	
+	    // If iterable.size is undefined, the size of the realized sliceSeq is
+	    // unknown at this point unless the number of items to slice is 0
+	    sliceSeq.size = sliceSize === 0 ? sliceSize : iterable.size && sliceSize || undefined;
+	
+	    if (!useKeys && isSeq(iterable) && sliceSize >= 0) {
+	      sliceSeq.get = function (index, notSetValue) {
+	        index = wrapIndex(this, index);
+	        return index >= 0 && index < sliceSize ?
+	          iterable.get(index + resolvedBegin, notSetValue) :
+	          notSetValue;
+	      }
+	    }
+	
+	    sliceSeq.__iterateUncached = function(fn, reverse) {var this$0 = this;
+	      if (sliceSize === 0) {
+	        return 0;
+	      }
+	      if (reverse) {
+	        return this.cacheResult().__iterate(fn, reverse);
+	      }
+	      var skipped = 0;
+	      var isSkipping = true;
+	      var iterations = 0;
+	      iterable.__iterate(function(v, k)  {
+	        if (!(isSkipping && (isSkipping = skipped++ < resolvedBegin))) {
+	          iterations++;
+	          return fn(v, useKeys ? k : iterations - 1, this$0) !== false &&
+	                 iterations !== sliceSize;
+	        }
+	      });
+	      return iterations;
+	    };
+	
+	    sliceSeq.__iteratorUncached = function(type, reverse) {
+	      if (sliceSize !== 0 && reverse) {
+	        return this.cacheResult().__iterator(type, reverse);
+	      }
+	      // Don't bother instantiating parent iterator if taking 0.
+	      var iterator = sliceSize !== 0 && iterable.__iterator(type, reverse);
+	      var skipped = 0;
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        while (skipped++ < resolvedBegin) {
+	          iterator.next();
+	        }
+	        if (++iterations > sliceSize) {
+	          return iteratorDone();
+	        }
+	        var step = iterator.next();
+	        if (useKeys || type === ITERATE_VALUES) {
+	          return step;
+	        } else if (type === ITERATE_KEYS) {
+	          return iteratorValue(type, iterations - 1, undefined, step);
+	        } else {
+	          return iteratorValue(type, iterations - 1, step.value[1], step);
+	        }
+	      });
+	    }
+	
+	    return sliceSeq;
+	  }
+	
+	
+	  function takeWhileFactory(iterable, predicate, context) {
+	    var takeSequence = makeSequence(iterable);
+	    takeSequence.__iterateUncached = function(fn, reverse) {var this$0 = this;
+	      if (reverse) {
+	        return this.cacheResult().__iterate(fn, reverse);
+	      }
+	      var iterations = 0;
+	      iterable.__iterate(function(v, k, c) 
+	        {return predicate.call(context, v, k, c) && ++iterations && fn(v, k, this$0)}
+	      );
+	      return iterations;
+	    };
+	    takeSequence.__iteratorUncached = function(type, reverse) {var this$0 = this;
+	      if (reverse) {
+	        return this.cacheResult().__iterator(type, reverse);
+	      }
+	      var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse);
+	      var iterating = true;
+	      return new Iterator(function()  {
+	        if (!iterating) {
+	          return iteratorDone();
+	        }
+	        var step = iterator.next();
+	        if (step.done) {
+	          return step;
+	        }
+	        var entry = step.value;
+	        var k = entry[0];
+	        var v = entry[1];
+	        if (!predicate.call(context, v, k, this$0)) {
+	          iterating = false;
+	          return iteratorDone();
+	        }
+	        return type === ITERATE_ENTRIES ? step :
+	          iteratorValue(type, k, v, step);
+	      });
+	    };
+	    return takeSequence;
+	  }
+	
+	
+	  function skipWhileFactory(iterable, predicate, context, useKeys) {
+	    var skipSequence = makeSequence(iterable);
+	    skipSequence.__iterateUncached = function (fn, reverse) {var this$0 = this;
+	      if (reverse) {
+	        return this.cacheResult().__iterate(fn, reverse);
+	      }
+	      var isSkipping = true;
+	      var iterations = 0;
+	      iterable.__iterate(function(v, k, c)  {
+	        if (!(isSkipping && (isSkipping = predicate.call(context, v, k, c)))) {
+	          iterations++;
+	          return fn(v, useKeys ? k : iterations - 1, this$0);
+	        }
+	      });
+	      return iterations;
+	    };
+	    skipSequence.__iteratorUncached = function(type, reverse) {var this$0 = this;
+	      if (reverse) {
+	        return this.cacheResult().__iterator(type, reverse);
+	      }
+	      var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse);
+	      var skipping = true;
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        var step, k, v;
+	        do {
+	          step = iterator.next();
+	          if (step.done) {
+	            if (useKeys || type === ITERATE_VALUES) {
+	              return step;
+	            } else if (type === ITERATE_KEYS) {
+	              return iteratorValue(type, iterations++, undefined, step);
+	            } else {
+	              return iteratorValue(type, iterations++, step.value[1], step);
+	            }
+	          }
+	          var entry = step.value;
+	          k = entry[0];
+	          v = entry[1];
+	          skipping && (skipping = predicate.call(context, v, k, this$0));
+	        } while (skipping);
+	        return type === ITERATE_ENTRIES ? step :
+	          iteratorValue(type, k, v, step);
+	      });
+	    };
+	    return skipSequence;
+	  }
+	
+	
+	  function concatFactory(iterable, values) {
+	    var isKeyedIterable = isKeyed(iterable);
+	    var iters = [iterable].concat(values).map(function(v ) {
+	      if (!isIterable(v)) {
+	        v = isKeyedIterable ?
+	          keyedSeqFromValue(v) :
+	          indexedSeqFromValue(Array.isArray(v) ? v : [v]);
+	      } else if (isKeyedIterable) {
+	        v = KeyedIterable(v);
+	      }
+	      return v;
+	    }).filter(function(v ) {return v.size !== 0});
+	
+	    if (iters.length === 0) {
+	      return iterable;
+	    }
+	
+	    if (iters.length === 1) {
+	      var singleton = iters[0];
+	      if (singleton === iterable ||
+	          isKeyedIterable && isKeyed(singleton) ||
+	          isIndexed(iterable) && isIndexed(singleton)) {
+	        return singleton;
+	      }
+	    }
+	
+	    var concatSeq = new ArraySeq(iters);
+	    if (isKeyedIterable) {
+	      concatSeq = concatSeq.toKeyedSeq();
+	    } else if (!isIndexed(iterable)) {
+	      concatSeq = concatSeq.toSetSeq();
+	    }
+	    concatSeq = concatSeq.flatten(true);
+	    concatSeq.size = iters.reduce(
+	      function(sum, seq)  {
+	        if (sum !== undefined) {
+	          var size = seq.size;
+	          if (size !== undefined) {
+	            return sum + size;
+	          }
+	        }
+	      },
+	      0
+	    );
+	    return concatSeq;
+	  }
+	
+	
+	  function flattenFactory(iterable, depth, useKeys) {
+	    var flatSequence = makeSequence(iterable);
+	    flatSequence.__iterateUncached = function(fn, reverse) {
+	      var iterations = 0;
+	      var stopped = false;
+	      function flatDeep(iter, currentDepth) {var this$0 = this;
+	        iter.__iterate(function(v, k)  {
+	          if ((!depth || currentDepth < depth) && isIterable(v)) {
+	            flatDeep(v, currentDepth + 1);
+	          } else if (fn(v, useKeys ? k : iterations++, this$0) === false) {
+	            stopped = true;
+	          }
+	          return !stopped;
+	        }, reverse);
+	      }
+	      flatDeep(iterable, 0);
+	      return iterations;
+	    }
+	    flatSequence.__iteratorUncached = function(type, reverse) {
+	      var iterator = iterable.__iterator(type, reverse);
+	      var stack = [];
+	      var iterations = 0;
+	      return new Iterator(function()  {
+	        while (iterator) {
+	          var step = iterator.next();
+	          if (step.done !== false) {
+	            iterator = stack.pop();
+	            continue;
+	          }
+	          var v = step.value;
+	          if (type === ITERATE_ENTRIES) {
+	            v = v[1];
+	          }
+	          if ((!depth || stack.length < depth) && isIterable(v)) {
+	            stack.push(iterator);
+	            iterator = v.__iterator(type, reverse);
+	          } else {
+	            return useKeys ? step : iteratorValue(type, iterations++, v, step);
+	          }
+	        }
+	        return iteratorDone();
+	      });
+	    }
+	    return flatSequence;
+	  }
+	
+	
+	  function flatMapFactory(iterable, mapper, context) {
+	    var coerce = iterableClass(iterable);
+	    return iterable.toSeq().map(
+	      function(v, k)  {return coerce(mapper.call(context, v, k, iterable))}
+	    ).flatten(true);
+	  }
+	
+	
+	  function interposeFactory(iterable, separator) {
+	    var interposedSequence = makeSequence(iterable);
+	    interposedSequence.size = iterable.size && iterable.size * 2 -1;
+	    interposedSequence.__iterateUncached = function(fn, reverse) {var this$0 = this;
+	      var iterations = 0;
+	      iterable.__iterate(function(v, k) 
+	        {return (!iterations || fn(separator, iterations++, this$0) !== false) &&
+	        fn(v, iterations++, this$0) !== false},
+	        reverse
+	      );
+	      return iterations;
+	    };
+	    interposedSequence.__iteratorUncached = function(type, reverse) {
+	      var iterator = iterable.__iterator(ITERATE_VALUES, reverse);
+	      var iterations = 0;
+	      var step;
+	      return new Iterator(function()  {
+	        if (!step || iterations % 2) {
+	          step = iterator.next();
+	          if (step.done) {
+	            return step;
+	          }
+	        }
+	        return iterations % 2 ?
+	          iteratorValue(type, iterations++, separator) :
+	          iteratorValue(type, iterations++, step.value, step);
+	      });
+	    };
+	    return interposedSequence;
+	  }
+	
+	
+	  function sortFactory(iterable, comparator, mapper) {
+	    if (!comparator) {
+	      comparator = defaultComparator;
+	    }
+	    var isKeyedIterable = isKeyed(iterable);
+	    var index = 0;
+	    var entries = iterable.toSeq().map(
+	      function(v, k)  {return [k, v, index++, mapper ? mapper(v, k, iterable) : v]}
+	    ).toArray();
+	    entries.sort(function(a, b)  {return comparator(a[3], b[3]) || a[2] - b[2]}).forEach(
+	      isKeyedIterable ?
+	      function(v, i)  { entries[i].length = 2; } :
+	      function(v, i)  { entries[i] = v[1]; }
+	    );
+	    return isKeyedIterable ? KeyedSeq(entries) :
+	      isIndexed(iterable) ? IndexedSeq(entries) :
+	      SetSeq(entries);
+	  }
+	
+	
+	  function maxFactory(iterable, comparator, mapper) {
+	    if (!comparator) {
+	      comparator = defaultComparator;
+	    }
+	    if (mapper) {
+	      var entry = iterable.toSeq()
+	        .map(function(v, k)  {return [v, mapper(v, k, iterable)]})
+	        .reduce(function(a, b)  {return maxCompare(comparator, a[1], b[1]) ? b : a});
+	      return entry && entry[0];
+	    } else {
+	      return iterable.reduce(function(a, b)  {return maxCompare(comparator, a, b) ? b : a});
+	    }
+	  }
+	
+	  function maxCompare(comparator, a, b) {
+	    var comp = comparator(b, a);
+	    // b is considered the new max if the comparator declares them equal, but
+	    // they are not equal and b is in fact a nullish value.
+	    return (comp === 0 && b !== a && (b === undefined || b === null || b !== b)) || comp > 0;
+	  }
+	
+	
+	  function zipWithFactory(keyIter, zipper, iters) {
+	    var zipSequence = makeSequence(keyIter);
+	    zipSequence.size = new ArraySeq(iters).map(function(i ) {return i.size}).min();
+	    // Note: this a generic base implementation of __iterate in terms of
+	    // __iterator which may be more generically useful in the future.
+	    zipSequence.__iterate = function(fn, reverse) {
+	      /* generic:
+	      var iterator = this.__iterator(ITERATE_ENTRIES, reverse);
+	      var step;
+	      var iterations = 0;
+	      while (!(step = iterator.next()).done) {
+	        iterations++;
+	        if (fn(step.value[1], step.value[0], this) === false) {
+	          break;
+	        }
+	      }
+	      return iterations;
+	      */
+	      // indexed:
+	      var iterator = this.__iterator(ITERATE_VALUES, reverse);
+	      var step;
+	      var iterations = 0;
+	      while (!(step = iterator.next()).done) {
+	        if (fn(step.value, iterations++, this) === false) {
+	          break;
+	        }
+	      }
+	      return iterations;
+	    };
+	    zipSequence.__iteratorUncached = function(type, reverse) {
+	      var iterators = iters.map(function(i )
+	        {return (i = Iterable(i), getIterator(reverse ? i.reverse() : i))}
+	      );
+	      var iterations = 0;
+	      var isDone = false;
+	      return new Iterator(function()  {
+	        var steps;
+	        if (!isDone) {
+	          steps = iterators.map(function(i ) {return i.next()});
+	          isDone = steps.some(function(s ) {return s.done});
+	        }
+	        if (isDone) {
+	          return iteratorDone();
+	        }
+	        return iteratorValue(
+	          type,
+	          iterations++,
+	          zipper.apply(null, steps.map(function(s ) {return s.value}))
+	        );
+	      });
+	    };
+	    return zipSequence
+	  }
+	
+	
+	  // #pragma Helper Functions
+	
+	  function reify(iter, seq) {
+	    return isSeq(iter) ? seq : iter.constructor(seq);
+	  }
+	
+	  function validateEntry(entry) {
+	    if (entry !== Object(entry)) {
+	      throw new TypeError('Expected [K, V] tuple: ' + entry);
+	    }
+	  }
+	
+	  function resolveSize(iter) {
+	    assertNotInfinite(iter.size);
+	    return ensureSize(iter);
+	  }
+	
+	  function iterableClass(iterable) {
+	    return isKeyed(iterable) ? KeyedIterable :
+	      isIndexed(iterable) ? IndexedIterable :
+	      SetIterable;
+	  }
+	
+	  function makeSequence(iterable) {
+	    return Object.create(
+	      (
+	        isKeyed(iterable) ? KeyedSeq :
+	        isIndexed(iterable) ? IndexedSeq :
+	        SetSeq
+	      ).prototype
+	    );
+	  }
+	
+	  function cacheResultThrough() {
+	    if (this._iter.cacheResult) {
+	      this._iter.cacheResult();
+	      this.size = this._iter.size;
+	      return this;
+	    } else {
+	      return Seq.prototype.cacheResult.call(this);
+	    }
+	  }
+	
+	  function defaultComparator(a, b) {
+	    return a > b ? 1 : a < b ? -1 : 0;
+	  }
+	
+	  function forceIterator(keyPath) {
+	    var iter = getIterator(keyPath);
+	    if (!iter) {
+	      // Array might not be iterable in this environment, so we need a fallback
+	      // to our wrapped type.
+	      if (!isArrayLike(keyPath)) {
+	        throw new TypeError('Expected iterable or array-like: ' + keyPath);
+	      }
+	      iter = getIterator(Iterable(keyPath));
+	    }
+	    return iter;
+	  }
+	
+	  createClass(Record, KeyedCollection);
+	
+	    function Record(defaultValues, name) {
+	      var hasInitialized;
+	
+	      var RecordType = function Record(values) {
+	        if (values instanceof RecordType) {
+	          return values;
+	        }
+	        if (!(this instanceof RecordType)) {
+	          return new RecordType(values);
+	        }
+	        if (!hasInitialized) {
+	          hasInitialized = true;
+	          var keys = Object.keys(defaultValues);
+	          setProps(RecordTypePrototype, keys);
+	          RecordTypePrototype.size = keys.length;
+	          RecordTypePrototype._name = name;
+	          RecordTypePrototype._keys = keys;
+	          RecordTypePrototype._defaultValues = defaultValues;
+	        }
+	        this._map = Map(values);
+	      };
+	
+	      var RecordTypePrototype = RecordType.prototype = Object.create(RecordPrototype);
+	      RecordTypePrototype.constructor = RecordType;
+	
+	      return RecordType;
+	    }
+	
+	    Record.prototype.toString = function() {
+	      return this.__toString(recordName(this) + ' {', '}');
+	    };
+	
+	    // @pragma Access
+	
+	    Record.prototype.has = function(k) {
+	      return this._defaultValues.hasOwnProperty(k);
+	    };
+	
+	    Record.prototype.get = function(k, notSetValue) {
+	      if (!this.has(k)) {
+	        return notSetValue;
+	      }
+	      var defaultVal = this._defaultValues[k];
+	      return this._map ? this._map.get(k, defaultVal) : defaultVal;
+	    };
+	
+	    // @pragma Modification
+	
+	    Record.prototype.clear = function() {
+	      if (this.__ownerID) {
+	        this._map && this._map.clear();
+	        return this;
+	      }
+	      var RecordType = this.constructor;
+	      return RecordType._empty || (RecordType._empty = makeRecord(this, emptyMap()));
+	    };
+	
+	    Record.prototype.set = function(k, v) {
+	      if (!this.has(k)) {
+	        throw new Error('Cannot set unknown key "' + k + '" on ' + recordName(this));
+	      }
+	      if (this._map && !this._map.has(k)) {
+	        var defaultVal = this._defaultValues[k];
+	        if (v === defaultVal) {
+	          return this;
+	        }
+	      }
+	      var newMap = this._map && this._map.set(k, v);
+	      if (this.__ownerID || newMap === this._map) {
+	        return this;
+	      }
+	      return makeRecord(this, newMap);
+	    };
+	
+	    Record.prototype.remove = function(k) {
+	      if (!this.has(k)) {
+	        return this;
+	      }
+	      var newMap = this._map && this._map.remove(k);
+	      if (this.__ownerID || newMap === this._map) {
+	        return this;
+	      }
+	      return makeRecord(this, newMap);
+	    };
+	
+	    Record.prototype.wasAltered = function() {
+	      return this._map.wasAltered();
+	    };
+	
+	    Record.prototype.__iterator = function(type, reverse) {var this$0 = this;
+	      return KeyedIterable(this._defaultValues).map(function(_, k)  {return this$0.get(k)}).__iterator(type, reverse);
+	    };
+	
+	    Record.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      return KeyedIterable(this._defaultValues).map(function(_, k)  {return this$0.get(k)}).__iterate(fn, reverse);
+	    };
+	
+	    Record.prototype.__ensureOwner = function(ownerID) {
+	      if (ownerID === this.__ownerID) {
+	        return this;
+	      }
+	      var newMap = this._map && this._map.__ensureOwner(ownerID);
+	      if (!ownerID) {
+	        this.__ownerID = ownerID;
+	        this._map = newMap;
+	        return this;
+	      }
+	      return makeRecord(this, newMap, ownerID);
+	    };
+	
+	
+	  var RecordPrototype = Record.prototype;
+	  RecordPrototype[DELETE] = RecordPrototype.remove;
+	  RecordPrototype.deleteIn =
+	  RecordPrototype.removeIn = MapPrototype.removeIn;
+	  RecordPrototype.merge = MapPrototype.merge;
+	  RecordPrototype.mergeWith = MapPrototype.mergeWith;
+	  RecordPrototype.mergeIn = MapPrototype.mergeIn;
+	  RecordPrototype.mergeDeep = MapPrototype.mergeDeep;
+	  RecordPrototype.mergeDeepWith = MapPrototype.mergeDeepWith;
+	  RecordPrototype.mergeDeepIn = MapPrototype.mergeDeepIn;
+	  RecordPrototype.setIn = MapPrototype.setIn;
+	  RecordPrototype.update = MapPrototype.update;
+	  RecordPrototype.updateIn = MapPrototype.updateIn;
+	  RecordPrototype.withMutations = MapPrototype.withMutations;
+	  RecordPrototype.asMutable = MapPrototype.asMutable;
+	  RecordPrototype.asImmutable = MapPrototype.asImmutable;
+	
+	
+	  function makeRecord(likeRecord, map, ownerID) {
+	    var record = Object.create(Object.getPrototypeOf(likeRecord));
+	    record._map = map;
+	    record.__ownerID = ownerID;
+	    return record;
+	  }
+	
+	  function recordName(record) {
+	    return record._name || record.constructor.name || 'Record';
+	  }
+	
+	  function setProps(prototype, names) {
+	    try {
+	      names.forEach(setProp.bind(undefined, prototype));
+	    } catch (error) {
+	      // Object.defineProperty failed. Probably IE8.
+	    }
+	  }
+	
+	  function setProp(prototype, name) {
+	    Object.defineProperty(prototype, name, {
+	      get: function() {
+	        return this.get(name);
+	      },
+	      set: function(value) {
+	        invariant(this.__ownerID, 'Cannot set on an immutable record.');
+	        this.set(name, value);
+	      }
+	    });
+	  }
+	
+	  createClass(Set, SetCollection);
+	
+	    // @pragma Construction
+	
+	    function Set(value) {
+	      return value === null || value === undefined ? emptySet() :
+	        isSet(value) && !isOrdered(value) ? value :
+	        emptySet().withMutations(function(set ) {
+	          var iter = SetIterable(value);
+	          assertNotInfinite(iter.size);
+	          iter.forEach(function(v ) {return set.add(v)});
+	        });
+	    }
+	
+	    Set.of = function(/*...values*/) {
+	      return this(arguments);
+	    };
+	
+	    Set.fromKeys = function(value) {
+	      return this(KeyedIterable(value).keySeq());
+	    };
+	
+	    Set.prototype.toString = function() {
+	      return this.__toString('Set {', '}');
+	    };
+	
+	    // @pragma Access
+	
+	    Set.prototype.has = function(value) {
+	      return this._map.has(value);
+	    };
+	
+	    // @pragma Modification
+	
+	    Set.prototype.add = function(value) {
+	      return updateSet(this, this._map.set(value, true));
+	    };
+	
+	    Set.prototype.remove = function(value) {
+	      return updateSet(this, this._map.remove(value));
+	    };
+	
+	    Set.prototype.clear = function() {
+	      return updateSet(this, this._map.clear());
+	    };
+	
+	    // @pragma Composition
+	
+	    Set.prototype.union = function() {var iters = SLICE$0.call(arguments, 0);
+	      iters = iters.filter(function(x ) {return x.size !== 0});
+	      if (iters.length === 0) {
+	        return this;
+	      }
+	      if (this.size === 0 && !this.__ownerID && iters.length === 1) {
+	        return this.constructor(iters[0]);
+	      }
+	      return this.withMutations(function(set ) {
+	        for (var ii = 0; ii < iters.length; ii++) {
+	          SetIterable(iters[ii]).forEach(function(value ) {return set.add(value)});
+	        }
+	      });
+	    };
+	
+	    Set.prototype.intersect = function() {var iters = SLICE$0.call(arguments, 0);
+	      if (iters.length === 0) {
+	        return this;
+	      }
+	      iters = iters.map(function(iter ) {return SetIterable(iter)});
+	      var originalSet = this;
+	      return this.withMutations(function(set ) {
+	        originalSet.forEach(function(value ) {
+	          if (!iters.every(function(iter ) {return iter.includes(value)})) {
+	            set.remove(value);
+	          }
+	        });
+	      });
+	    };
+	
+	    Set.prototype.subtract = function() {var iters = SLICE$0.call(arguments, 0);
+	      if (iters.length === 0) {
+	        return this;
+	      }
+	      iters = iters.map(function(iter ) {return SetIterable(iter)});
+	      var originalSet = this;
+	      return this.withMutations(function(set ) {
+	        originalSet.forEach(function(value ) {
+	          if (iters.some(function(iter ) {return iter.includes(value)})) {
+	            set.remove(value);
+	          }
+	        });
+	      });
+	    };
+	
+	    Set.prototype.merge = function() {
+	      return this.union.apply(this, arguments);
+	    };
+	
+	    Set.prototype.mergeWith = function(merger) {var iters = SLICE$0.call(arguments, 1);
+	      return this.union.apply(this, iters);
+	    };
+	
+	    Set.prototype.sort = function(comparator) {
+	      // Late binding
+	      return OrderedSet(sortFactory(this, comparator));
+	    };
+	
+	    Set.prototype.sortBy = function(mapper, comparator) {
+	      // Late binding
+	      return OrderedSet(sortFactory(this, comparator, mapper));
+	    };
+	
+	    Set.prototype.wasAltered = function() {
+	      return this._map.wasAltered();
+	    };
+	
+	    Set.prototype.__iterate = function(fn, reverse) {var this$0 = this;
+	      return this._map.__iterate(function(_, k)  {return fn(k, k, this$0)}, reverse);
+	    };
+	
+	    Set.prototype.__iterator = function(type, reverse) {
+	      return this._map.map(function(_, k)  {return k}).__iterator(type, reverse);
+	    };
+	
+	    Set.prototype.__ensureOwner = function(ownerID) {
+	      if (ownerID === this.__ownerID) {
+	        return this;
+	      }
+	      var newMap = this._map.__ensureOwner(ownerID);
+	      if (!ownerID) {
+	        this.__ownerID = ownerID;
+	        this._map = newMap;
+	        return this;
+	      }
+	      return this.__make(newMap, ownerID);
+	    };
+	
+	
+	  function isSet(maybeSet) {
+	    return !!(maybeSet && maybeSet[IS_SET_SENTINEL]);
+	  }
+	
+	  Set.isSet = isSet;
+	
+	  var IS_SET_SENTINEL = '@@__IMMUTABLE_SET__@@';
+	
+	  var SetPrototype = Set.prototype;
+	  SetPrototype[IS_SET_SENTINEL] = true;
+	  SetPrototype[DELETE] = SetPrototype.remove;
+	  SetPrototype.mergeDeep = SetPrototype.merge;
+	  SetPrototype.mergeDeepWith = SetPrototype.mergeWith;
+	  SetPrototype.withMutations = MapPrototype.withMutations;
+	  SetPrototype.asMutable = MapPrototype.asMutable;
+	  SetPrototype.asImmutable = MapPrototype.asImmutable;
+	
+	  SetPrototype.__empty = emptySet;
+	  SetPrototype.__make = makeSet;
+	
+	  function updateSet(set, newMap) {
+	    if (set.__ownerID) {
+	      set.size = newMap.size;
+	      set._map = newMap;
+	      return set;
+	    }
+	    return newMap === set._map ? set :
+	      newMap.size === 0 ? set.__empty() :
+	      set.__make(newMap);
+	  }
+	
+	  function makeSet(map, ownerID) {
+	    var set = Object.create(SetPrototype);
+	    set.size = map ? map.size : 0;
+	    set._map = map;
+	    set.__ownerID = ownerID;
+	    return set;
+	  }
+	
+	  var EMPTY_SET;
+	  function emptySet() {
+	    return EMPTY_SET || (EMPTY_SET = makeSet(emptyMap()));
+	  }
+	
+	  createClass(OrderedSet, Set);
+	
+	    // @pragma Construction
+	
+	    function OrderedSet(value) {
+	      return value === null || value === undefined ? emptyOrderedSet() :
+	        isOrderedSet(value) ? value :
+	        emptyOrderedSet().withMutations(function(set ) {
+	          var iter = SetIterable(value);
+	          assertNotInfinite(iter.size);
+	          iter.forEach(function(v ) {return set.add(v)});
+	        });
+	    }
+	
+	    OrderedSet.of = function(/*...values*/) {
+	      return this(arguments);
+	    };
+	
+	    OrderedSet.fromKeys = function(value) {
+	      return this(KeyedIterable(value).keySeq());
+	    };
+	
+	    OrderedSet.prototype.toString = function() {
+	      return this.__toString('OrderedSet {', '}');
+	    };
+	
+	
+	  function isOrderedSet(maybeOrderedSet) {
+	    return isSet(maybeOrderedSet) && isOrdered(maybeOrderedSet);
+	  }
+	
+	  OrderedSet.isOrderedSet = isOrderedSet;
+	
+	  var OrderedSetPrototype = OrderedSet.prototype;
+	  OrderedSetPrototype[IS_ORDERED_SENTINEL] = true;
+	
+	  OrderedSetPrototype.__empty = emptyOrderedSet;
+	  OrderedSetPrototype.__make = makeOrderedSet;
+	
+	  function makeOrderedSet(map, ownerID) {
+	    var set = Object.create(OrderedSetPrototype);
+	    set.size = map ? map.size : 0;
+	    set._map = map;
+	    set.__ownerID = ownerID;
+	    return set;
+	  }
+	
+	  var EMPTY_ORDERED_SET;
+	  function emptyOrderedSet() {
+	    return EMPTY_ORDERED_SET || (EMPTY_ORDERED_SET = makeOrderedSet(emptyOrderedMap()));
+	  }
+	
+	  createClass(Stack, IndexedCollection);
+	
+	    // @pragma Construction
+	
+	    function Stack(value) {
+	      return value === null || value === undefined ? emptyStack() :
+	        isStack(value) ? value :
+	        emptyStack().unshiftAll(value);
+	    }
+	
+	    Stack.of = function(/*...values*/) {
+	      return this(arguments);
+	    };
+	
+	    Stack.prototype.toString = function() {
+	      return this.__toString('Stack [', ']');
+	    };
+	
+	    // @pragma Access
+	
+	    Stack.prototype.get = function(index, notSetValue) {
+	      var head = this._head;
+	      index = wrapIndex(this, index);
+	      while (head && index--) {
+	        head = head.next;
+	      }
+	      return head ? head.value : notSetValue;
+	    };
+	
+	    Stack.prototype.peek = function() {
+	      return this._head && this._head.value;
+	    };
+	
+	    // @pragma Modification
+	
+	    Stack.prototype.push = function(/*...values*/) {
+	      if (arguments.length === 0) {
+	        return this;
+	      }
+	      var newSize = this.size + arguments.length;
+	      var head = this._head;
+	      for (var ii = arguments.length - 1; ii >= 0; ii--) {
+	        head = {
+	          value: arguments[ii],
+	          next: head
+	        };
+	      }
+	      if (this.__ownerID) {
+	        this.size = newSize;
+	        this._head = head;
+	        this.__hash = undefined;
+	        this.__altered = true;
+	        return this;
+	      }
+	      return makeStack(newSize, head);
+	    };
+	
+	    Stack.prototype.pushAll = function(iter) {
+	      iter = IndexedIterable(iter);
+	      if (iter.size === 0) {
+	        return this;
+	      }
+	      assertNotInfinite(iter.size);
+	      var newSize = this.size;
+	      var head = this._head;
+	      iter.reverse().forEach(function(value ) {
+	        newSize++;
+	        head = {
+	          value: value,
+	          next: head
+	        };
+	      });
+	      if (this.__ownerID) {
+	        this.size = newSize;
+	        this._head = head;
+	        this.__hash = undefined;
+	        this.__altered = true;
+	        return this;
+	      }
+	      return makeStack(newSize, head);
+	    };
+	
+	    Stack.prototype.pop = function() {
+	      return this.slice(1);
+	    };
+	
+	    Stack.prototype.unshift = function(/*...values*/) {
+	      return this.push.apply(this, arguments);
+	    };
+	
+	    Stack.prototype.unshiftAll = function(iter) {
+	      return this.pushAll(iter);
+	    };
+	
+	    Stack.prototype.shift = function() {
+	      return this.pop.apply(this, arguments);
+	    };
+	
+	    Stack.prototype.clear = function() {
+	      if (this.size === 0) {
+	        return this;
+	      }
+	      if (this.__ownerID) {
+	        this.size = 0;
+	        this._head = undefined;
+	        this.__hash = undefined;
+	        this.__altered = true;
+	        return this;
+	      }
+	      return emptyStack();
+	    };
+	
+	    Stack.prototype.slice = function(begin, end) {
+	      if (wholeSlice(begin, end, this.size)) {
+	        return this;
+	      }
+	      var resolvedBegin = resolveBegin(begin, this.size);
+	      var resolvedEnd = resolveEnd(end, this.size);
+	      if (resolvedEnd !== this.size) {
+	        // super.slice(begin, end);
+	        return IndexedCollection.prototype.slice.call(this, begin, end);
+	      }
+	      var newSize = this.size - resolvedBegin;
+	      var head = this._head;
+	      while (resolvedBegin--) {
+	        head = head.next;
+	      }
+	      if (this.__ownerID) {
+	        this.size = newSize;
+	        this._head = head;
+	        this.__hash = undefined;
+	        this.__altered = true;
+	        return this;
+	      }
+	      return makeStack(newSize, head);
+	    };
+	
+	    // @pragma Mutability
+	
+	    Stack.prototype.__ensureOwner = function(ownerID) {
+	      if (ownerID === this.__ownerID) {
+	        return this;
+	      }
+	      if (!ownerID) {
+	        this.__ownerID = ownerID;
+	        this.__altered = false;
+	        return this;
+	      }
+	      return makeStack(this.size, this._head, ownerID, this.__hash);
+	    };
+	
+	    // @pragma Iteration
+	
+	    Stack.prototype.__iterate = function(fn, reverse) {
+	      if (reverse) {
+	        return this.reverse().__iterate(fn);
+	      }
+	      var iterations = 0;
+	      var node = this._head;
+	      while (node) {
+	        if (fn(node.value, iterations++, this) === false) {
+	          break;
+	        }
+	        node = node.next;
+	      }
+	      return iterations;
+	    };
+	
+	    Stack.prototype.__iterator = function(type, reverse) {
+	      if (reverse) {
+	        return this.reverse().__iterator(type);
+	      }
+	      var iterations = 0;
+	      var node = this._head;
+	      return new Iterator(function()  {
+	        if (node) {
+	          var value = node.value;
+	          node = node.next;
+	          return iteratorValue(type, iterations++, value);
+	        }
+	        return iteratorDone();
+	      });
+	    };
+	
+	
+	  function isStack(maybeStack) {
+	    return !!(maybeStack && maybeStack[IS_STACK_SENTINEL]);
+	  }
+	
+	  Stack.isStack = isStack;
+	
+	  var IS_STACK_SENTINEL = '@@__IMMUTABLE_STACK__@@';
+	
+	  var StackPrototype = Stack.prototype;
+	  StackPrototype[IS_STACK_SENTINEL] = true;
+	  StackPrototype.withMutations = MapPrototype.withMutations;
+	  StackPrototype.asMutable = MapPrototype.asMutable;
+	  StackPrototype.asImmutable = MapPrototype.asImmutable;
+	  StackPrototype.wasAltered = MapPrototype.wasAltered;
+	
+	
+	  function makeStack(size, head, ownerID, hash) {
+	    var map = Object.create(StackPrototype);
+	    map.size = size;
+	    map._head = head;
+	    map.__ownerID = ownerID;
+	    map.__hash = hash;
+	    map.__altered = false;
+	    return map;
+	  }
+	
+	  var EMPTY_STACK;
+	  function emptyStack() {
+	    return EMPTY_STACK || (EMPTY_STACK = makeStack(0));
+	  }
+	
+	  /**
+	   * Contributes additional methods to a constructor
+	   */
+	  function mixin(ctor, methods) {
+	    var keyCopier = function(key ) { ctor.prototype[key] = methods[key]; };
+	    Object.keys(methods).forEach(keyCopier);
+	    Object.getOwnPropertySymbols &&
+	      Object.getOwnPropertySymbols(methods).forEach(keyCopier);
+	    return ctor;
+	  }
+	
+	  Iterable.Iterator = Iterator;
+	
+	  mixin(Iterable, {
+	
+	    // ### Conversion to other types
+	
+	    toArray: function() {
+	      assertNotInfinite(this.size);
+	      var array = new Array(this.size || 0);
+	      this.valueSeq().__iterate(function(v, i)  { array[i] = v; });
+	      return array;
+	    },
+	
+	    toIndexedSeq: function() {
+	      return new ToIndexedSequence(this);
+	    },
+	
+	    toJS: function() {
+	      return this.toSeq().map(
+	        function(value ) {return value && typeof value.toJS === 'function' ? value.toJS() : value}
+	      ).__toJS();
+	    },
+	
+	    toJSON: function() {
+	      return this.toSeq().map(
+	        function(value ) {return value && typeof value.toJSON === 'function' ? value.toJSON() : value}
+	      ).__toJS();
+	    },
+	
+	    toKeyedSeq: function() {
+	      return new ToKeyedSequence(this, true);
+	    },
+	
+	    toMap: function() {
+	      // Use Late Binding here to solve the circular dependency.
+	      return Map(this.toKeyedSeq());
+	    },
+	
+	    toObject: function() {
+	      assertNotInfinite(this.size);
+	      var object = {};
+	      this.__iterate(function(v, k)  { object[k] = v; });
+	      return object;
+	    },
+	
+	    toOrderedMap: function() {
+	      // Use Late Binding here to solve the circular dependency.
+	      return OrderedMap(this.toKeyedSeq());
+	    },
+	
+	    toOrderedSet: function() {
+	      // Use Late Binding here to solve the circular dependency.
+	      return OrderedSet(isKeyed(this) ? this.valueSeq() : this);
+	    },
+	
+	    toSet: function() {
+	      // Use Late Binding here to solve the circular dependency.
+	      return Set(isKeyed(this) ? this.valueSeq() : this);
+	    },
+	
+	    toSetSeq: function() {
+	      return new ToSetSequence(this);
+	    },
+	
+	    toSeq: function() {
+	      return isIndexed(this) ? this.toIndexedSeq() :
+	        isKeyed(this) ? this.toKeyedSeq() :
+	        this.toSetSeq();
+	    },
+	
+	    toStack: function() {
+	      // Use Late Binding here to solve the circular dependency.
+	      return Stack(isKeyed(this) ? this.valueSeq() : this);
+	    },
+	
+	    toList: function() {
+	      // Use Late Binding here to solve the circular dependency.
+	      return List(isKeyed(this) ? this.valueSeq() : this);
+	    },
+	
+	
+	    // ### Common JavaScript methods and properties
+	
+	    toString: function() {
+	      return '[Iterable]';
+	    },
+	
+	    __toString: function(head, tail) {
+	      if (this.size === 0) {
+	        return head + tail;
+	      }
+	      return head + ' ' + this.toSeq().map(this.__toStringMapper).join(', ') + ' ' + tail;
+	    },
+	
+	
+	    // ### ES6 Collection methods (ES6 Array and Map)
+	
+	    concat: function() {var values = SLICE$0.call(arguments, 0);
+	      return reify(this, concatFactory(this, values));
+	    },
+	
+	    includes: function(searchValue) {
+	      return this.some(function(value ) {return is(value, searchValue)});
+	    },
+	
+	    entries: function() {
+	      return this.__iterator(ITERATE_ENTRIES);
+	    },
+	
+	    every: function(predicate, context) {
+	      assertNotInfinite(this.size);
+	      var returnValue = true;
+	      this.__iterate(function(v, k, c)  {
+	        if (!predicate.call(context, v, k, c)) {
+	          returnValue = false;
+	          return false;
+	        }
+	      });
+	      return returnValue;
+	    },
+	
+	    filter: function(predicate, context) {
+	      return reify(this, filterFactory(this, predicate, context, true));
+	    },
+	
+	    find: function(predicate, context, notSetValue) {
+	      var entry = this.findEntry(predicate, context);
+	      return entry ? entry[1] : notSetValue;
+	    },
+	
+	    forEach: function(sideEffect, context) {
+	      assertNotInfinite(this.size);
+	      return this.__iterate(context ? sideEffect.bind(context) : sideEffect);
+	    },
+	
+	    join: function(separator) {
+	      assertNotInfinite(this.size);
+	      separator = separator !== undefined ? '' + separator : ',';
+	      var joined = '';
+	      var isFirst = true;
+	      this.__iterate(function(v ) {
+	        isFirst ? (isFirst = false) : (joined += separator);
+	        joined += v !== null && v !== undefined ? v.toString() : '';
+	      });
+	      return joined;
+	    },
+	
+	    keys: function() {
+	      return this.__iterator(ITERATE_KEYS);
+	    },
+	
+	    map: function(mapper, context) {
+	      return reify(this, mapFactory(this, mapper, context));
+	    },
+	
+	    reduce: function(reducer, initialReduction, context) {
+	      assertNotInfinite(this.size);
+	      var reduction;
+	      var useFirst;
+	      if (arguments.length < 2) {
+	        useFirst = true;
+	      } else {
+	        reduction = initialReduction;
+	      }
+	      this.__iterate(function(v, k, c)  {
+	        if (useFirst) {
+	          useFirst = false;
+	          reduction = v;
+	        } else {
+	          reduction = reducer.call(context, reduction, v, k, c);
+	        }
+	      });
+	      return reduction;
+	    },
+	
+	    reduceRight: function(reducer, initialReduction, context) {
+	      var reversed = this.toKeyedSeq().reverse();
+	      return reversed.reduce.apply(reversed, arguments);
+	    },
+	
+	    reverse: function() {
+	      return reify(this, reverseFactory(this, true));
+	    },
+	
+	    slice: function(begin, end) {
+	      return reify(this, sliceFactory(this, begin, end, true));
+	    },
+	
+	    some: function(predicate, context) {
+	      return !this.every(not(predicate), context);
+	    },
+	
+	    sort: function(comparator) {
+	      return reify(this, sortFactory(this, comparator));
+	    },
+	
+	    values: function() {
+	      return this.__iterator(ITERATE_VALUES);
+	    },
+	
+	
+	    // ### More sequential methods
+	
+	    butLast: function() {
+	      return this.slice(0, -1);
+	    },
+	
+	    isEmpty: function() {
+	      return this.size !== undefined ? this.size === 0 : !this.some(function()  {return true});
+	    },
+	
+	    count: function(predicate, context) {
+	      return ensureSize(
+	        predicate ? this.toSeq().filter(predicate, context) : this
+	      );
+	    },
+	
+	    countBy: function(grouper, context) {
+	      return countByFactory(this, grouper, context);
+	    },
+	
+	    equals: function(other) {
+	      return deepEqual(this, other);
+	    },
+	
+	    entrySeq: function() {
+	      var iterable = this;
+	      if (iterable._cache) {
+	        // We cache as an entries array, so we can just return the cache!
+	        return new ArraySeq(iterable._cache);
+	      }
+	      var entriesSequence = iterable.toSeq().map(entryMapper).toIndexedSeq();
+	      entriesSequence.fromEntrySeq = function()  {return iterable.toSeq()};
+	      return entriesSequence;
+	    },
+	
+	    filterNot: function(predicate, context) {
+	      return this.filter(not(predicate), context);
+	    },
+	
+	    findEntry: function(predicate, context, notSetValue) {
+	      var found = notSetValue;
+	      this.__iterate(function(v, k, c)  {
+	        if (predicate.call(context, v, k, c)) {
+	          found = [k, v];
+	          return false;
+	        }
+	      });
+	      return found;
+	    },
+	
+	    findKey: function(predicate, context) {
+	      var entry = this.findEntry(predicate, context);
+	      return entry && entry[0];
+	    },
+	
+	    findLast: function(predicate, context, notSetValue) {
+	      return this.toKeyedSeq().reverse().find(predicate, context, notSetValue);
+	    },
+	
+	    findLastEntry: function(predicate, context, notSetValue) {
+	      return this.toKeyedSeq().reverse().findEntry(predicate, context, notSetValue);
+	    },
+	
+	    findLastKey: function(predicate, context) {
+	      return this.toKeyedSeq().reverse().findKey(predicate, context);
+	    },
+	
+	    first: function() {
+	      return this.find(returnTrue);
+	    },
+	
+	    flatMap: function(mapper, context) {
+	      return reify(this, flatMapFactory(this, mapper, context));
+	    },
+	
+	    flatten: function(depth) {
+	      return reify(this, flattenFactory(this, depth, true));
+	    },
+	
+	    fromEntrySeq: function() {
+	      return new FromEntriesSequence(this);
+	    },
+	
+	    get: function(searchKey, notSetValue) {
+	      return this.find(function(_, key)  {return is(key, searchKey)}, undefined, notSetValue);
+	    },
+	
+	    getIn: function(searchKeyPath, notSetValue) {
+	      var nested = this;
+	      // Note: in an ES6 environment, we would prefer:
+	      // for (var key of searchKeyPath) {
+	      var iter = forceIterator(searchKeyPath);
+	      var step;
+	      while (!(step = iter.next()).done) {
+	        var key = step.value;
+	        nested = nested && nested.get ? nested.get(key, NOT_SET) : NOT_SET;
+	        if (nested === NOT_SET) {
+	          return notSetValue;
+	        }
+	      }
+	      return nested;
+	    },
+	
+	    groupBy: function(grouper, context) {
+	      return groupByFactory(this, grouper, context);
+	    },
+	
+	    has: function(searchKey) {
+	      return this.get(searchKey, NOT_SET) !== NOT_SET;
+	    },
+	
+	    hasIn: function(searchKeyPath) {
+	      return this.getIn(searchKeyPath, NOT_SET) !== NOT_SET;
+	    },
+	
+	    isSubset: function(iter) {
+	      iter = typeof iter.includes === 'function' ? iter : Iterable(iter);
+	      return this.every(function(value ) {return iter.includes(value)});
+	    },
+	
+	    isSuperset: function(iter) {
+	      iter = typeof iter.isSubset === 'function' ? iter : Iterable(iter);
+	      return iter.isSubset(this);
+	    },
+	
+	    keyOf: function(searchValue) {
+	      return this.findKey(function(value ) {return is(value, searchValue)});
+	    },
+	
+	    keySeq: function() {
+	      return this.toSeq().map(keyMapper).toIndexedSeq();
+	    },
+	
+	    last: function() {
+	      return this.toSeq().reverse().first();
+	    },
+	
+	    lastKeyOf: function(searchValue) {
+	      return this.toKeyedSeq().reverse().keyOf(searchValue);
+	    },
+	
+	    max: function(comparator) {
+	      return maxFactory(this, comparator);
+	    },
+	
+	    maxBy: function(mapper, comparator) {
+	      return maxFactory(this, comparator, mapper);
+	    },
+	
+	    min: function(comparator) {
+	      return maxFactory(this, comparator ? neg(comparator) : defaultNegComparator);
+	    },
+	
+	    minBy: function(mapper, comparator) {
+	      return maxFactory(this, comparator ? neg(comparator) : defaultNegComparator, mapper);
+	    },
+	
+	    rest: function() {
+	      return this.slice(1);
+	    },
+	
+	    skip: function(amount) {
+	      return this.slice(Math.max(0, amount));
+	    },
+	
+	    skipLast: function(amount) {
+	      return reify(this, this.toSeq().reverse().skip(amount).reverse());
+	    },
+	
+	    skipWhile: function(predicate, context) {
+	      return reify(this, skipWhileFactory(this, predicate, context, true));
+	    },
+	
+	    skipUntil: function(predicate, context) {
+	      return this.skipWhile(not(predicate), context);
+	    },
+	
+	    sortBy: function(mapper, comparator) {
+	      return reify(this, sortFactory(this, comparator, mapper));
+	    },
+	
+	    take: function(amount) {
+	      return this.slice(0, Math.max(0, amount));
+	    },
+	
+	    takeLast: function(amount) {
+	      return reify(this, this.toSeq().reverse().take(amount).reverse());
+	    },
+	
+	    takeWhile: function(predicate, context) {
+	      return reify(this, takeWhileFactory(this, predicate, context));
+	    },
+	
+	    takeUntil: function(predicate, context) {
+	      return this.takeWhile(not(predicate), context);
+	    },
+	
+	    valueSeq: function() {
+	      return this.toIndexedSeq();
+	    },
+	
+	
+	    // ### Hashable Object
+	
+	    hashCode: function() {
+	      return this.__hash || (this.__hash = hashIterable(this));
+	    }
+	
+	
+	    // ### Internal
+	
+	    // abstract __iterate(fn, reverse)
+	
+	    // abstract __iterator(type, reverse)
+	  });
+	
+	  // var IS_ITERABLE_SENTINEL = '@@__IMMUTABLE_ITERABLE__@@';
+	  // var IS_KEYED_SENTINEL = '@@__IMMUTABLE_KEYED__@@';
+	  // var IS_INDEXED_SENTINEL = '@@__IMMUTABLE_INDEXED__@@';
+	  // var IS_ORDERED_SENTINEL = '@@__IMMUTABLE_ORDERED__@@';
+	
+	  var IterablePrototype = Iterable.prototype;
+	  IterablePrototype[IS_ITERABLE_SENTINEL] = true;
+	  IterablePrototype[ITERATOR_SYMBOL] = IterablePrototype.values;
+	  IterablePrototype.__toJS = IterablePrototype.toArray;
+	  IterablePrototype.__toStringMapper = quoteString;
+	  IterablePrototype.inspect =
+	  IterablePrototype.toSource = function() { return this.toString(); };
+	  IterablePrototype.chain = IterablePrototype.flatMap;
+	  IterablePrototype.contains = IterablePrototype.includes;
+	
+	  mixin(KeyedIterable, {
+	
+	    // ### More sequential methods
+	
+	    flip: function() {
+	      return reify(this, flipFactory(this));
+	    },
+	
+	    mapEntries: function(mapper, context) {var this$0 = this;
+	      var iterations = 0;
+	      return reify(this,
+	        this.toSeq().map(
+	          function(v, k)  {return mapper.call(context, [k, v], iterations++, this$0)}
+	        ).fromEntrySeq()
+	      );
+	    },
+	
+	    mapKeys: function(mapper, context) {var this$0 = this;
+	      return reify(this,
+	        this.toSeq().flip().map(
+	          function(k, v)  {return mapper.call(context, k, v, this$0)}
+	        ).flip()
+	      );
+	    }
+	
+	  });
+	
+	  var KeyedIterablePrototype = KeyedIterable.prototype;
+	  KeyedIterablePrototype[IS_KEYED_SENTINEL] = true;
+	  KeyedIterablePrototype[ITERATOR_SYMBOL] = IterablePrototype.entries;
+	  KeyedIterablePrototype.__toJS = IterablePrototype.toObject;
+	  KeyedIterablePrototype.__toStringMapper = function(v, k)  {return JSON.stringify(k) + ': ' + quoteString(v)};
+	
+	
+	
+	  mixin(IndexedIterable, {
+	
+	    // ### Conversion to other types
+	
+	    toKeyedSeq: function() {
+	      return new ToKeyedSequence(this, false);
+	    },
+	
+	
+	    // ### ES6 Collection methods (ES6 Array and Map)
+	
+	    filter: function(predicate, context) {
+	      return reify(this, filterFactory(this, predicate, context, false));
+	    },
+	
+	    findIndex: function(predicate, context) {
+	      var entry = this.findEntry(predicate, context);
+	      return entry ? entry[0] : -1;
+	    },
+	
+	    indexOf: function(searchValue) {
+	      var key = this.keyOf(searchValue);
+	      return key === undefined ? -1 : key;
+	    },
+	
+	    lastIndexOf: function(searchValue) {
+	      var key = this.lastKeyOf(searchValue);
+	      return key === undefined ? -1 : key;
+	    },
+	
+	    reverse: function() {
+	      return reify(this, reverseFactory(this, false));
+	    },
+	
+	    slice: function(begin, end) {
+	      return reify(this, sliceFactory(this, begin, end, false));
+	    },
+	
+	    splice: function(index, removeNum /*, ...values*/) {
+	      var numArgs = arguments.length;
+	      removeNum = Math.max(removeNum | 0, 0);
+	      if (numArgs === 0 || (numArgs === 2 && !removeNum)) {
+	        return this;
+	      }
+	      // If index is negative, it should resolve relative to the size of the
+	      // collection. However size may be expensive to compute if not cached, so
+	      // only call count() if the number is in fact negative.
+	      index = resolveBegin(index, index < 0 ? this.count() : this.size);
+	      var spliced = this.slice(0, index);
+	      return reify(
+	        this,
+	        numArgs === 1 ?
+	          spliced :
+	          spliced.concat(arrCopy(arguments, 2), this.slice(index + removeNum))
+	      );
+	    },
+	
+	
+	    // ### More collection methods
+	
+	    findLastIndex: function(predicate, context) {
+	      var entry = this.findLastEntry(predicate, context);
+	      return entry ? entry[0] : -1;
+	    },
+	
+	    first: function() {
+	      return this.get(0);
+	    },
+	
+	    flatten: function(depth) {
+	      return reify(this, flattenFactory(this, depth, false));
+	    },
+	
+	    get: function(index, notSetValue) {
+	      index = wrapIndex(this, index);
+	      return (index < 0 || (this.size === Infinity ||
+	          (this.size !== undefined && index > this.size))) ?
+	        notSetValue :
+	        this.find(function(_, key)  {return key === index}, undefined, notSetValue);
+	    },
+	
+	    has: function(index) {
+	      index = wrapIndex(this, index);
+	      return index >= 0 && (this.size !== undefined ?
+	        this.size === Infinity || index < this.size :
+	        this.indexOf(index) !== -1
+	      );
+	    },
+	
+	    interpose: function(separator) {
+	      return reify(this, interposeFactory(this, separator));
+	    },
+	
+	    interleave: function(/*...iterables*/) {
+	      var iterables = [this].concat(arrCopy(arguments));
+	      var zipped = zipWithFactory(this.toSeq(), IndexedSeq.of, iterables);
+	      var interleaved = zipped.flatten(true);
+	      if (zipped.size) {
+	        interleaved.size = zipped.size * iterables.length;
+	      }
+	      return reify(this, interleaved);
+	    },
+	
+	    keySeq: function() {
+	      return Range(0, this.size);
+	    },
+	
+	    last: function() {
+	      return this.get(-1);
+	    },
+	
+	    skipWhile: function(predicate, context) {
+	      return reify(this, skipWhileFactory(this, predicate, context, false));
+	    },
+	
+	    zip: function(/*, ...iterables */) {
+	      var iterables = [this].concat(arrCopy(arguments));
+	      return reify(this, zipWithFactory(this, defaultZipper, iterables));
+	    },
+	
+	    zipWith: function(zipper/*, ...iterables */) {
+	      var iterables = arrCopy(arguments);
+	      iterables[0] = this;
+	      return reify(this, zipWithFactory(this, zipper, iterables));
+	    }
+	
+	  });
+	
+	  IndexedIterable.prototype[IS_INDEXED_SENTINEL] = true;
+	  IndexedIterable.prototype[IS_ORDERED_SENTINEL] = true;
+	
+	
+	
+	  mixin(SetIterable, {
+	
+	    // ### ES6 Collection methods (ES6 Array and Map)
+	
+	    get: function(value, notSetValue) {
+	      return this.has(value) ? value : notSetValue;
+	    },
+	
+	    includes: function(value) {
+	      return this.has(value);
+	    },
+	
+	
+	    // ### More sequential methods
+	
+	    keySeq: function() {
+	      return this.valueSeq();
+	    }
+	
+	  });
+	
+	  SetIterable.prototype.has = IterablePrototype.includes;
+	  SetIterable.prototype.contains = SetIterable.prototype.includes;
+	
+	
+	  // Mixin subclasses
+	
+	  mixin(KeyedSeq, KeyedIterable.prototype);
+	  mixin(IndexedSeq, IndexedIterable.prototype);
+	  mixin(SetSeq, SetIterable.prototype);
+	
+	  mixin(KeyedCollection, KeyedIterable.prototype);
+	  mixin(IndexedCollection, IndexedIterable.prototype);
+	  mixin(SetCollection, SetIterable.prototype);
+	
+	
+	  // #pragma Helper functions
+	
+	  function keyMapper(v, k) {
+	    return k;
+	  }
+	
+	  function entryMapper(v, k) {
+	    return [k, v];
+	  }
+	
+	  function not(predicate) {
+	    return function() {
+	      return !predicate.apply(this, arguments);
+	    }
+	  }
+	
+	  function neg(predicate) {
+	    return function() {
+	      return -predicate.apply(this, arguments);
+	    }
+	  }
+	
+	  function quoteString(value) {
+	    return typeof value === 'string' ? JSON.stringify(value) : String(value);
+	  }
+	
+	  function defaultZipper() {
+	    return arrCopy(arguments);
+	  }
+	
+	  function defaultNegComparator(a, b) {
+	    return a < b ? 1 : a > b ? -1 : 0;
+	  }
+	
+	  function hashIterable(iterable) {
+	    if (iterable.size === Infinity) {
+	      return 0;
+	    }
+	    var ordered = isOrdered(iterable);
+	    var keyed = isKeyed(iterable);
+	    var h = ordered ? 1 : 0;
+	    var size = iterable.__iterate(
+	      keyed ?
+	        ordered ?
+	          function(v, k)  { h = 31 * h + hashMerge(hash(v), hash(k)) | 0; } :
+	          function(v, k)  { h = h + hashMerge(hash(v), hash(k)) | 0; } :
+	        ordered ?
+	          function(v ) { h = 31 * h + hash(v) | 0; } :
+	          function(v ) { h = h + hash(v) | 0; }
+	    );
+	    return murmurHashOfSize(size, h);
+	  }
+	
+	  function murmurHashOfSize(size, h) {
+	    h = imul(h, 0xCC9E2D51);
+	    h = imul(h << 15 | h >>> -15, 0x1B873593);
+	    h = imul(h << 13 | h >>> -13, 5);
+	    h = (h + 0xE6546B64 | 0) ^ size;
+	    h = imul(h ^ h >>> 16, 0x85EBCA6B);
+	    h = imul(h ^ h >>> 13, 0xC2B2AE35);
+	    h = smi(h ^ h >>> 16);
+	    return h;
+	  }
+	
+	  function hashMerge(a, b) {
+	    return a ^ b + 0x9E3779B9 + (a << 6) + (a >> 2) | 0; // int
+	  }
+	
+	  var Immutable = {
+	
+	    Iterable: Iterable,
+	
+	    Seq: Seq,
+	    Collection: Collection,
+	    Map: Map,
+	    OrderedMap: OrderedMap,
+	    List: List,
+	    Stack: Stack,
+	    Set: Set,
+	    OrderedSet: OrderedSet,
+	
+	    Record: Record,
+	    Range: Range,
+	    Repeat: Repeat,
+	
+	    is: is,
+	    fromJS: fromJS
+	
+	  };
+	
+	  return Immutable;
+	
+	}));
+
+/***/ },
+/* 353 */
+/***/ function(module, exports, __webpack_require__) {
+
+	
+	
+	// When Flow 0.29 is released (very soon), we can use this Record type
+	// instead of the builtin immutable.js Record type. This is better
+	// because all the fields are actually typed, unlike the builtin one.
+	// This depends on a performance fix that will go out in 0.29 though;
+	
+	var I = __webpack_require__(352);
+	
+	/**
+	 * Make an immutable record type
+	 *
+	 * @param spec - the keys and their default values @return a state
+	 * record factory function
+	 */
+	function makeRecord(spec) {
+	  return I.Record(spec);
+	}
+	
+	module.exports = makeRecord;
+
+/***/ },
+/* 354 */
+/***/ function(module, exports, __webpack_require__) {
+
+	
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var fromJS = __webpack_require__(351);
+	
+	var _require = __webpack_require__(342);
+	
+	var updateObj = _require.updateObj;
+	
+	var I = __webpack_require__(352);
+	var makeRecord = __webpack_require__(353);
+	
+	var State = makeRecord({
+	  breakpoints: I.Map(),
+	  breakpointsDisabled: false
+	});
+	
+	// Return the first argument that is a string, or null if nothing is a
+	// string.
+	function firstString() {
+	  for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {
+	    args[_key] = arguments[_key];
+	  }
+	
+	  for (var arg of args) {
+	    if (typeof arg === "string") {
+	      return arg;
+	    }
+	  }
+	  return null;
+	}
+	
+	function locationMoved(location, newLocation) {
+	  return location.line !== newLocation.line || location.column != null && location.column !== newLocation.column;
+	}
+	
+	function makeLocationId(location) {
+	  return location.sourceId + ":" + location.line.toString();
+	}
+	
+	function update() {
+	  var state = arguments.length <= 0 || arguments[0] === undefined ? State() : arguments[0];
+	  var action = arguments[1];
+	
+	  switch (action.type) {
+	    case "ADD_BREAKPOINT":
+	      {
+	        var id = makeLocationId(action.breakpoint.location);
+	
+	        if (action.status === "start") {
+	          var bp = state.breakpoints.get(id) || action.breakpoint;
+	
+	          return state.setIn(["breakpoints", id], updateObj(bp, {
+	            disabled: false,
+	            loading: true,
+	            // We want to do an OR here, but we can't because we need
+	            // empty strings to be truthy, i.e. an empty string is a valid
+	            // condition.
+	            condition: firstString(action.condition, bp.condition)
+	          }));
+	        } else if (action.status === "done") {
+	          var _action$value = action.value;
+	          var breakpointId = _action$value.id;
+	          var text = _action$value.text;
+	
+	          var location = action.breakpoint.location;
+	          var actualLocation = action.value.actualLocation;
+	
+	          // If the breakpoint moved, update the map
+	
+	          if (locationMoved(location, actualLocation)) {
+	            state = state.deleteIn(["breakpoints", id]);
+	
+	            var movedId = makeLocationId(actualLocation);
+	            var currentBp = state.breakpoints.get(movedId) || fromJS(action.breakpoint);
+	            var newBp = updateObj(currentBp, { location: actualLocation });
+	            state = state.setIn(["breakpoints", movedId], newBp);
+	            location = actualLocation;
+	          }
+	
+	          var locationId = makeLocationId(location);
+	          var _bp = state.breakpoints.get(locationId);
+	          return state.setIn(["breakpoints", locationId], updateObj(_bp, {
+	            id: breakpointId,
+	            disabled: false,
+	            loading: false,
+	            text: text
+	          }));
+	        } else if (action.status === "error") {
+	          // Remove the optimistic update
+	          return state.deleteIn(["breakpoints", id]);
+	        }
+	        break;
+	      }
+	
+	    case "REMOVE_BREAKPOINT":
+	      {
+	        if (action.status === "done") {
+	          var _id = makeLocationId(action.breakpoint.location);
+	
+	          if (action.disabled) {
+	            var _bp2 = state.breakpoints.get(_id);
+	            return state.setIn(["breakpoints", _id], updateObj(_bp2, {
+	              loading: false, disabled: true
+	            }));
+	          }
+	
+	          return state.deleteIn(["breakpoints", _id]);
+	        }
+	        break;
+	      }
+	
+	    case "TOGGLE_BREAKPOINTS":
+	      {
+	        if (action.status === "start") {
+	          return state.set("breakpointsDisabled", action.shouldDisableBreakpoints);
+	        }
+	        break;
+	      }
+	
+	    case "SET_BREAKPOINT_CONDITION":
+	      {
+	        var _id2 = makeLocationId(action.breakpoint.location);
+	
+	        if (action.status === "start") {
+	          var _bp3 = state.breakpoints.get(_id2);
+	          return state.setIn(["breakpoints", _id2], updateObj(_bp3, {
+	            loading: true,
+	            condition: action.condition
+	          }));
+	        } else if (action.status === "done") {
+	          var _bp4 = state.breakpoints.get(_id2);
+	          return state.setIn(["breakpoints", _id2], updateObj(_bp4, {
+	            loading: false
+	          }));
+	        } else if (action.status === "error") {
+	          return state.deleteIn(["breakpoints", _id2]);
+	        }
+	
+	        break;
+	      }}
+	
+	  return state;
+	}
+	
+	// Selectors
+	
+	function getBreakpoint(state, location) {
+	  return state.breakpoints.breakpoints.get(makeLocationId(location));
+	}
+	
+	function getBreakpoints(state) {
+	  return state.breakpoints.breakpoints;
+	}
+	
+	function getBreakpointsForSource(state, sourceId) {
+	  return state.breakpoints.breakpoints.filter(bp => {
+	    return bp.location.sourceId === sourceId;
+	  });
+	}
+	
+	function getBreakpointsDisabled(state) {
+	  return state.breakpoints.get("breakpointsDisabled");
+	}
+	
+	function getBreakpointsLoading(state) {
+	  var breakpoints = getBreakpoints(state);
+	  var isLoading = !!breakpoints.valueSeq().filter(bp => bp.loading).first();
+	
+	  return breakpoints.size > 0 && isLoading;
+	}
+	
+	module.exports = {
+	  State,
+	  update,
+	  makeLocationId,
+	  getBreakpoint,
+	  getBreakpoints,
+	  getBreakpointsForSource,
+	  getBreakpointsDisabled,
+	  getBreakpointsLoading
+	};
+
+/***/ },
+/* 355 */
+/***/ function(module, exports, __webpack_require__) {
+
+	function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } }
+	
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var constants = __webpack_require__(349);
+	var initialState = [];
+	
+	function update() {
+	  var state = arguments.length <= 0 || arguments[0] === undefined ? initialState : arguments[0];
+	  var action = arguments[1];
+	  var seqId = action.seqId;
+	
+	
+	  if (action.type === constants.NAVIGATE) {
+	    return initialState;
+	  } else if (seqId) {
+	    var newState = void 0;
+	    if (action.status === "start") {
+	      newState = [].concat(_toConsumableArray(state), [seqId]);
+	    } else if (action.status === "error" || action.status === "done") {
+	      newState = state.filter(id => id !== seqId);
+	    }
+	
+	    return newState;
+	  }
+	
+	  return state;
+	}
+	
+	module.exports = update;
+
+/***/ },
+/* 356 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var constants = __webpack_require__(349);
+	var Immutable = __webpack_require__(352);
+	var fromJS = __webpack_require__(351);
+	
+	var initialState = fromJS({
+	  tabs: {},
+	  selectedTab: null
+	});
+	
+	function update() {
+	  var state = arguments.length <= 0 || arguments[0] === undefined ? initialState : arguments[0];
+	  var action = arguments[1];
+	
+	  switch (action.type) {
+	    case constants.ADD_TABS:
+	      var tabs = action.value;
+	      if (!tabs) {
+	        return state;
+	      }
+	
+	      return state.mergeIn(["tabs"], Immutable.Map(tabs.map(tab => {
+	        tab = Object.assign({}, tab, { id: getTabId(tab) });
+	        return [tab.id, Immutable.Map(tab)];
+	      })));
+	    case constants.SELECT_TAB:
+	      var tab = state.getIn(["tabs", action.id]);
+	      return state.setIn(["selectedTab"], tab);
+	  }
+	
+	  return state;
+	}
+	
+	function getTabId(tab) {
+	  var id = tab.id;
+	  var isFirefox = tab.browser == "firefox";
+	
+	  // NOTE: we're getting the last part of the actor because
+	  // we want to ignore the connection id
+	  if (isFirefox) {
+	    id = tab.id.split(".").pop();
+	  }
+	
+	  return id;
+	}
+	
+	module.exports = update;
+
+/***/ },
+/* 357 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	var constants = __webpack_require__(349);
+	var fromJS = __webpack_require__(351);
+	
+	var initialState = fromJS({
+	  pause: null,
+	  isWaitingOnBreak: false,
+	  frames: null,
+	  selectedFrameId: null,
+	  loadedObjects: {},
+	  shouldPauseOnExceptions: false,
+	  shouldIgnoreCaughtExceptions: false,
+	  expressions: []
+	});
+	
+	function update() {
+	  var state = arguments.length <= 0 || arguments[0] === undefined ? initialState : arguments[0];
+	  var action = arguments[1];
+	  var emit = arguments[2];
+	
+	  switch (action.type) {
+	    case constants.PAUSED:
+	      {
+	        var selectedFrameId = action.selectedFrameId;
+	        var frames = action.frames;
+	        var pauseInfo = action.pauseInfo;
+	
+	        pauseInfo.isInterrupted = pauseInfo.why.type === "interrupted";
+	
+	        return state.merge({
+	          isWaitingOnBreak: false,
+	          pause: fromJS(pauseInfo),
+	          selectedFrameId,
+	          frames
+	        });
+	      }
+	
+	    case constants.RESUME:
+	      return state.merge({
+	        pause: null,
+	        frames: null,
+	        selectedFrameId: null,
+	        loadedObjects: {}
+	      });
+	
+	    case constants.TOGGLE_PRETTY_PRINT:
+	      if (action.status == "done") {
+	        var _frames = action.value.frames;
+	        return state.merge({ frames: _frames });
+	      }
+	
+	      break;
+	    case constants.BREAK_ON_NEXT:
+	      return state.set("isWaitingOnBreak", true);
+	
+	    case constants.LOADED_FRAMES:
+	      if (action.status == "done") {
+	        return state.set("frames", action.value.frames);
+	      }
+	
+	      break;
+	    case constants.SELECT_FRAME:
+	      return state.set("selectedFrameId", action.frame.id);
+	
+	    case constants.LOAD_OBJECT_PROPERTIES:
+	      if (action.status === "done") {
+	        var ownProperties = action.value.ownProperties;
+	        var prototype = action.value.prototype;
+	
+	        return state.setIn(["loadedObjects", action.objectId], { ownProperties, prototype });
+	      }
+	      break;
+	
+	    case constants.NAVIGATE:
+	      return initialState;
+	
+	    case constants.PAUSE_ON_EXCEPTIONS:
+	      var shouldPauseOnExceptions = action.shouldPauseOnExceptions;
+	      var shouldIgnoreCaughtExceptions = action.shouldIgnoreCaughtExceptions;
+	
+	      return state.merge({
+	        shouldPauseOnExceptions,
+	        shouldIgnoreCaughtExceptions
+	      });
+	
+	    case constants.ADD_EXPRESSION:
+	      return state.setIn(["expressions", action.id], { id: action.id,
+	        input: action.input,
+	        value: action.value,
+	        updating: false });
+	
+	    case constants.EVALUATE_EXPRESSION:
+	      if (action.status === "done") {
+	        return state.mergeIn(["expressions", action.id], { id: action.id,
+	          input: action.input,
+	          value: action.value,
+	          updating: false });
+	      }
+	      break;
+	
+	    case constants.UPDATE_EXPRESSION:
+	      return state.mergeIn(["expressions", action.id], { id: action.id,
+	        input: action.input,
+	        updating: true });
+	
+	    case constants.DELETE_EXPRESSION:
+	      return state.deleteIn(["expressions", action.id]);
+	  }
+	
+	  return state;
+	}
+	
+	function getPause(state) {
+	  return state.pause.get("pause");
+	}
+	
+	function getLoadedObjects(state) {
+	  return state.pause.get("loadedObjects");
+	}
+	
+	function getExpressions(state) {
+	  return state.pause.get("expressions");
+	}
+	
+	function getIsWaitingOnBreak(state) {
+	  return state.pause.get("isWaitingOnBreak");
+	}
+	
+	function getShouldPauseOnExceptions(state) {
+	  return state.pause.get("shouldPauseOnExceptions");
+	}
+	
+	function getShouldIgnoreCaughtExceptions(state) {
+	  return state.pause.get("shouldIgnoreCaughtExceptions");
+	}
+	
+	function getFrames(state) {
+	  return state.pause.get("frames") || [];
+	}
+	
+	function getSelectedFrame(state) {
+	  var selectedFrameId = state.pause.get("selectedFrameId");
+	  var frames = state.pause.get("frames");
+	  return frames && frames.find(frame => frame.id == selectedFrameId);
+	}
+	
+	module.exports = {
+	  initialState,
+	  update,
+	  getPause,
+	  getLoadedObjects,
+	  getExpressions,
+	  getIsWaitingOnBreak,
+	  getShouldPauseOnExceptions,
+	  getShouldIgnoreCaughtExceptions,
+	  getFrames,
+	  getSelectedFrame
+	};
+
+/***/ },
+/* 358 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var sources = __webpack_require__(350);
+	var pause = __webpack_require__(357);
+	var breakpoints = __webpack_require__(354);
+	
+	function getTabs(state) {
+	  return state.tabs.get("tabs");
+	}
+	
+	function getSelectedTab(state) {
+	  return state.tabs.get("selectedTab");
+	}
+	
+	/**
+	 * @param object - location
+	 */
+	
+	module.exports = {
+	  getSource: sources.getSource,
+	  getSourceByURL: sources.getSourceByURL,
+	  getSourceById: sources.getSourceById,
+	  getSources: sources.getSources,
+	  getSourceText: sources.getSourceText,
+	  getSourceTabs: sources.getSourceTabs,
+	  getSelectedSource: sources.getSelectedSource,
+	  getSelectedLocation: sources.getSelectedLocation,
+	  getPendingSelectedLocation: sources.getPendingSelectedLocation,
+	  getPrettySource: sources.getPrettySource,
+	
+	  getBreakpoint: breakpoints.getBreakpoint,
+	  getBreakpoints: breakpoints.getBreakpoints,
+	  getBreakpointsForSource: breakpoints.getBreakpointsForSource,
+	  getBreakpointsDisabled: breakpoints.getBreakpointsDisabled,
+	  getBreakpointsLoading: breakpoints.getBreakpointsLoading,
+	
+	  getTabs,
+	  getSelectedTab,
+	
+	  getPause: pause.getPause,
+	  getLoadedObjects: pause.getLoadedObjects,
+	  getExpressions: pause.getExpressions,
+	  getIsWaitingOnBreak: pause.getIsWaitingOnBreak,
+	  getShouldPauseOnExceptions: pause.getShouldPauseOnExceptions,
+	  getShouldIgnoreCaughtExceptions: pause.getShouldIgnoreCaughtExceptions,
+	  getFrames: pause.getFrames,
+	  getSelectedFrame: pause.getSelectedFrame
+	};
+
+/***/ },
+/* 359 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	
+	var _require = __webpack_require__(16);
+	
+	var connect = _require.connect;
+	
+	var classnames = __webpack_require__(360);
+	
+	var _require2 = __webpack_require__(358);
+	
+	var getTabs = _require2.getTabs;
+	
+	
+	__webpack_require__(361);
+	var dom = React.DOM;
+	
+	var ImPropTypes = __webpack_require__(365);
+	
+	var githubUrl = "https://github.com/devtools-html/debugger.html/blob/master";
+	
+	function getTabsByBrowser(tabs, browser) {
+	  return tabs.valueSeq().filter(tab => tab.get("browser") == browser);
+	}
+	
+	function firstTimeMessage(title, urlPart) {
+	  return dom.div({ className: "footer-note" }, `First time connecting to ${ title }? Checkout out the `, dom.a({ href: `${ githubUrl }/CONTRIBUTING.md#${ urlPart }` }, "docs"), ".");
+	}
+	
+	var LandingPage = React.createClass({
+	  propTypes: {
+	    tabs: ImPropTypes.map.isRequired
+	  },
+	
+	  displayName: "LandingPage",
+	
+	  getInitialState() {
+	    return {
+	      selectedPane: "Firefox"
+	    };
+	  },
+	
+	  renderTabs(tabTitle, tabs, paramName) {
+	    if (!tabs || tabs.count() == 0) {
+	      return dom.div({}, "");
+	    }
+	
+	    return dom.div({ className: "tab-group" }, dom.ul({ className: "tab-list" }, tabs.valueSeq().map(tab => dom.li({ "className": "tab",
+	      "key": tab.get("id"),
+	      "onClick": () => {
+	        window.location = "/?" + paramName + "=" + tab.get("id");
+	      } }, dom.div({ className: "tab-title" }, tab.get("title")), dom.div({ className: "tab-url" }, tab.get("url"))))));
+	  },
+	
+	  renderFirefoxPanel() {
+	    var targets = getTabsByBrowser(this.props.tabs, "firefox");
+	    return dom.div({ className: "center" }, this.renderTabs("", targets, "firefox-tab"), firstTimeMessage("Firefox", "firefox"));
+	  },
+	
+	  renderChromePanel() {
+	    var targets = getTabsByBrowser(this.props.tabs, "chrome");
+	    return dom.div({ className: "center" }, this.renderTabs("", targets, "chrome-tab"), firstTimeMessage("Chrome", "chrome"));
+	  },
+	
+	  renderNodePanel() {
+	    return dom.div({ className: "center" }, dom.div({ className: "center-message" }, dom.a({
+	      href: `/?ws=${ document.location.hostname }:9229/node`
+	    }, "Connect to Node")), firstTimeMessage("Node", "nodejs"));
+	  },
+	
+	  renderPanel() {
+	    var panels = {
+	      Firefox: this.renderFirefoxPanel,
+	      Chrome: this.renderChromePanel,
+	      Node: this.renderNodePanel
+	    };
+	
+	    return dom.div({
+	      className: "panel"
+	    }, dom.div({ className: "title" }, dom.h2({}, this.state.selectedPane)), panels[this.state.selectedPane]());
+	  },
+	
+	  renderSidebar() {
+	    return dom.div({
+	      className: "sidebar"
+	    }, dom.h1({}, "Debugger"), dom.ul({}, ["Firefox", "Chrome", "Node"].map(title => dom.li({
+	      className: classnames({
+	        selected: title == this.state.selectedPane
+	      }),
+	
+	      onClick: () => this.setState({ selectedPane: title })
+	    }, dom.a({}, title)))));
+	  },
+	
+	  render() {
+	    return dom.div({
+	      className: "landing-page"
+	    }, this.renderSidebar(), this.renderPanel());
+	  }
+	});
+	
+	module.exports = connect(state => ({ tabs: getTabs(state) }))(LandingPage);
+
+/***/ },
+/* 360 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;/*!
+	  Copyright (c) 2016 Jed Watson.
+	  Licensed under the MIT License (MIT), see
+	  http://jedwatson.github.io/classnames
+	*/
+	/* global define */
+	
+	(function () {
+		'use strict';
+	
+		var hasOwn = {}.hasOwnProperty;
+	
+		function classNames () {
+			var classes = [];
+	
+			for (var i = 0; i < arguments.length; i++) {
+				var arg = arguments[i];
+				if (!arg) continue;
+	
+				var argType = typeof arg;
+	
+				if (argType === 'string' || argType === 'number') {
+					classes.push(arg);
+				} else if (Array.isArray(arg)) {
+					classes.push(classNames.apply(null, arg));
+				} else if (argType === 'object') {
+					for (var key in arg) {
+						if (hasOwn.call(arg, key) && arg[key]) {
+							classes.push(key);
+						}
+					}
+				}
+			}
+	
+			return classes.join(' ');
+		}
+	
+		if (typeof module !== 'undefined' && module.exports) {
+			module.exports = classNames;
+		} else if (true) {
+			// register as 'classnames', consistent with npm package name
+			!(__WEBPACK_AMD_DEFINE_ARRAY__ = [], __WEBPACK_AMD_DEFINE_RESULT__ = function () {
+				return classNames;
+			}.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+		} else {
+			window.classNames = classNames;
+		}
+	}());
+
+
+/***/ },
+/* 361 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(362);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./LandingPage.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./LandingPage.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 362 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".landing-page {\r\n  flex: 1;\r\n  display: flex;\r\n  width: 100%;\r\n  height: 100%;\r\n  flex-direction: row;\r\n}\r\n\r\n.landing-page .sidebar {\r\n  display: flex;\r\n  background-color: var(--theme-content-color1);\r\n  width: 200px;\r\n  height: 100%;\r\n  flex-direction: column;\r\n}\r\n\r\n.landing-page .sidebar h1 {\r\n  color: white;\r\n  font-size: 24px;\r\n  margin: 0;\r\n  line-height: 30px;\r\n  font-weight: normal;\r\n  padding: 40px 20px;\r\n}\r\n\r\n.landing-page .sidebar ul {\r\n  list-style: none;\r\n  padding: 0;\r\n  line-height: 30px;\r\n  font-size: 18px;\r\n}\r\n\r\n.landing-page .sidebar li {\r\n  padding: 5px 20px;\r\n}\r\n\r\n.landing-page .sidebar li.selected {\r\n  background: #1f2327;\r\n}\r\n\r\n.landing-page .sidebar li:hover {\r\n  background: #1f2327;\r\n  cursor: pointer;\r\n}\r\n\r\n.landing-page .sidebar li a {\r\n  color: var(--theme-comment-alt);\r\n}\r\n\r\n.landing-page .panel {\r\n  display: flex;\r\n  flex: 1;\r\n  height: 100%;\r\n  overflow: auto;\r\n  flex-direction: column;\r\n}\r\n\r\n.landing-page .panel .title {\r\n  margin: 20px 40px;\r\n  width: calc(100% - 80px);\r\n  padding: 0 20px;\r\n  font-size: 16px;\r\n  border-bottom: 1px solid #cccccc;\r\n  height: 54px;\r\n}\r\n\r\n.landing-page .panel h2 {\r\n  color: var(--theme-body-color);\r\n  font-weight: normal;\r\n}\r\n\r\n.landing-page .panel .center {\r\n  flex: 1;\r\n  display: flex;\r\n  flex-direction: column;\r\n}\r\n\r\n.landing-page .panel .center .center-message {\r\n  margin: 40px;\r\n  font-size: 16px;\r\n  line-height: 25px;\r\n  padding: 10px;\r\n}\r\n\r\n.landing-page .center a {\r\n  color: var(--theme-highlight-bluegrey);\r\n  text-decoration: none;\r\n}\r\n\r\n.landing-page .tab-group {\r\n  margin: 40px;\r\n}\r\n\r\n.landing-page .tab-list {\r\n  list-style: none;\r\n  padding: 0px;\r\n  margin: 0px;\r\n}\r\n\r\n.landing-page .tab {\r\n  border-bottom: 1px solid var(--theme-splitter-color);\r\n  padding: 10px;\r\n  font-family: sans-serif;\r\n}\r\n\r\n.landing-page .tab:hover {\r\n  background-color: var(--theme-toolbar-background);\r\n  cursor: pointer;\r\n}\r\n\r\n.landing-page .tab-title {\r\n  line-height: 25px;\r\n  font-size: 16px;\r\n  color: var(--theme-highlight-bluegrey);\r\n}\r\n\r\n.landing-page .tab-url {\r\n  color: var(--theme-comment);\r\n}\r\n\r\n.landing-page .panel .center .footer-note {\r\n  flex: 1;\r\n  padding: 50px;\r\n  font-size: 14px;\r\n  color: var(--theme-comment);\r\n  bottom: 0;\r\n  position: absolute;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 363 */
+/***/ function(module, exports) {
+
+	/*
+		MIT License http://www.opensource.org/licenses/mit-license.php
+		Author Tobias Koppers @sokra
+	*/
+	// css base code, injected by the css-loader
+	module.exports = function() {
+		var list = [];
+	
+		// return the list of modules as css string
+		list.toString = function toString() {
+			var result = [];
+			for(var i = 0; i < this.length; i++) {
+				var item = this[i];
+				if(item[2]) {
+					result.push("@media " + item[2] + "{" + item[1] + "}");
+				} else {
+					result.push(item[1]);
+				}
+			}
+			return result.join("");
+		};
+	
+		// import a list of modules into the list
+		list.i = function(modules, mediaQuery) {
+			if(typeof modules === "string")
+				modules = [[null, modules, ""]];
+			var alreadyImportedModules = {};
+			for(var i = 0; i < this.length; i++) {
+				var id = this[i][0];
+				if(typeof id === "number")
+					alreadyImportedModules[id] = true;
+			}
+			for(i = 0; i < modules.length; i++) {
+				var item = modules[i];
+				// skip already imported module
+				// this implementation is not 100% perfect for weird media query combinations
+				//  when a module is imported multiple times with different media queries.
+				//  I hope this will never occur (Hey this way we have smaller bundles)
+				if(typeof item[0] !== "number" || !alreadyImportedModules[item[0]]) {
+					if(mediaQuery && !item[2]) {
+						item[2] = mediaQuery;
+					} else if(mediaQuery) {
+						item[2] = "(" + item[2] + ") and (" + mediaQuery + ")";
+					}
+					list.push(item);
+				}
+			}
+		};
+		return list;
+	};
+
+
+/***/ },
+/* 364 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/*
+		MIT License http://www.opensource.org/licenses/mit-license.php
+		Author Tobias Koppers @sokra
+	*/
+	var stylesInDom = {},
+		memoize = function(fn) {
+			var memo;
+			return function () {
+				if (typeof memo === "undefined") memo = fn.apply(this, arguments);
+				return memo;
+			};
+		},
+		isOldIE = memoize(function() {
+			return /msie [6-9]\b/.test(window.navigator.userAgent.toLowerCase());
+		}),
+		getHeadElement = memoize(function () {
+			return document.head || document.getElementsByTagName("head")[0];
+		}),
+		singletonElement = null,
+		singletonCounter = 0,
+		styleElementsInsertedAtTop = [];
+	
+	module.exports = function(list, options) {
+		if(false) {
+			if(typeof document !== "object") throw new Error("The style-loader cannot be used in a non-browser environment");
+		}
+	
+		options = options || {};
+		// Force single-tag solution on IE6-9, which has a hard limit on the # of <style>
+		// tags it will allow on a page
+		if (typeof options.singleton === "undefined") options.singleton = isOldIE();
+	
+		// By default, add <style> tags to the bottom of <head>.
+		if (typeof options.insertAt === "undefined") options.insertAt = "bottom";
+	
+		var styles = listToStyles(list);
+		addStylesToDom(styles, options);
+	
+		return function update(newList) {
+			var mayRemove = [];
+			for(var i = 0; i < styles.length; i++) {
+				var item = styles[i];
+				var domStyle = stylesInDom[item.id];
+				domStyle.refs--;
+				mayRemove.push(domStyle);
+			}
+			if(newList) {
+				var newStyles = listToStyles(newList);
+				addStylesToDom(newStyles, options);
+			}
+			for(var i = 0; i < mayRemove.length; i++) {
+				var domStyle = mayRemove[i];
+				if(domStyle.refs === 0) {
+					for(var j = 0; j < domStyle.parts.length; j++)
+						domStyle.parts[j]();
+					delete stylesInDom[domStyle.id];
+				}
+			}
+		};
+	}
+	
+	function addStylesToDom(styles, options) {
+		for(var i = 0; i < styles.length; i++) {
+			var item = styles[i];
+			var domStyle = stylesInDom[item.id];
+			if(domStyle) {
+				domStyle.refs++;
+				for(var j = 0; j < domStyle.parts.length; j++) {
+					domStyle.parts[j](item.parts[j]);
+				}
+				for(; j < item.parts.length; j++) {
+					domStyle.parts.push(addStyle(item.parts[j], options));
+				}
+			} else {
+				var parts = [];
+				for(var j = 0; j < item.parts.length; j++) {
+					parts.push(addStyle(item.parts[j], options));
+				}
+				stylesInDom[item.id] = {id: item.id, refs: 1, parts: parts};
+			}
+		}
+	}
+	
+	function listToStyles(list) {
+		var styles = [];
+		var newStyles = {};
+		for(var i = 0; i < list.length; i++) {
+			var item = list[i];
+			var id = item[0];
+			var css = item[1];
+			var media = item[2];
+			var sourceMap = item[3];
+			var part = {css: css, media: media, sourceMap: sourceMap};
+			if(!newStyles[id])
+				styles.push(newStyles[id] = {id: id, parts: [part]});
+			else
+				newStyles[id].parts.push(part);
+		}
+		return styles;
+	}
+	
+	function insertStyleElement(options, styleElement) {
+		var head = getHeadElement();
+		var lastStyleElementInsertedAtTop = styleElementsInsertedAtTop[styleElementsInsertedAtTop.length - 1];
+		if (options.insertAt === "top") {
+			if(!lastStyleElementInsertedAtTop) {
+				head.insertBefore(styleElement, head.firstChild);
+			} else if(lastStyleElementInsertedAtTop.nextSibling) {
+				head.insertBefore(styleElement, lastStyleElementInsertedAtTop.nextSibling);
+			} else {
+				head.appendChild(styleElement);
+			}
+			styleElementsInsertedAtTop.push(styleElement);
+		} else if (options.insertAt === "bottom") {
+			head.appendChild(styleElement);
+		} else {
+			throw new Error("Invalid value for parameter 'insertAt'. Must be 'top' or 'bottom'.");
+		}
+	}
+	
+	function removeStyleElement(styleElement) {
+		styleElement.parentNode.removeChild(styleElement);
+		var idx = styleElementsInsertedAtTop.indexOf(styleElement);
+		if(idx >= 0) {
+			styleElementsInsertedAtTop.splice(idx, 1);
+		}
+	}
+	
+	function createStyleElement(options) {
+		var styleElement = document.createElement("style");
+		styleElement.type = "text/css";
+		insertStyleElement(options, styleElement);
+		return styleElement;
+	}
+	
+	function createLinkElement(options) {
+		var linkElement = document.createElement("link");
+		linkElement.rel = "stylesheet";
+		insertStyleElement(options, linkElement);
+		return linkElement;
+	}
+	
+	function addStyle(obj, options) {
+		var styleElement, update, remove;
+	
+		if (options.singleton) {
+			var styleIndex = singletonCounter++;
+			styleElement = singletonElement || (singletonElement = createStyleElement(options));
+			update = applyToSingletonTag.bind(null, styleElement, styleIndex, false);
+			remove = applyToSingletonTag.bind(null, styleElement, styleIndex, true);
+		} else if(obj.sourceMap &&
+			typeof URL === "function" &&
+			typeof URL.createObjectURL === "function" &&
+			typeof URL.revokeObjectURL === "function" &&
+			typeof Blob === "function" &&
+			typeof btoa === "function") {
+			styleElement = createLinkElement(options);
+			update = updateLink.bind(null, styleElement);
+			remove = function() {
+				removeStyleElement(styleElement);
+				if(styleElement.href)
+					URL.revokeObjectURL(styleElement.href);
+			};
+		} else {
+			styleElement = createStyleElement(options);
+			update = applyToTag.bind(null, styleElement);
+			remove = function() {
+				removeStyleElement(styleElement);
+			};
+		}
+	
+		update(obj);
+	
+		return function updateStyle(newObj) {
+			if(newObj) {
+				if(newObj.css === obj.css && newObj.media === obj.media && newObj.sourceMap === obj.sourceMap)
+					return;
+				update(obj = newObj);
+			} else {
+				remove();
+			}
+		};
+	}
+	
+	var replaceText = (function () {
+		var textStore = [];
+	
+		return function (index, replacement) {
+			textStore[index] = replacement;
+			return textStore.filter(Boolean).join('\n');
+		};
+	})();
+	
+	function applyToSingletonTag(styleElement, index, remove, obj) {
+		var css = remove ? "" : obj.css;
+	
+		if (styleElement.styleSheet) {
+			styleElement.styleSheet.cssText = replaceText(index, css);
+		} else {
+			var cssNode = document.createTextNode(css);
+			var childNodes = styleElement.childNodes;
+			if (childNodes[index]) styleElement.removeChild(childNodes[index]);
+			if (childNodes.length) {
+				styleElement.insertBefore(cssNode, childNodes[index]);
+			} else {
+				styleElement.appendChild(cssNode);
+			}
+		}
+	}
+	
+	function applyToTag(styleElement, obj) {
+		var css = obj.css;
+		var media = obj.media;
+	
+		if(media) {
+			styleElement.setAttribute("media", media)
+		}
+	
+		if(styleElement.styleSheet) {
+			styleElement.styleSheet.cssText = css;
+		} else {
+			while(styleElement.firstChild) {
+				styleElement.removeChild(styleElement.firstChild);
+			}
+			styleElement.appendChild(document.createTextNode(css));
+		}
+	}
+	
+	function updateLink(linkElement, obj) {
+		var css = obj.css;
+		var sourceMap = obj.sourceMap;
+	
+		if(sourceMap) {
+			// http://stackoverflow.com/a/26603875
+			css += "\n/*# sourceMappingURL=data:application/json;base64," + btoa(unescape(encodeURIComponent(JSON.stringify(sourceMap)))) + " */";
+		}
+	
+		var blob = new Blob([css], { type: "text/css" });
+	
+		var oldSrc = linkElement.href;
+	
+		linkElement.href = URL.createObjectURL(blob);
+	
+		if(oldSrc)
+			URL.revokeObjectURL(oldSrc);
+	}
+
+
+/***/ },
+/* 365 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * This is a straight rip-off of the React.js ReactPropTypes.js proptype validators,
+	 * modified to make it possible to validate Immutable.js data.
+	 *     ImmutableTypes.listOf is patterned after React.PropTypes.arrayOf, but for Immutable.List
+	 *     ImmutableTypes.shape  is based on React.PropTypes.shape, but for any Immutable.Iterable
+	 */
+	"use strict";
+	
+	var Immutable = __webpack_require__(352);
+	
+	var ANONYMOUS = "<<anonymous>>";
+	
+	var ImmutablePropTypes = {
+	  listOf: createListOfTypeChecker,
+	  mapOf: createMapOfTypeChecker,
+	  orderedMapOf: createOrderedMapOfTypeChecker,
+	  setOf: createSetOfTypeChecker,
+	  orderedSetOf: createOrderedSetOfTypeChecker,
+	  stackOf: createStackOfTypeChecker,
+	  iterableOf: createIterableOfTypeChecker,
+	  recordOf: createRecordOfTypeChecker,
+	  shape: createShapeChecker,
+	  contains: createShapeChecker,
+	  mapContains: createMapContainsChecker,
+	  // Primitive Types
+	  list: createImmutableTypeChecker("List", Immutable.List.isList),
+	  map: createImmutableTypeChecker("Map", Immutable.Map.isMap),
+	  orderedMap: createImmutableTypeChecker("OrderedMap", Immutable.OrderedMap.isOrderedMap),
+	  set: createImmutableTypeChecker("Set", Immutable.Set.isSet),
+	  orderedSet: createImmutableTypeChecker("OrderedSet", Immutable.OrderedSet.isOrderedSet),
+	  stack: createImmutableTypeChecker("Stack", Immutable.Stack.isStack),
+	  seq: createImmutableTypeChecker("Seq", Immutable.Seq.isSeq),
+	  record: createImmutableTypeChecker("Record", function (isRecord) {
+	    return isRecord instanceof Immutable.Record;
+	  }),
+	  iterable: createImmutableTypeChecker("Iterable", Immutable.Iterable.isIterable)
+	};
+	
+	function getPropType(propValue) {
+	  var propType = typeof propValue;
+	  if (Array.isArray(propValue)) {
+	    return "array";
+	  }
+	  if (propValue instanceof RegExp) {
+	    // Old webkits (at least until Android 4.0) return 'function' rather than
+	    // 'object' for typeof a RegExp. We'll normalize this here so that /bla/
+	    // passes PropTypes.object.
+	    return "object";
+	  }
+	  if (propValue instanceof Immutable.Iterable) {
+	    return "Immutable." + propValue.toSource().split(" ")[0];
+	  }
+	  return propType;
+	}
+	
+	function createChainableTypeChecker(validate) {
+	  function checkType(isRequired, props, propName, componentName, location, propFullName) {
+	    propFullName = propFullName || propName;
+	    componentName = componentName || ANONYMOUS;
+	    if (props[propName] == null) {
+	      var locationName = location;
+	      if (isRequired) {
+	        return new Error("Required " + locationName + " `" + propFullName + "` was not specified in " + ("`" + componentName + "`."));
+	      }
+	    } else {
+	      return validate(props, propName, componentName, location, propFullName);
+	    }
+	  }
+	
+	  var chainedCheckType = checkType.bind(null, false);
+	  chainedCheckType.isRequired = checkType.bind(null, true);
+	
+	  return chainedCheckType;
+	}
+	
+	function createImmutableTypeChecker(immutableClassName, immutableClassTypeValidator) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    if (!immutableClassTypeValidator(propValue)) {
+	      var propType = getPropType(propValue);
+	      return new Error("Invalid " + location + " `" + propFullName + "` of type `" + propType + "` " + ("supplied to `" + componentName + "`, expected `" + immutableClassName + "`."));
+	    }
+	    return null;
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createIterableTypeChecker(typeChecker, immutableClassName, immutableClassTypeValidator) {
+	
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    if (!immutableClassTypeValidator(propValue)) {
+	      var locationName = location;
+	      var propType = getPropType(propValue);
+	      return new Error("Invalid " + locationName + " `" + propFullName + "` of type " + ("`" + propType + "` supplied to `" + componentName + "`, expected an Immutable.js " + immutableClassName + "."));
+	    }
+	
+	    if (typeof typeChecker !== "function") {
+	      return new Error("Invalid typeChecker supplied to `" + componentName + "` " + ("for propType `" + propFullName + "`, expected a function."));
+	    }
+	
+	    var propValues = propValue.toArray();
+	    for (var i = 0, len = propValues.length; i < len; i++) {
+	      var error = typeChecker(propValues, i, componentName, location, "" + propFullName + "[" + i + "]");
+	      if (error instanceof Error) {
+	        return error;
+	      }
+	    }
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createListOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "List", Immutable.List.isList);
+	}
+	
+	function createMapOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "Map", Immutable.Map.isMap);
+	}
+	
+	function createOrderedMapOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "OrderedMap", Immutable.OrderedMap.isOrderedMap);
+	}
+	
+	function createSetOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "Set", Immutable.Set.isSet);
+	}
+	
+	function createOrderedSetOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "OrderedSet", Immutable.OrderedSet.isOrderedSet);
+	}
+	
+	function createStackOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "Stack", Immutable.Stack.isStack);
+	}
+	
+	function createIterableOfTypeChecker(typeChecker) {
+	  return createIterableTypeChecker(typeChecker, "Iterable", Immutable.Iterable.isIterable);
+	}
+	
+	function createRecordOfTypeChecker(recordKeys) {
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    if (!(propValue instanceof Immutable.Record)) {
+	      var propType = getPropType(propValue);
+	      var locationName = location;
+	      return new Error("Invalid " + locationName + " `" + propFullName + "` of type `" + propType + "` " + ("supplied to `" + componentName + "`, expected an Immutable.js Record."));
+	    }
+	    for (var key in recordKeys) {
+	      var checker = recordKeys[key];
+	      if (!checker) {
+	        continue;
+	      }
+	      var mutablePropValue = propValue.toObject();
+	      var error = checker(mutablePropValue, key, componentName, location, "" + propFullName + "." + key);
+	      if (error) {
+	        return error;
+	      }
+	    }
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	// there is some irony in the fact that shapeTypes is a standard hash and not an immutable collection
+	function createShapeTypeChecker(shapeTypes) {
+	  var immutableClassName = arguments[1] === undefined ? "Iterable" : arguments[1];
+	  var immutableClassTypeValidator = arguments[2] === undefined ? Immutable.Iterable.isIterable : arguments[2];
+	
+	  function validate(props, propName, componentName, location, propFullName) {
+	    var propValue = props[propName];
+	    if (!immutableClassTypeValidator(propValue)) {
+	      var propType = getPropType(propValue);
+	      var locationName = location;
+	      return new Error("Invalid " + locationName + " `" + propFullName + "` of type `" + propType + "` " + ("supplied to `" + componentName + "`, expected an Immutable.js " + immutableClassName + "."));
+	    }
+	    var mutablePropValue = propValue.toObject();
+	    for (var key in shapeTypes) {
+	      var checker = shapeTypes[key];
+	      if (!checker) {
+	        continue;
+	      }
+	      var error = checker(mutablePropValue, key, componentName, location, "" + propFullName + "." + key);
+	      if (error) {
+	        return error;
+	      }
+	    }
+	  }
+	  return createChainableTypeChecker(validate);
+	}
+	
+	function createShapeChecker(shapeTypes) {
+	  return createShapeTypeChecker(shapeTypes);
+	}
+	
+	function createMapContainsChecker(shapeTypes) {
+	  return createShapeTypeChecker(shapeTypes, "Map", Immutable.Map.isMap);
+	}
+	
+	module.exports = ImmutablePropTypes;
+
+/***/ },
+/* 366 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	var createFactory = React.createFactory;
+	
+	var _require = __webpack_require__(16);
+	
+	var connect = _require.connect;
+	
+	var _require2 = __webpack_require__(2);
+	
+	var bindActionCreators = _require2.bindActionCreators;
+	
+	var _require3 = __webpack_require__(367);
+	
+	var cmdString = _require3.cmdString;
+	
+	var classnames = __webpack_require__(360);
+	var actions = __webpack_require__(369);
+	
+	var _require4 = __webpack_require__(201);
+	
+	var isFirefoxPanel = _require4.isFirefoxPanel;
+	
+	var _require5 = __webpack_require__(358);
+	
+	var getSources = _require5.getSources;
+	var getSelectedSource = _require5.getSelectedSource;
+	
+	var _require6 = __webpack_require__(342);
+	
+	var endTruncateStr = _require6.endTruncateStr;
+	
+	var _require7 = __webpack_require__(372);
+	
+	var parseURL = _require7.parse;
+	
+	var _require8 = __webpack_require__(401);
+	
+	var KeyShortcuts = _require8.KeyShortcuts;
+	
+	
+	__webpack_require__(402);
+	__webpack_require__(404);
+	
+	// Using this static variable allows webpack to know at compile-time
+	// to avoid this require and not include it at all in the output.
+	if (true) {
+	  __webpack_require__(406);
+	}
+	
+	var Sources = createFactory(__webpack_require__(413));
+	var Editor = createFactory(__webpack_require__(517));
+	var SplitBox = createFactory(__webpack_require__(536));
+	var RightSidebar = createFactory(__webpack_require__(538));
+	var SourceTabs = createFactory(__webpack_require__(593));
+	var Svg = __webpack_require__(491);
+	var Autocomplete = createFactory(__webpack_require__(598));
+	
+	function searchResults(sources) {
+	  function getSourcePath(source) {
+	    var _parseURL = parseURL(source.get("url"));
+	
+	    var path = _parseURL.path;
+	
+	    return endTruncateStr(path, 50);
+	  }
+	
+	  return sources.valueSeq().filter(source => source.get("url")).map(source => ({
+	    value: getSourcePath(source),
+	    title: getSourcePath(source).split("/").pop(),
+	    subtitle: getSourcePath(source),
+	    id: source.get("id")
+	  })).toJS();
+	}
+	
+	var App = React.createClass({
+	  propTypes: {
+	    sources: PropTypes.object,
+	    selectSource: PropTypes.func,
+	    selectedSource: PropTypes.object
+	  },
+	
+	  displayName: "App",
+	
+	  getInitialState() {
+	    return {
+	      searchOn: false
+	    };
+	  },
+	
+	  getChildContext() {
+	    return {
+	      shortcuts: this.shortcuts
+	    };
+	  },
+	
+	  componentDidMount() {
+	    this.shortcuts = new KeyShortcuts({ window });
+	
+	    this.shortcuts.on("CmdOrCtrl+P", this.toggleSourcesSearch);
+	    window.addEventListener("keydown", this.onKeyDown);
+	  },
+	
+	  componentWillUnmount() {
+	    this.shortcuts.off("CmdOrCtrl+P", this.toggleSourcesSearch);
+	    window.removeEventListener("keydown", this.onKeyDown);
+	  },
+	
+	  toggleSourcesSearch(key, e) {
+	    e.preventDefault();
+	    this.setState({ searchOn: !this.state.searchOn });
+	  },
+	
+	  onKeyDown(e) {
+	    if (this.state.searchOn && e.key === "Escape") {
+	      this.setState({ searchOn: false });
+	      e.preventDefault();
+	    }
+	  },
+	
+	  closeSourcesSearch() {
+	    this.setState({ searchOn: false });
+	  },
+	
+	  renderSourcesSearch() {
+	    return dom.div({ className: "search-container" }, Autocomplete({
+	      selectItem: result => {
+	        this.props.selectSource(result.id);
+	        this.setState({ searchOn: false });
+	      },
+	      items: searchResults(this.props.sources)
+	    }), dom.div({ className: "close-button" }, Svg("close", { onClick: this.closeSourcesSearch })));
+	  },
+	
+	  renderWelcomeBox() {
+	    return dom.div({ className: "welcomebox" }, `${ cmdString() }+P to search for files`);
+	  },
+	
+	  renderCenterPane() {
+	    return dom.div({ className: "center-pane" }, dom.div({ className: "editor-container" }, SourceTabs(), Editor(), !this.props.selectedSource ? this.renderWelcomeBox() : null, this.state.searchOn ? this.renderSourcesSearch() : null));
+	  },
+	
+	  render: function () {
+	    return dom.div({ className: classnames("debugger theme-body", { "theme-light": !isFirefoxPanel() }) }, SplitBox({
+	      style: { width: "100vh" },
+	      initialSize: "300px",
+	      minSize: 10,
+	      maxSize: "50%",
+	      splitterSize: 1,
+	      startPanel: Sources({ sources: this.props.sources }),
+	      endPanel: SplitBox({
+	        initialSize: "300px",
+	        minSize: 10,
+	        maxSize: "80%",
+	        splitterSize: 1,
+	        endPanelControl: true,
+	        startPanel: this.renderCenterPane(this.props),
+	        endPanel: RightSidebar()
+	      })
+	    }));
+	  }
+	});
+	
+	App.childContextTypes = {
+	  shortcuts: PropTypes.object
+	};
+	
+	module.exports = connect(state => ({ sources: getSources(state),
+	  selectedSource: getSelectedSource(state) }), dispatch => bindActionCreators(actions, dispatch))(App);
+
+/***/ },
+/* 367 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(368);
+	
+	var Services = _require.Services;
+	
+	
+	function cmdString() {
+	  return Services.appinfo.OS === "Darwin" ? "⌘" : "Ctrl";
+	}
+	
+	module.exports = {
+	  cmdString
+	};
+
+/***/ },
+/* 368 */
+/***/ function(module, exports) {
+
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	/* globals localStorage, window, document, NodeFilter */
+	
+	// Some constants from nsIPrefBranch.idl.
+	const PREF_INVALID = 0;
+	const PREF_STRING = 32;
+	const PREF_INT = 64;
+	const PREF_BOOL = 128;
+	const NS_PREFBRANCH_PREFCHANGE_TOPIC_ID = "nsPref:changed";
+	
+	/**
+	 * Create a new preference object.
+	 *
+	 * @param {PrefBranch} branch the branch holding this preference
+	 * @param {String} name the base name of this preference
+	 * @param {String} fullName the fully-qualified name of this preference
+	 */
+	function Preference(branch, name, fullName) {
+	  this.branch = branch;
+	  this.name = name;
+	  this.fullName = fullName;
+	  this.defaultValue = null;
+	  this.hasUserValue = false;
+	  this.userValue = null;
+	  this.type = null;
+	}
+	
+	Preference.prototype = {
+	  /**
+	   * Return this preference's current value.
+	   *
+	   * @return {Any} The current value of this preference.  This may
+	   *         return a string, a number, or a boolean depending on the
+	   *         preference's type.
+	   */
+	  get: function () {
+	    if (this.hasUserValue) {
+	      return this.userValue;
+	    }
+	    return this.defaultValue;
+	  },
+	
+	  /**
+	   * Set the preference's value.  The new value is assumed to be a
+	   * user value.  After setting the value, this function emits a
+	   * change notification.
+	   *
+	   * @param {Any} value the new value
+	   */
+	  set: function (value) {
+	    if (!this.hasUserValue || value !== this.userValue) {
+	      this.userValue = value;
+	      this.hasUserValue = true;
+	      this.saveAndNotify();
+	    }
+	  },
+	
+	  /**
+	   * Set the default value for this preference, and emit a
+	   * notification if this results in a visible change.
+	   *
+	   * @param {Any} value the new default value
+	   */
+	  setDefault: function (value) {
+	    if (this.defaultValue !== value) {
+	      this.defaultValue = value;
+	      if (!this.hasUserValue) {
+	        this.saveAndNotify();
+	      }
+	    }
+	  },
+	
+	  /**
+	   * If this preference has a user value, clear it.  If a change was
+	   * made, emit a change notification.
+	   */
+	  clearUserValue: function () {
+	    if (this.hasUserValue) {
+	      this.userValue = null;
+	      this.hasUserValue = false;
+	      this.saveAndNotify();
+	    }
+	  },
+	
+	  /**
+	   * Helper function to write the preference's value to local storage
+	   * and then emit a change notification.
+	   */
+	  saveAndNotify: function () {
+	    let store = {
+	      type: this.type,
+	      defaultValue: this.defaultValue,
+	      hasUserValue: this.hasUserValue,
+	      userValue: this.userValue,
+	    };
+	
+	    localStorage.setItem(this.fullName, JSON.stringify(store));
+	    this.branch._notify(this.name);
+	  },
+	
+	  /**
+	   * Change this preference's value without writing it back to local
+	   * storage.  This is used to handle changes to local storage that
+	   * were made externally.
+	   *
+	   * @param {Number} type one of the PREF_* values
+	   * @param {Any} userValue the user value to use if the pref does not exist
+	   * @param {Any} defaultValue the default value to use if the pref
+	   *        does not exist
+	   * @param {Boolean} hasUserValue if a new pref is created, whether
+	   *        the default value is also a user value
+	   * @param {Object} store the new value of the preference.  It should
+	   *        be of the form {type, defaultValue, hasUserValue, userValue};
+	   *        where |type| is one of the PREF_* type constants; |defaultValue|
+	   *        and |userValue| are the default and user values, respectively;
+	   *        and |hasUserValue| is a boolean indicating whether the user value
+	   *        is valid
+	   */
+	  storageUpdated: function (type, userValue, hasUserValue, defaultValue) {
+	    this.type = type;
+	    this.defaultValue = defaultValue;
+	    this.hasUserValue = hasUserValue;
+	    this.userValue = userValue;
+	    // There's no need to write this back to local storage, since it
+	    // came from there; and this avoids infinite event loops.
+	    this.branch._notify(this.name);
+	  },
+	};
+	
+	/**
+	 * Create a new preference branch.  This object conforms largely to
+	 * nsIPrefBranch and nsIPrefService, though it only implements the
+	 * subset needed by devtools.
+	 *
+	 * @param {PrefBranch} parent the parent branch, or null for the root
+	 *        branch.
+	 * @param {String} name the base name of this branch
+	 * @param {String} fullName the fully-qualified name of this branch
+	 */
+	function PrefBranch(parent, name, fullName) {
+	  this._parent = parent;
+	  this._name = name;
+	  this._fullName = fullName;
+	  this._observers = {};
+	  this._children = {};
+	
+	  if (!parent) {
+	    this._initializeRoot();
+	  }
+	}
+	
+	PrefBranch.prototype = {
+	  PREF_INVALID: PREF_INVALID,
+	  PREF_STRING: PREF_STRING,
+	  PREF_INT: PREF_INT,
+	  PREF_BOOL: PREF_BOOL,
+	
+	  /** @see nsIPrefBranch.root.  */
+	  get root() {
+	    return this._fullName;
+	  },
+	
+	  /** @see nsIPrefBranch.getPrefType.  */
+	  getPrefType: function (prefName) {
+	    return this._findPref(prefName).type;
+	  },
+	
+	  /** @see nsIPrefBranch.getBoolPref.  */
+	  getBoolPref: function (prefName) {
+	    let thePref = this._findPref(prefName);
+	    if (thePref.type !== PREF_BOOL) {
+	      throw new Error(`${prefName} does not have bool type`);
+	    }
+	    return thePref.get();
+	  },
+	
+	  /** @see nsIPrefBranch.setBoolPref.  */
+	  setBoolPref: function (prefName, value) {
+	    if (typeof value !== "boolean") {
+	      throw new Error("non-bool passed to setBoolPref");
+	    }
+	    let thePref = this._findOrCreatePref(prefName, value, true, value);
+	    if (thePref.type !== PREF_BOOL) {
+	      throw new Error(`${prefName} does not have bool type`);
+	    }
+	    thePref.set(value);
+	  },
+	
+	  /** @see nsIPrefBranch.getCharPref.  */
+	  getCharPref: function (prefName) {
+	    let thePref = this._findPref(prefName);
+	    if (thePref.type !== PREF_STRING) {
+	      throw new Error(`${prefName} does not have string type`);
+	    }
+	    return thePref.get();
+	  },
+	
+	  /** @see nsIPrefBranch.setCharPref.  */
+	  setCharPref: function (prefName, value) {
+	    if (typeof value !== "string") {
+	      throw new Error("non-string passed to setCharPref");
+	    }
+	    let thePref = this._findOrCreatePref(prefName, value, true, value);
+	    if (thePref.type !== PREF_STRING) {
+	      throw new Error(`${prefName} does not have string type`);
+	    }
+	    thePref.set(value);
+	  },
+	
+	  /** @see nsIPrefBranch.getIntPref.  */
+	  getIntPref: function (prefName) {
+	    let thePref = this._findPref(prefName);
+	    if (thePref.type !== PREF_INT) {
+	      throw new Error(`${prefName} does not have int type`);
+	    }
+	    return thePref.get();
+	  },
+	
+	  /** @see nsIPrefBranch.setIntPref.  */
+	  setIntPref: function (prefName, value) {
+	    if (typeof value !== "number") {
+	      throw new Error("non-number passed to setIntPref");
+	    }
+	    let thePref = this._findOrCreatePref(prefName, value, true, value);
+	    if (thePref.type !== PREF_INT) {
+	      throw new Error(`${prefName} does not have int type`);
+	    }
+	    thePref.set(value);
+	  },
+	
+	  /** @see nsIPrefBranch.clearUserPref */
+	  clearUserPref: function (prefName) {
+	    let thePref = this._findPref(prefName);
+	    thePref.clearUserValue();
+	  },
+	
+	  /** @see nsIPrefBranch.prefHasUserValue */
+	  prefHasUserValue: function (prefName) {
+	    let thePref = this._findPref(prefName);
+	    return thePref.hasUserValue;
+	  },
+	
+	  /** @see nsIPrefBranch.addObserver */
+	  addObserver: function (domain, observer, holdWeak) {
+	    if (domain !== "" && !domain.endsWith(".")) {
+	      throw new Error("invalid domain to addObserver: " + domain);
+	    }
+	    if (holdWeak) {
+	      throw new Error("shim prefs only supports strong observers");
+	    }
+	
+	    if (!(domain in this._observers)) {
+	      this._observers[domain] = [];
+	    }
+	    this._observers[domain].push(observer);
+	  },
+	
+	  /** @see nsIPrefBranch.removeObserver */
+	  removeObserver: function (domain, observer) {
+	    if (!(domain in this._observers)) {
+	      return;
+	    }
+	    let index = this._observers[domain].indexOf(observer);
+	    if (index >= 0) {
+	      this._observers[domain].splice(index, 1);
+	    }
+	  },
+	
+	  /** @see nsIPrefService.savePrefFile */
+	  savePrefFile: function (file) {
+	    if (file) {
+	      throw new Error("shim prefs only supports null file in savePrefFile");
+	    }
+	    // Nothing to do - this implementation always writes back.
+	  },
+	
+	  /** @see nsIPrefService.getBranch */
+	  getBranch: function (prefRoot) {
+	    if (!prefRoot) {
+	      return this;
+	    }
+	    if (prefRoot.endsWith(".")) {
+	      prefRoot = prefRoot.slice(0, -1);
+	    }
+	    // This is a bit weird since it could erroneously return a pref,
+	    // not a pref branch.
+	    return this._findPref(prefRoot);
+	  },
+	
+	  /**
+	   * Helper function to find either a Preference or PrefBranch object
+	   * given its name.  If the name is not found, throws an exception.
+	   *
+	   * @param {String} prefName the fully-qualified preference name
+	   * @return {Object} Either a Preference or PrefBranch object
+	   */
+	  _findPref: function (prefName) {
+	    let branchNames = prefName.split(".");
+	    let branch = this;
+	
+	    for (let branchName of branchNames) {
+	      branch = branch._children[branchName];
+	      if (!branch) {
+	        throw new Error("could not find pref branch " + prefName);
+	      }
+	    }
+	
+	    return branch;
+	  },
+	
+	  /**
+	   * Helper function to notify any observers when a preference has
+	   * changed.  This will also notify the parent branch for further
+	   * reporting.
+	   *
+	   * @param {String} relativeName the name of the updated pref,
+	   *        relative to this branch
+	   */
+	  _notify: function (relativeName) {
+	    for (let domain in this._observers) {
+	      if (relativeName.startsWith(domain)) {
+	        // Allow mutation while walking.
+	        let localList = this._observers[domain].slice();
+	        for (let observer of localList) {
+	          try {
+	            observer.observe(this, NS_PREFBRANCH_PREFCHANGE_TOPIC_ID,
+	                             relativeName);
+	          } catch (e) {
+	            console.error(e);
+	          }
+	        }
+	      }
+	    }
+	
+	    if (this._parent) {
+	      this._parent._notify(this._name + "." + relativeName);
+	    }
+	  },
+	
+	  /**
+	   * Helper function to create a branch given an array of branch names
+	   * representing the path of the new branch.
+	   *
+	   * @param {Array} branchList an array of strings, one per component
+	   *        of the branch to be created
+	   * @return {PrefBranch} the new branch
+	   */
+	  _createBranch: function (branchList) {
+	    let parent = this;
+	    for (let branch of branchList) {
+	      if (!parent._children[branch]) {
+	        parent._children[branch] = new PrefBranch(parent, branch,
+	                                                  parent.root + "." + branch);
+	      }
+	      parent = parent._children[branch];
+	    }
+	    return parent;
+	  },
+	
+	  /**
+	   * Create a new preference.  The new preference is assumed to be in
+	   * local storage already, and the new value is taken from there.
+	   *
+	   * @param {String} keyName the full-qualified name of the preference.
+	   *        This is also the name of the key in local storage.
+	   * @param {Any} userValue the user value to use if the pref does not exist
+	   * @param {Any} defaultValue the default value to use if the pref
+	   *        does not exist
+	   * @param {Boolean} hasUserValue if a new pref is created, whether
+	   *        the default value is also a user value
+	   */
+	  _findOrCreatePref: function (keyName, userValue, hasUserValue, defaultValue) {
+	    let branchName = keyName.split(".");
+	    let prefName = branchName.pop();
+	
+	    let branch = this._createBranch(branchName);
+	    if (!(prefName in branch._children)) {
+	      if (hasUserValue && typeof (userValue) !== typeof (defaultValue)) {
+	        throw new Error("inconsistent values when creating " + keyName);
+	      }
+	
+	      let type;
+	      switch (typeof (defaultValue)) {
+	        case "boolean":
+	          type = PREF_BOOL;
+	          break;
+	        case "number":
+	          type = PREF_INT;
+	          break;
+	        case "string":
+	          type = PREF_STRING;
+	          break;
+	        default:
+	          throw new Error("unhandled argument type: " + typeof (defaultValue));
+	      }
+	
+	      let thePref = new Preference(branch, prefName, keyName);
+	      thePref.storageUpdated(type, userValue, hasUserValue, defaultValue);
+	      branch._children[prefName] = thePref;
+	    }
+	
+	    return branch._children[prefName];
+	  },
+	
+	  /**
+	   * Helper function that is called when local storage changes.  This
+	   * updates the preferences and notifies pref observers as needed.
+	   *
+	   * @param {StorageEvent} event the event representing the local
+	   *        storage change
+	   */
+	  _onStorageChange: function (event) {
+	    if (event.storageArea !== localStorage) {
+	      return;
+	    }
+	
+	    // Ignore delete events.  Not clear what's correct.
+	    if (event.key === null || event.newValue === null) {
+	      return;
+	    }
+	
+	    let {type, userValue, hasUserValue, defaultValue} =
+	        JSON.parse(event.newValue);
+	    if (event.oldValue === null) {
+	      this._findOrCreatePref(event.key, userValue, hasUserValue, defaultValue);
+	    } else {
+	      let thePref = this._findPref(event.key);
+	      thePref.storageUpdated(type, userValue, hasUserValue, defaultValue);
+	    }
+	  },
+	
+	  /**
+	   * Helper function to initialize the root PrefBranch.
+	   */
+	  _initializeRoot: function () {
+	    try {
+	      if (localStorage.length === 0) {
+	        // FIXME - this is where we'll load devtools.js to install the
+	        // default prefs.
+	      }
+	    } catch(e) {
+	      // Couldn't access localStorage; bail. This happens in the
+	      // Firefox panel because Chrome-privileged code can't access it.
+	      return;
+	    }
+	
+	    // Read the prefs from local storage and create the local
+	    // representations.
+	    for (let i = 0; i < localStorage.length; ++i) {
+	      let keyName = localStorage.key(i);
+	      try {
+	        let {userValue, hasUserValue, defaultValue} =
+	            JSON.parse(localStorage.getItem(keyName));
+	
+	        this._findOrCreatePref(keyName, userValue, hasUserValue, defaultValue);
+	      } catch (e) {
+	      }
+	    }
+	
+	    this._onStorageChange = this._onStorageChange.bind(this);
+	    window.addEventListener("storage", this._onStorageChange);
+	  },
+	};
+	
+	const Services = {
+	  /**
+	   * An implementation of nsIPrefService that is based on local
+	   * storage.  Only the subset of nsIPrefService that is actually used
+	   * by devtools is implemented here.
+	   */
+	  prefs: new PrefBranch(null, "", ""),
+	
+	  /**
+	   * An implementation of Services.appinfo that holds just the
+	   * properties needed by devtools.
+	   */
+	  appinfo: {
+	    get OS() {
+	      const os = window.navigator.userAgent;
+	      if (os) {
+	        if (os.includes("Linux")) {
+	          return "Linux";
+	        } else if (os.includes("Windows")) {
+	          return "WINNT";
+	        } else if (os.includes("Mac")) {
+	          return "Darwin";
+	        }
+	      }
+	      return "Unknown";
+	    },
+	
+	    // It's fine for this to be an approximation.
+	    get name() {
+	      return window.navigator.userAgent;
+	    },
+	
+	    // It's fine for this to be an approximation.
+	    get version() {
+	      return window.navigator.appVersion;
+	    },
+	
+	    // This is only used by telemetry, which is disabled for the
+	    // content case.  So, being totally wrong is ok.
+	    get is64Bit() {
+	      return true;
+	    },
+	  },
+	
+	  /**
+	   * A no-op implementation of Services.telemetry.  This supports just
+	   * the subset of Services.telemetry that is used by devtools.
+	   */
+	  telemetry: {
+	    getHistogramById: function (name) {
+	      return {
+	        add: () => {}
+	      };
+	    },
+	
+	    getKeyedHistogramById: function (name) {
+	      return {
+	        add: () => {}
+	      };
+	    },
+	  },
+	
+	  /**
+	   * An implementation of Services.focus that holds just the
+	   * properties and methods needed by devtools.
+	   * @see nsIFocusManager.idl for details.
+	   */
+	  focus: {
+	    // These values match nsIFocusManager in order to make testing a
+	    // bit simpler.
+	    MOVEFOCUS_FORWARD: 1,
+	    MOVEFOCUS_BACKWARD: 2,
+	
+	    get focusedElement() {
+	      if (!document.hasFocus()) {
+	        return null;
+	      }
+	      return document.activeElement;
+	    },
+	
+	    moveFocus: function (window, startElement, type, flags) {
+	      if (flags !== 0) {
+	        throw new Error("shim Services.focus.moveFocus only accepts flags===0");
+	      }
+	      if (type !== Services.focus.MOVEFOCUS_FORWARD
+	          && type !== Services.focus.MOVEFOCUS_BACKWARD) {
+	        throw new Error("shim Services.focus.moveFocus only supports " +
+	                        " MOVEFOCUS_FORWARD and MOVEFOCUS_BACKWARD");
+	      }
+	
+	      if (!startElement) {
+	        startElement = document.activeElement || document;
+	      }
+	
+	      let iter = document.createTreeWalker(document, NodeFilter.SHOW_ELEMENT, {
+	        acceptNode: function (node) {
+	          let tabIndex = node.getAttribute("tabindex");
+	          if (tabIndex === "-1") {
+	            return NodeFilter.FILTER_SKIP;
+	          }
+	          node.focus();
+	          if (document.activeElement == node) {
+	            return NodeFilter.FILTER_ACCEPT;
+	          }
+	          return NodeFilter.FILTER_SKIP;
+	        }
+	      });
+	
+	      iter.currentNode = startElement;
+	
+	      // Sets the focus via side effect in the filter.
+	      if (type === Services.focus.MOVEFOCUS_FORWARD) {
+	        iter.nextNode();
+	      } else {
+	        iter.previousNode();
+	      }
+	    },
+	  },
+	};
+	
+	/**
+	 * Create a new preference.  This is used during startup (see
+	 * devtools/client/preferences/devtools.js) to install the
+	 * default preferences.
+	 *
+	 * @param {String} name the name of the preference
+	 * @param {Any} value the default value of the preference
+	 */
+	function pref(name, value) {
+	  let thePref = Services.prefs._findOrCreatePref(name, value, true, value);
+	  thePref.setDefault(value);
+	}
+	
+	exports.Services = Services;
+	// This is exported to silence eslint and, at some point, perhaps to
+	// provide it when loading devtools.js in order to install the default
+	// preferences.
+	exports.pref = pref;
+
+
+/***/ },
+/* 369 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var breakpoints = __webpack_require__(370);
+	var eventListeners = __webpack_require__(394);
+	var sources = __webpack_require__(395);
+	var tabs = __webpack_require__(398);
+	var pause = __webpack_require__(399);
+	var navigation = __webpack_require__(400);
+	
+	module.exports = Object.assign(navigation, breakpoints, eventListeners, sources, tabs, pause);
+
+/***/ },
+/* 370 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();
+	
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	/**
+	 * Redux actions for breakpoints
+	 * @module actions/breakpoints
+	 */
+	
+	var constants = __webpack_require__(349);
+	
+	var _require = __webpack_require__(341);
+	
+	var PROMISE = _require.PROMISE;
+	
+	var _require2 = __webpack_require__(358);
+	
+	var getBreakpoint = _require2.getBreakpoint;
+	var getBreakpoints = _require2.getBreakpoints;
+	
+	var _require3 = __webpack_require__(371);
+	
+	var getOriginalLocation = _require3.getOriginalLocation;
+	var getGeneratedLocation = _require3.getGeneratedLocation;
+	var isOriginalId = _require3.isOriginalId;
+	
+	/**
+	 * Argument parameters via Thunk middleware for {@link https://github.com/gaearon/redux-thunk|Redux Thunk}
+	 *
+	 * @memberof actions/breakpoints
+	 * @static
+	 * @typedef {Object} ThunkArgs
+	 */
+	
+	function _breakpointExists(state, location) {
+	  var currentBp = getBreakpoint(state, location);
+	  return currentBp && !currentBp.disabled;
+	}
+	
+	function _getOrCreateBreakpoint(state, location, condition) {
+	  return getBreakpoint(state, location) || { location, condition };
+	}
+	
+	/**
+	 * Enabling a breakpoint calls {@link addBreakpoint}
+	 * which will reuse the existing breakpoint information that is stored.
+	 *
+	 * @memberof actions/breakpoints
+	 * @static
+	 */
+	function enableBreakpoint(location) {
+	  return addBreakpoint(location);
+	}
+	
+	/**
+	 * Add a new or enable an existing breakpoint
+	 *
+	 * @memberof actions/breakpoints
+	 * @static
+	 * @param {String} $1.condition Conditional breakpoint condition value
+	 * @param {Function} $1.getTextForLine Get the text to represent the line
+	 */
+	function addBreakpoint(location) {
+	  var _ref = arguments.length <= 1 || arguments[1] === undefined ? {} : arguments[1];
+	
+	  var condition = _ref.condition;
+	  var getTextForLine = _ref.getTextForLine;
+	
+	  return _ref2 => {
+	    var dispatch = _ref2.dispatch;
+	    var getState = _ref2.getState;
+	    var client = _ref2.client;
+	
+	    if (_breakpointExists(getState(), location)) {
+	      return Promise.resolve();
+	    }
+	
+	    var bp = _getOrCreateBreakpoint(getState(), location, condition);
+	
+	    return dispatch({
+	      type: constants.ADD_BREAKPOINT,
+	      breakpoint: bp,
+	      condition: condition,
+	      [PROMISE]: _asyncToGenerator(function* () {
+	        location = yield getGeneratedLocation(bp.location, getState());
+	
+	        var _ref4 = yield client.setBreakpoint(location, bp.condition, isOriginalId(bp.location.sourceId));
+	
+	        var id = _ref4.id;
+	        var actualLocation = _ref4.actualLocation;
+	
+	
+	        actualLocation = yield getOriginalLocation(actualLocation);
+	
+	        // If this breakpoint is being re-enabled, it already has a
+	        // text snippet.
+	        var text = bp.text;
+	        if (!text) {
+	          text = getTextForLine ? getTextForLine(actualLocation.line) : "";
+	        }
+	
+	        return { id, actualLocation, text };
+	      })()
+	    });
+	  };
+	}
+	
+	/**
+	 * Disable a single breakpoint
+	 *
+	 * @memberof actions/breakpoints
+	 * @static
+	 */
+	function disableBreakpoint(location) {
+	  return _removeOrDisableBreakpoint(location, true);
+	}
+	
+	/**
+	 * Remove a single breakpoint
+	 *
+	 * @memberof actions/breakpoints
+	 * @static
+	 */
+	function removeBreakpoint(location) {
+	  return _removeOrDisableBreakpoint(location);
+	}
+	
+	function _removeOrDisableBreakpoint(location, isDisabled) {
+	  return _ref5 => {
+	    var dispatch = _ref5.dispatch;
+	    var getState = _ref5.getState;
+	    var client = _ref5.client;
+	
+	    var bp = getBreakpoint(getState(), location);
+	    if (!bp) {
+	      throw new Error("attempt to remove breakpoint that does not exist");
+	    }
+	    if (bp.loading) {
+	      // TODO(jwl): make this wait until the breakpoint is saved if it
+	      // is still loading
+	      throw new Error("attempt to remove unsaved breakpoint");
+	    }
+	
+	    var action = {
+	      type: constants.REMOVE_BREAKPOINT,
+	      breakpoint: bp,
+	      disabled: isDisabled
+	    };
+	
+	    // If the breakpoint is already disabled, we don't need to remove
+	    // it from the server. We just need to dispatch an action
+	    // simulating a successful server request to remove it, and it
+	    // will be removed completely from the state.
+	    if (!bp.disabled) {
+	      return dispatch(Object.assign({}, action, {
+	        [PROMISE]: client.removeBreakpoint(bp.id)
+	      }));
+	    }
+	    return dispatch(Object.assign({}, action, { status: "done" }));
+	  };
+	}
+	
+	/**
+	 * Toggle All Breakpoints
+	 *
+	 * @memberof actions/breakpoints
+	 * @static
+	 */
+	function toggleAllBreakpoints(shouldDisableBreakpoints) {
+	  return _ref6 => {
+	    var dispatch = _ref6.dispatch;
+	    var getState = _ref6.getState;
+	
+	    var breakpoints = getBreakpoints(getState());
+	    return dispatch({
+	      type: constants.TOGGLE_BREAKPOINTS,
+	      shouldDisableBreakpoints,
+	      [PROMISE]: _asyncToGenerator(function* () {
+	        for (var _ref8 of breakpoints) {
+	          var _ref9 = _slicedToArray(_ref8, 2);
+	
+	          var breakpoint = _ref9[1];
+	
+	          if (shouldDisableBreakpoints) {
+	            yield dispatch(disableBreakpoint(breakpoint.location));
+	          } else {
+	            yield dispatch(enableBreakpoint(breakpoint.location));
+	          }
+	        }
+	      })()
+	    });
+	  };
+	}
+	
+	/**
+	 * Update the condition of a breakpoint.
+	 *  **NOT IMPLEMENTED**
+	 *
+	 * @throws {Error} "not implemented"
+	 * @memberof actions/breakpoints
+	 * @static
+	 * @param {Location} location
+	 *        @see DebuggerController.Breakpoints.addBreakpoint
+	 * @param {string} condition
+	 *        The condition to set on the breakpoint
+	 */
+	function setBreakpointCondition(location, condition) {
+	  throw new Error("not implemented");
+	
+	  // return ({ dispatch, getState, client }) => {
+	  //   const bp = getBreakpoint(getState(), location);
+	  //   if (!bp) {
+	  //     throw new Error("Breakpoint does not exist at the specified location");
+	  //   }
+	  //   if (bp.get("loading")) {
+	  //     // TODO(jwl): when this function is called, make sure the action
+	  //     // creator waits for the breakpoint to exist
+	  //     throw new Error("breakpoint must be saved");
+	  //   }
+	
+	  //   return dispatch({
+	  //     type: constants.SET_BREAKPOINT_CONDITION,
+	  //     breakpoint: bp,
+	  //     condition: condition,
+	  //     [PROMISE]: Task.spawn(function* () {
+	  //       yield client.setBreakpointCondition(bp.get("id"), condition);
+	  //     })
+	  //   });
+	  // };
+	}
+	
+	module.exports = {
+	  enableBreakpoint,
+	  addBreakpoint,
+	  disableBreakpoint,
+	  removeBreakpoint,
+	  toggleAllBreakpoints,
+	  setBreakpointCondition
+	};
+
+/***/ },
+/* 371 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _fetchSourceMap = (() => {
+	  var _ref = _asyncToGenerator(function* (generatedSource) {
+	    // Fetch the sourcemap over the network and create it.
+	    var sourceMapURL = _resolveSourceMapURL(generatedSource);
+	    var fetched = yield networkRequest(sourceMapURL, { loadFromCache: false });
+	
+	    // Create the source map and fix it up.
+	    var map = new SourceMapConsumer(fetched.content);
+	    _setSourceMapRoot(map, sourceMapURL, generatedSource);
+	    return map;
+	  });
+	
+	  return function _fetchSourceMap(_x) {
+	    return _ref.apply(this, arguments);
+	  };
+	})();
+	
+	var getGeneratedLocation = (() => {
+	  var _ref2 = _asyncToGenerator(function* (location, state) {
+	    if (!isOriginalId(location.sourceId)) {
+	      return location;
+	    }
+	
+	    var originalSource = getSource(state, location.sourceId).toJS();
+	    var generatedSourceId = originalToGeneratedId(location.sourceId);
+	    var map = yield getSourceMap(generatedSourceId);
+	    if (!map) {
+	      return location;
+	    }
+	
+	    var _map$generatedPositio = map.generatedPositionFor({
+	      source: originalSource.url,
+	      line: location.line,
+	      column: location.column == null ? 0 : location.column
+	    });
+	
+	    var line = _map$generatedPositio.line;
+	    var column = _map$generatedPositio.column;
+	
+	
+	    return {
+	      sourceId: generatedSourceId,
+	      line: line,
+	      // Treat 0 as no column so that line breakpoints work correctly.
+	      column: column === 0 ? undefined : column
+	    };
+	  });
+	
+	  return function getGeneratedLocation(_x2, _x3) {
+	    return _ref2.apply(this, arguments);
+	  };
+	})();
+	
+	var getOriginalLocation = (() => {
+	  var _ref3 = _asyncToGenerator(function* (location) {
+	    if (!isGeneratedId(location.sourceId)) {
+	      return location;
+	    }
+	
+	    var map = yield getSourceMap(location.sourceId);
+	    if (!map) {
+	      return location;
+	    }
+	
+	    var _map$originalPosition = map.originalPositionFor({
+	      line: location.line,
+	      column: location.column == null ? Infinity : location.column
+	    });
+	
+	    var url = _map$originalPosition.source;
+	    var line = _map$originalPosition.line;
+	    var column = _map$originalPosition.column;
+	
+	
+	    if (url == null) {
+	      // No url means the location didn't map.
+	      return location;
+	    }
+	
+	    return {
+	      sourceId: generatedToOriginalId(location.sourceId, url),
+	      line,
+	      column
+	    };
+	  });
+	
+	  return function getOriginalLocation(_x4) {
+	    return _ref3.apply(this, arguments);
+	  };
+	})();
+	
+	var getOriginalSourceText = (() => {
+	  var _ref4 = _asyncToGenerator(function* (originalSource) {
+	    assert(isOriginalId(originalSource.id), "Source is not an original source");
+	
+	    var generatedSourceId = originalToGeneratedId(originalSource.id);
+	    var map = yield getSourceMap(generatedSourceId);
+	    if (!map) {
+	      return null;
+	    }
+	
+	    var text = map.sourceContentFor(originalSource.url);
+	    if (!text) {
+	      text = (yield networkRequest(originalSource.url, { loadFromCache: false })).content;
+	    }
+	
+	    return {
+	      text,
+	      contentType: isJavaScript(originalSource.url) ? "text/javascript" : "text/plain"
+	    };
+	  });
+	
+	  return function getOriginalSourceText(_x5) {
+	    return _ref4.apply(this, arguments);
+	  };
+	})();
+	
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	var URL = __webpack_require__(372);
+	var md5 = __webpack_require__(377);
+	
+	var _require = __webpack_require__(381);
+	
+	var SourceMapConsumer = _require.SourceMapConsumer;
+	var SourceMapGenerator = _require.SourceMapGenerator;
+	
+	var path = __webpack_require__(392);
+	var networkRequest = __webpack_require__(334);
+	
+	var _require2 = __webpack_require__(358);
+	
+	var getSource = _require2.getSource;
+	
+	var _require3 = __webpack_require__(201);
+	
+	var isEnabled = _require3.isEnabled;
+	
+	var _require4 = __webpack_require__(393);
+	
+	var isJavaScript = _require4.isJavaScript;
+	
+	var assert = __webpack_require__(345);
+	
+	var sourceMapRequests = new Map();
+	
+	function clearSourceMaps() {
+	  sourceMapRequests = new Map();
+	}
+	
+	function _resolveSourceMapURL(source) {
+	  if (path.isURL(source.sourceMapURL) || !source.url) {
+	    // If it's already a full URL or the source doesn't have a URL,
+	    // don't resolve anything.
+	    return source.sourceMapURL;
+	  } else if (path.isAbsolute(source.sourceMapURL)) {
+	    // If it's an absolute path, it should be resolved relative to the
+	    // host of the source.
+	    var urlObj = URL.parse(source.url);
+	    var base = urlObj.protocol + "//" + urlObj.host;
+	    return base + source.sourceMapURL;
+	  }
+	  // Otherwise, it's a relative path and should be resolved relative
+	  // to the source.
+	  return path.dirname(source.url) + "/" + source.sourceMapURL;
+	}
+	
+	/**
+	 * Sets the source map's sourceRoot to be relative to the source map url.
+	 */
+	function _setSourceMapRoot(sourceMap, absSourceMapURL, source) {
+	  // No need to do this fiddling if we won't be fetching any sources over the
+	  // wire.
+	  if (sourceMap.hasContentsOfAllSources()) {
+	    return;
+	  }
+	
+	  var base = path.dirname(absSourceMapURL.indexOf("data:") === 0 && source.url ? source.url : absSourceMapURL);
+	
+	  if (sourceMap.sourceRoot) {
+	    sourceMap.sourceRoot = path.join(base, sourceMap.sourceRoot);
+	  } else {
+	    sourceMap.sourceRoot = base;
+	  }
+	
+	  return sourceMap;
+	}
+	
+	function originalToGeneratedId(originalId) {
+	  var match = originalId.match(/(.*)\/originalSource/);
+	  return match ? match[1] : null;
+	}
+	
+	function generatedToOriginalId(generatedId, url) {
+	  return generatedId + "/originalSource-" + md5(url);
+	}
+	
+	function isOriginalId(id) {
+	  return id.match(/\/originalSource/);
+	}
+	
+	function isGeneratedId(id) {
+	  return !isOriginalId(id);
+	}
+	
+	function fetchSourceMap(generatedSource) {
+	  var existingRequest = sourceMapRequests.get(generatedSource.id);
+	
+	  if (!generatedSource.sourceMapURL || !isEnabled("sourceMaps")) {
+	    return Promise.resolve(null);
+	  } else if (existingRequest) {
+	    // If it has already been requested, return the request. An
+	    // important behavior here is that if it's in the middle of
+	    // requesting it, all subsequent calls will block on the initial
+	    // request.
+	    return existingRequest;
+	  }
+	
+	  // Fire off the request, set it in the cache, and return it.
+	  var req = _fetchSourceMap(generatedSource);
+	  sourceMapRequests.set(generatedSource.id, req);
+	  return req;
+	}
+	
+	function getSourceMap(generatedSourceId) {
+	  return sourceMapRequests.get(generatedSourceId);
+	}
+	
+	function applySourceMap(generatedId, url, code, mappings) {
+	  var generator = new SourceMapGenerator({ file: url });
+	  mappings.forEach(mapping => generator.addMapping(mapping));
+	  generator.setSourceContent(url, code);
+	
+	  var map = SourceMapConsumer(generator.toJSON());
+	  sourceMapRequests.set(generatedId, Promise.resolve(map));
+	  return map;
+	}
+	
+	module.exports = {
+	  originalToGeneratedId,
+	  generatedToOriginalId,
+	  isGeneratedId,
+	  isOriginalId,
+	
+	  fetchSourceMap,
+	  getGeneratedLocation,
+	  getOriginalLocation,
+	  getOriginalSourceText,
+	  applySourceMap,
+	  clearSourceMaps
+	};
+
+/***/ },
+/* 372 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// Copyright Joyent, Inc. and other Node contributors.
+	//
+	// Permission is hereby granted, free of charge, to any person obtaining a
+	// copy of this software and associated documentation files (the
+	// "Software"), to deal in the Software without restriction, including
+	// without limitation the rights to use, copy, modify, merge, publish,
+	// distribute, sublicense, and/or sell copies of the Software, and to permit
+	// persons to whom the Software is furnished to do so, subject to the
+	// following conditions:
+	//
+	// The above copyright notice and this permission notice shall be included
+	// in all copies or substantial portions of the Software.
+	//
+	// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+	// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+	// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+	// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+	// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+	// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+	// USE OR OTHER DEALINGS IN THE SOFTWARE.
+	
+	var punycode = __webpack_require__(373);
+	
+	exports.parse = urlParse;
+	exports.resolve = urlResolve;
+	exports.resolveObject = urlResolveObject;
+	exports.format = urlFormat;
+	
+	exports.Url = Url;
+	
+	function Url() {
+	  this.protocol = null;
+	  this.slashes = null;
+	  this.auth = null;
+	  this.host = null;
+	  this.port = null;
+	  this.hostname = null;
+	  this.hash = null;
+	  this.search = null;
+	  this.query = null;
+	  this.pathname = null;
+	  this.path = null;
+	  this.href = null;
+	}
+	
+	// Reference: RFC 3986, RFC 1808, RFC 2396
+	
+	// define these here so at least they only have to be
+	// compiled once on the first module load.
+	var protocolPattern = /^([a-z0-9.+-]+:)/i,
+	    portPattern = /:[0-9]*$/,
+	
+	    // RFC 2396: characters reserved for delimiting URLs.
+	    // We actually just auto-escape these.
+	    delims = ['<', '>', '"', '`', ' ', '\r', '\n', '\t'],
+	
+	    // RFC 2396: characters not allowed for various reasons.
+	    unwise = ['{', '}', '|', '\\', '^', '`'].concat(delims),
+	
+	    // Allowed by RFCs, but cause of XSS attacks.  Always escape these.
+	    autoEscape = ['\''].concat(unwise),
+	    // Characters that are never ever allowed in a hostname.
+	    // Note that any invalid chars are also handled, but these
+	    // are the ones that are *expected* to be seen, so we fast-path
+	    // them.
+	    nonHostChars = ['%', '/', '?', ';', '#'].concat(autoEscape),
+	    hostEndingChars = ['/', '?', '#'],
+	    hostnameMaxLen = 255,
+	    hostnamePartPattern = /^[a-z0-9A-Z_-]{0,63}$/,
+	    hostnamePartStart = /^([a-z0-9A-Z_-]{0,63})(.*)$/,
+	    // protocols that can allow "unsafe" and "unwise" chars.
+	    unsafeProtocol = {
+	      'javascript': true,
+	      'javascript:': true
+	    },
+	    // protocols that never have a hostname.
+	    hostlessProtocol = {
+	      'javascript': true,
+	      'javascript:': true
+	    },
+	    // protocols that always contain a // bit.
+	    slashedProtocol = {
+	      'http': true,
+	      'https': true,
+	      'ftp': true,
+	      'gopher': true,
+	      'file': true,
+	      'http:': true,
+	      'https:': true,
+	      'ftp:': true,
+	      'gopher:': true,
+	      'file:': true
+	    },
+	    querystring = __webpack_require__(374);
+	
+	function urlParse(url, parseQueryString, slashesDenoteHost) {
+	  if (url && isObject(url) && url instanceof Url) return url;
+	
+	  var u = new Url;
+	  u.parse(url, parseQueryString, slashesDenoteHost);
+	  return u;
+	}
+	
+	Url.prototype.parse = function(url, parseQueryString, slashesDenoteHost) {
+	  if (!isString(url)) {
+	    throw new TypeError("Parameter 'url' must be a string, not " + typeof url);
+	  }
+	
+	  var rest = url;
+	
+	  // trim before proceeding.
+	  // This is to support parse stuff like "  http://foo.com  \n"
+	  rest = rest.trim();
+	
+	  var proto = protocolPattern.exec(rest);
+	  if (proto) {
+	    proto = proto[0];
+	    var lowerProto = proto.toLowerCase();
+	    this.protocol = lowerProto;
+	    rest = rest.substr(proto.length);
+	  }
+	
+	  // figure out if it's got a host
+	  // user@server is *always* interpreted as a hostname, and url
+	  // resolution will treat //foo/bar as host=foo,path=bar because that's
+	  // how the browser resolves relative URLs.
+	  if (slashesDenoteHost || proto || rest.match(/^\/\/[^@\/]+@[^@\/]+/)) {
+	    var slashes = rest.substr(0, 2) === '//';
+	    if (slashes && !(proto && hostlessProtocol[proto])) {
+	      rest = rest.substr(2);
+	      this.slashes = true;
+	    }
+	  }
+	
+	  if (!hostlessProtocol[proto] &&
+	      (slashes || (proto && !slashedProtocol[proto]))) {
+	
+	    // there's a hostname.
+	    // the first instance of /, ?, ;, or # ends the host.
+	    //
+	    // If there is an @ in the hostname, then non-host chars *are* allowed
+	    // to the left of the last @ sign, unless some host-ending character
+	    // comes *before* the @-sign.
+	    // URLs are obnoxious.
+	    //
+	    // ex:
+	    // http://a@b@c/ => user:a@b host:c
+	    // http://a@b?@c => user:a host:c path:/?@c
+	
+	    // v0.12 TODO(isaacs): This is not quite how Chrome does things.
+	    // Review our test case against browsers more comprehensively.
+	
+	    // find the first instance of any hostEndingChars
+	    var hostEnd = -1;
+	    for (var i = 0; i < hostEndingChars.length; i++) {
+	      var hec = rest.indexOf(hostEndingChars[i]);
+	      if (hec !== -1 && (hostEnd === -1 || hec < hostEnd))
+	        hostEnd = hec;
+	    }
+	
+	    // at this point, either we have an explicit point where the
+	    // auth portion cannot go past, or the last @ char is the decider.
+	    var auth, atSign;
+	    if (hostEnd === -1) {
+	      // atSign can be anywhere.
+	      atSign = rest.lastIndexOf('@');
+	    } else {
+	      // atSign must be in auth portion.
+	      // http://a@b/c@d => host:b auth:a path:/c@d
+	      atSign = rest.lastIndexOf('@', hostEnd);
+	    }
+	
+	    // Now we have a portion which is definitely the auth.
+	    // Pull that off.
+	    if (atSign !== -1) {
+	      auth = rest.slice(0, atSign);
+	      rest = rest.slice(atSign + 1);
+	      this.auth = decodeURIComponent(auth);
+	    }
+	
+	    // the host is the remaining to the left of the first non-host char
+	    hostEnd = -1;
+	    for (var i = 0; i < nonHostChars.length; i++) {
+	      var hec = rest.indexOf(nonHostChars[i]);
+	      if (hec !== -1 && (hostEnd === -1 || hec < hostEnd))
+	        hostEnd = hec;
+	    }
+	    // if we still have not hit it, then the entire thing is a host.
+	    if (hostEnd === -1)
+	      hostEnd = rest.length;
+	
+	    this.host = rest.slice(0, hostEnd);
+	    rest = rest.slice(hostEnd);
+	
+	    // pull out port.
+	    this.parseHost();
+	
+	    // we've indicated that there is a hostname,
+	    // so even if it's empty, it has to be present.
+	    this.hostname = this.hostname || '';
+	
+	    // if hostname begins with [ and ends with ]
+	    // assume that it's an IPv6 address.
+	    var ipv6Hostname = this.hostname[0] === '[' &&
+	        this.hostname[this.hostname.length - 1] === ']';
+	
+	    // validate a little.
+	    if (!ipv6Hostname) {
+	      var hostparts = this.hostname.split(/\./);
+	      for (var i = 0, l = hostparts.length; i < l; i++) {
+	        var part = hostparts[i];
+	        if (!part) continue;
+	        if (!part.match(hostnamePartPattern)) {
+	          var newpart = '';
+	          for (var j = 0, k = part.length; j < k; j++) {
+	            if (part.charCodeAt(j) > 127) {
+	              // we replace non-ASCII char with a temporary placeholder
+	              // we need this to make sure size of hostname is not
+	              // broken by replacing non-ASCII by nothing
+	              newpart += 'x';
+	            } else {
+	              newpart += part[j];
+	            }
+	          }
+	          // we test again with ASCII char only
+	          if (!newpart.match(hostnamePartPattern)) {
+	            var validParts = hostparts.slice(0, i);
+	            var notHost = hostparts.slice(i + 1);
+	            var bit = part.match(hostnamePartStart);
+	            if (bit) {
+	              validParts.push(bit[1]);
+	              notHost.unshift(bit[2]);
+	            }
+	            if (notHost.length) {
+	              rest = '/' + notHost.join('.') + rest;
+	            }
+	            this.hostname = validParts.join('.');
+	            break;
+	          }
+	        }
+	      }
+	    }
+	
+	    if (this.hostname.length > hostnameMaxLen) {
+	      this.hostname = '';
+	    } else {
+	      // hostnames are always lower case.
+	      this.hostname = this.hostname.toLowerCase();
+	    }
+	
+	    if (!ipv6Hostname) {
+	      // IDNA Support: Returns a puny coded representation of "domain".
+	      // It only converts the part of the domain name that
+	      // has non ASCII characters. I.e. it dosent matter if
+	      // you call it with a domain that already is in ASCII.
+	      var domainArray = this.hostname.split('.');
+	      var newOut = [];
+	      for (var i = 0; i < domainArray.length; ++i) {
+	        var s = domainArray[i];
+	        newOut.push(s.match(/[^A-Za-z0-9_-]/) ?
+	            'xn--' + punycode.encode(s) : s);
+	      }
+	      this.hostname = newOut.join('.');
+	    }
+	
+	    var p = this.port ? ':' + this.port : '';
+	    var h = this.hostname || '';
+	    this.host = h + p;
+	    this.href += this.host;
+	
+	    // strip [ and ] from the hostname
+	    // the host field still retains them, though
+	    if (ipv6Hostname) {
+	      this.hostname = this.hostname.substr(1, this.hostname.length - 2);
+	      if (rest[0] !== '/') {
+	        rest = '/' + rest;
+	      }
+	    }
+	  }
+	
+	  // now rest is set to the post-host stuff.
+	  // chop off any delim chars.
+	  if (!unsafeProtocol[lowerProto]) {
+	
+	    // First, make 100% sure that any "autoEscape" chars get
+	    // escaped, even if encodeURIComponent doesn't think they
+	    // need to be.
+	    for (var i = 0, l = autoEscape.length; i < l; i++) {
+	      var ae = autoEscape[i];
+	      var esc = encodeURIComponent(ae);
+	      if (esc === ae) {
+	        esc = escape(ae);
+	      }
+	      rest = rest.split(ae).join(esc);
+	    }
+	  }
+	
+	
+	  // chop off from the tail first.
+	  var hash = rest.indexOf('#');
+	  if (hash !== -1) {
+	    // got a fragment string.
+	    this.hash = rest.substr(hash);
+	    rest = rest.slice(0, hash);
+	  }
+	  var qm = rest.indexOf('?');
+	  if (qm !== -1) {
+	    this.search = rest.substr(qm);
+	    this.query = rest.substr(qm + 1);
+	    if (parseQueryString) {
+	      this.query = querystring.parse(this.query);
+	    }
+	    rest = rest.slice(0, qm);
+	  } else if (parseQueryString) {
+	    // no query string, but parseQueryString still requested
+	    this.search = '';
+	    this.query = {};
+	  }
+	  if (rest) this.pathname = rest;
+	  if (slashedProtocol[lowerProto] &&
+	      this.hostname && !this.pathname) {
+	    this.pathname = '/';
+	  }
+	
+	  //to support http.request
+	  if (this.pathname || this.search) {
+	    var p = this.pathname || '';
+	    var s = this.search || '';
+	    this.path = p + s;
+	  }
+	
+	  // finally, reconstruct the href based on what has been validated.
+	  this.href = this.format();
+	  return this;
+	};
+	
+	// format a parsed object into a url string
+	function urlFormat(obj) {
+	  // ensure it's an object, and not a string url.
+	  // If it's an obj, this is a no-op.
+	  // this way, you can call url_format() on strings
+	  // to clean up potentially wonky urls.
+	  if (isString(obj)) obj = urlParse(obj);
+	  if (!(obj instanceof Url)) return Url.prototype.format.call(obj);
+	  return obj.format();
+	}
+	
+	Url.prototype.format = function() {
+	  var auth = this.auth || '';
+	  if (auth) {
+	    auth = encodeURIComponent(auth);
+	    auth = auth.replace(/%3A/i, ':');
+	    auth += '@';
+	  }
+	
+	  var protocol = this.protocol || '',
+	      pathname = this.pathname || '',
+	      hash = this.hash || '',
+	      host = false,
+	      query = '';
+	
+	  if (this.host) {
+	    host = auth + this.host;
+	  } else if (this.hostname) {
+	    host = auth + (this.hostname.indexOf(':') === -1 ?
+	        this.hostname :
+	        '[' + this.hostname + ']');
+	    if (this.port) {
+	      host += ':' + this.port;
+	    }
+	  }
+	
+	  if (this.query &&
+	      isObject(this.query) &&
+	      Object.keys(this.query).length) {
+	    query = querystring.stringify(this.query);
+	  }
+	
+	  var search = this.search || (query && ('?' + query)) || '';
+	
+	  if (protocol && protocol.substr(-1) !== ':') protocol += ':';
+	
+	  // only the slashedProtocols get the //.  Not mailto:, xmpp:, etc.
+	  // unless they had them to begin with.
+	  if (this.slashes ||
+	      (!protocol || slashedProtocol[protocol]) && host !== false) {
+	    host = '//' + (host || '');
+	    if (pathname && pathname.charAt(0) !== '/') pathname = '/' + pathname;
+	  } else if (!host) {
+	    host = '';
+	  }
+	
+	  if (hash && hash.charAt(0) !== '#') hash = '#' + hash;
+	  if (search && search.charAt(0) !== '?') search = '?' + search;
+	
+	  pathname = pathname.replace(/[?#]/g, function(match) {
+	    return encodeURIComponent(match);
+	  });
+	  search = search.replace('#', '%23');
+	
+	  return protocol + host + pathname + search + hash;
+	};
+	
+	function urlResolve(source, relative) {
+	  return urlParse(source, false, true).resolve(relative);
+	}
+	
+	Url.prototype.resolve = function(relative) {
+	  return this.resolveObject(urlParse(relative, false, true)).format();
+	};
+	
+	function urlResolveObject(source, relative) {
+	  if (!source) return relative;
+	  return urlParse(source, false, true).resolveObject(relative);
+	}
+	
+	Url.prototype.resolveObject = function(relative) {
+	  if (isString(relative)) {
+	    var rel = new Url();
+	    rel.parse(relative, false, true);
+	    relative = rel;
+	  }
+	
+	  var result = new Url();
+	  Object.keys(this).forEach(function(k) {
+	    result[k] = this[k];
+	  }, this);
+	
+	  // hash is always overridden, no matter what.
+	  // even href="" will remove it.
+	  result.hash = relative.hash;
+	
+	  // if the relative url is empty, then there's nothing left to do here.
+	  if (relative.href === '') {
+	    result.href = result.format();
+	    return result;
+	  }
+	
+	  // hrefs like //foo/bar always cut to the protocol.
+	  if (relative.slashes && !relative.protocol) {
+	    // take everything except the protocol from relative
+	    Object.keys(relative).forEach(function(k) {
+	      if (k !== 'protocol')
+	        result[k] = relative[k];
+	    });
+	
+	    //urlParse appends trailing / to urls like http://www.example.com
+	    if (slashedProtocol[result.protocol] &&
+	        result.hostname && !result.pathname) {
+	      result.path = result.pathname = '/';
+	    }
+	
+	    result.href = result.format();
+	    return result;
+	  }
+	
+	  if (relative.protocol && relative.protocol !== result.protocol) {
+	    // if it's a known url protocol, then changing
+	    // the protocol does weird things
+	    // first, if it's not file:, then we MUST have a host,
+	    // and if there was a path
+	    // to begin with, then we MUST have a path.
+	    // if it is file:, then the host is dropped,
+	    // because that's known to be hostless.
+	    // anything else is assumed to be absolute.
+	    if (!slashedProtocol[relative.protocol]) {
+	      Object.keys(relative).forEach(function(k) {
+	        result[k] = relative[k];
+	      });
+	      result.href = result.format();
+	      return result;
+	    }
+	
+	    result.protocol = relative.protocol;
+	    if (!relative.host && !hostlessProtocol[relative.protocol]) {
+	      var relPath = (relative.pathname || '').split('/');
+	      while (relPath.length && !(relative.host = relPath.shift()));
+	      if (!relative.host) relative.host = '';
+	      if (!relative.hostname) relative.hostname = '';
+	      if (relPath[0] !== '') relPath.unshift('');
+	      if (relPath.length < 2) relPath.unshift('');
+	      result.pathname = relPath.join('/');
+	    } else {
+	      result.pathname = relative.pathname;
+	    }
+	    result.search = relative.search;
+	    result.query = relative.query;
+	    result.host = relative.host || '';
+	    result.auth = relative.auth;
+	    result.hostname = relative.hostname || relative.host;
+	    result.port = relative.port;
+	    // to support http.request
+	    if (result.pathname || result.search) {
+	      var p = result.pathname || '';
+	      var s = result.search || '';
+	      result.path = p + s;
+	    }
+	    result.slashes = result.slashes || relative.slashes;
+	    result.href = result.format();
+	    return result;
+	  }
+	
+	  var isSourceAbs = (result.pathname && result.pathname.charAt(0) === '/'),
+	      isRelAbs = (
+	          relative.host ||
+	          relative.pathname && relative.pathname.charAt(0) === '/'
+	      ),
+	      mustEndAbs = (isRelAbs || isSourceAbs ||
+	                    (result.host && relative.pathname)),
+	      removeAllDots = mustEndAbs,
+	      srcPath = result.pathname && result.pathname.split('/') || [],
+	      relPath = relative.pathname && relative.pathname.split('/') || [],
+	      psychotic = result.protocol && !slashedProtocol[result.protocol];
+	
+	  // if the url is a non-slashed url, then relative
+	  // links like ../.. should be able
+	  // to crawl up to the hostname, as well.  This is strange.
+	  // result.protocol has already been set by now.
+	  // Later on, put the first path part into the host field.
+	  if (psychotic) {
+	    result.hostname = '';
+	    result.port = null;
+	    if (result.host) {
+	      if (srcPath[0] === '') srcPath[0] = result.host;
+	      else srcPath.unshift(result.host);
+	    }
+	    result.host = '';
+	    if (relative.protocol) {
+	      relative.hostname = null;
+	      relative.port = null;
+	      if (relative.host) {
+	        if (relPath[0] === '') relPath[0] = relative.host;
+	        else relPath.unshift(relative.host);
+	      }
+	      relative.host = null;
+	    }
+	    mustEndAbs = mustEndAbs && (relPath[0] === '' || srcPath[0] === '');
+	  }
+	
+	  if (isRelAbs) {
+	    // it's absolute.
+	    result.host = (relative.host || relative.host === '') ?
+	                  relative.host : result.host;
+	    result.hostname = (relative.hostname || relative.hostname === '') ?
+	                      relative.hostname : result.hostname;
+	    result.search = relative.search;
+	    result.query = relative.query;
+	    srcPath = relPath;
+	    // fall through to the dot-handling below.
+	  } else if (relPath.length) {
+	    // it's relative
+	    // throw away the existing file, and take the new path instead.
+	    if (!srcPath) srcPath = [];
+	    srcPath.pop();
+	    srcPath = srcPath.concat(relPath);
+	    result.search = relative.search;
+	    result.query = relative.query;
+	  } else if (!isNullOrUndefined(relative.search)) {
+	    // just pull out the search.
+	    // like href='?foo'.
+	    // Put this after the other two cases because it simplifies the booleans
+	    if (psychotic) {
+	      result.hostname = result.host = srcPath.shift();
+	      //occationaly the auth can get stuck only in host
+	      //this especialy happens in cases like
+	      //url.resolveObject('mailto:local1@domain1', 'local2@domain2')
+	      var authInHost = result.host && result.host.indexOf('@') > 0 ?
+	                       result.host.split('@') : false;
+	      if (authInHost) {
+	        result.auth = authInHost.shift();
+	        result.host = result.hostname = authInHost.shift();
+	      }
+	    }
+	    result.search = relative.search;
+	    result.query = relative.query;
+	    //to support http.request
+	    if (!isNull(result.pathname) || !isNull(result.search)) {
+	      result.path = (result.pathname ? result.pathname : '') +
+	                    (result.search ? result.search : '');
+	    }
+	    result.href = result.format();
+	    return result;
+	  }
+	
+	  if (!srcPath.length) {
+	    // no path at all.  easy.
+	    // we've already handled the other stuff above.
+	    result.pathname = null;
+	    //to support http.request
+	    if (result.search) {
+	      result.path = '/' + result.search;
+	    } else {
+	      result.path = null;
+	    }
+	    result.href = result.format();
+	    return result;
+	  }
+	
+	  // if a url ENDs in . or .., then it must get a trailing slash.
+	  // however, if it ends in anything else non-slashy,
+	  // then it must NOT get a trailing slash.
+	  var last = srcPath.slice(-1)[0];
+	  var hasTrailingSlash = (
+	      (result.host || relative.host) && (last === '.' || last === '..') ||
+	      last === '');
+	
+	  // strip single dots, resolve double dots to parent dir
+	  // if the path tries to go above the root, `up` ends up > 0
+	  var up = 0;
+	  for (var i = srcPath.length; i >= 0; i--) {
+	    last = srcPath[i];
+	    if (last == '.') {
+	      srcPath.splice(i, 1);
+	    } else if (last === '..') {
+	      srcPath.splice(i, 1);
+	      up++;
+	    } else if (up) {
+	      srcPath.splice(i, 1);
+	      up--;
+	    }
+	  }
+	
+	  // if the path is allowed to go above the root, restore leading ..s
+	  if (!mustEndAbs && !removeAllDots) {
+	    for (; up--; up) {
+	      srcPath.unshift('..');
+	    }
+	  }
+	
+	  if (mustEndAbs && srcPath[0] !== '' &&
+	      (!srcPath[0] || srcPath[0].charAt(0) !== '/')) {
+	    srcPath.unshift('');
+	  }
+	
+	  if (hasTrailingSlash && (srcPath.join('/').substr(-1) !== '/')) {
+	    srcPath.push('');
+	  }
+	
+	  var isAbsolute = srcPath[0] === '' ||
+	      (srcPath[0] && srcPath[0].charAt(0) === '/');
+	
+	  // put the host back
+	  if (psychotic) {
+	    result.hostname = result.host = isAbsolute ? '' :
+	                                    srcPath.length ? srcPath.shift() : '';
+	    //occationaly the auth can get stuck only in host
+	    //this especialy happens in cases like
+	    //url.resolveObject('mailto:local1@domain1', 'local2@domain2')
+	    var authInHost = result.host && result.host.indexOf('@') > 0 ?
+	                     result.host.split('@') : false;
+	    if (authInHost) {
+	      result.auth = authInHost.shift();
+	      result.host = result.hostname = authInHost.shift();
+	    }
+	  }
+	
+	  mustEndAbs = mustEndAbs || (result.host && srcPath.length);
+	
+	  if (mustEndAbs && !isAbsolute) {
+	    srcPath.unshift('');
+	  }
+	
+	  if (!srcPath.length) {
+	    result.pathname = null;
+	    result.path = null;
+	  } else {
+	    result.pathname = srcPath.join('/');
+	  }
+	
+	  //to support request.http
+	  if (!isNull(result.pathname) || !isNull(result.search)) {
+	    result.path = (result.pathname ? result.pathname : '') +
+	                  (result.search ? result.search : '');
+	  }
+	  result.auth = relative.auth || result.auth;
+	  result.slashes = result.slashes || relative.slashes;
+	  result.href = result.format();
+	  return result;
+	};
+	
+	Url.prototype.parseHost = function() {
+	  var host = this.host;
+	  var port = portPattern.exec(host);
+	  if (port) {
+	    port = port[0];
+	    if (port !== ':') {
+	      this.port = port.substr(1);
+	    }
+	    host = host.substr(0, host.length - port.length);
+	  }
+	  if (host) this.hostname = host;
+	};
+	
+	function isString(arg) {
+	  return typeof arg === "string";
+	}
+	
+	function isObject(arg) {
+	  return typeof arg === 'object' && arg !== null;
+	}
+	
+	function isNull(arg) {
+	  return arg === null;
+	}
+	function isNullOrUndefined(arg) {
+	  return  arg == null;
+	}
+
+
+/***/ },
+/* 373 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* WEBPACK VAR INJECTION */(function(module, global) {/*! https://mths.be/punycode v1.3.2 by @mathias */
+	;(function(root) {
+	
+		/** Detect free variables */
+		var freeExports = typeof exports == 'object' && exports &&
+			!exports.nodeType && exports;
+		var freeModule = typeof module == 'object' && module &&
+			!module.nodeType && module;
+		var freeGlobal = typeof global == 'object' && global;
+		if (
+			freeGlobal.global === freeGlobal ||
+			freeGlobal.window === freeGlobal ||
+			freeGlobal.self === freeGlobal
+		) {
+			root = freeGlobal;
+		}
+	
+		/**
+		 * The `punycode` object.
+		 * @name punycode
+		 * @type Object
+		 */
+		var punycode,
+	
+		/** Highest positive signed 32-bit float value */
+		maxInt = 2147483647, // aka. 0x7FFFFFFF or 2^31-1
+	
+		/** Bootstring parameters */
+		base = 36,
+		tMin = 1,
+		tMax = 26,
+		skew = 38,
+		damp = 700,
+		initialBias = 72,
+		initialN = 128, // 0x80
+		delimiter = '-', // '\x2D'
+	
+		/** Regular expressions */
+		regexPunycode = /^xn--/,
+		regexNonASCII = /[^\x20-\x7E]/, // unprintable ASCII chars + non-ASCII chars
+		regexSeparators = /[\x2E\u3002\uFF0E\uFF61]/g, // RFC 3490 separators
+	
+		/** Error messages */
+		errors = {
+			'overflow': 'Overflow: input needs wider integers to process',
+			'not-basic': 'Illegal input >= 0x80 (not a basic code point)',
+			'invalid-input': 'Invalid input'
+		},
+	
+		/** Convenience shortcuts */
+		baseMinusTMin = base - tMin,
+		floor = Math.floor,
+		stringFromCharCode = String.fromCharCode,
+	
+		/** Temporary variable */
+		key;
+	
+		/*--------------------------------------------------------------------------*/
+	
+		/**
+		 * A generic error utility function.
+		 * @private
+		 * @param {String} type The error type.
+		 * @returns {Error} Throws a `RangeError` with the applicable error message.
+		 */
+		function error(type) {
+			throw RangeError(errors[type]);
+		}
+	
+		/**
+		 * A generic `Array#map` utility function.
+		 * @private
+		 * @param {Array} array The array to iterate over.
+		 * @param {Function} callback The function that gets called for every array
+		 * item.
+		 * @returns {Array} A new array of values returned by the callback function.
+		 */
+		function map(array, fn) {
+			var length = array.length;
+			var result = [];
+			while (length--) {
+				result[length] = fn(array[length]);
+			}
+			return result;
+		}
+	
+		/**
+		 * A simple `Array#map`-like wrapper to work with domain name strings or email
+		 * addresses.
+		 * @private
+		 * @param {String} domain The domain name or email address.
+		 * @param {Function} callback The function that gets called for every
+		 * character.
+		 * @returns {Array} A new string of characters returned by the callback
+		 * function.
+		 */
+		function mapDomain(string, fn) {
+			var parts = string.split('@');
+			var result = '';
+			if (parts.length > 1) {
+				// In email addresses, only the domain name should be punycoded. Leave
+				// the local part (i.e. everything up to `@`) intact.
+				result = parts[0] + '@';
+				string = parts[1];
+			}
+			// Avoid `split(regex)` for IE8 compatibility. See #17.
+			string = string.replace(regexSeparators, '\x2E');
+			var labels = string.split('.');
+			var encoded = map(labels, fn).join('.');
+			return result + encoded;
+		}
+	
+		/**
+		 * Creates an array containing the numeric code points of each Unicode
+		 * character in the string. While JavaScript uses UCS-2 internally,
+		 * this function will convert a pair of surrogate halves (each of which
+		 * UCS-2 exposes as separate characters) into a single code point,
+		 * matching UTF-16.
+		 * @see `punycode.ucs2.encode`
+		 * @see <https://mathiasbynens.be/notes/javascript-encoding>
+		 * @memberOf punycode.ucs2
+		 * @name decode
+		 * @param {String} string The Unicode input string (UCS-2).
+		 * @returns {Array} The new array of code points.
+		 */
+		function ucs2decode(string) {
+			var output = [],
+			    counter = 0,
+			    length = string.length,
+			    value,
+			    extra;
+			while (counter < length) {
+				value = string.charCodeAt(counter++);
+				if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
+					// high surrogate, and there is a next character
+					extra = string.charCodeAt(counter++);
+					if ((extra & 0xFC00) == 0xDC00) { // low surrogate
+						output.push(((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000);
+					} else {
+						// unmatched surrogate; only append this code unit, in case the next
+						// code unit is the high surrogate of a surrogate pair
+						output.push(value);
+						counter--;
+					}
+				} else {
+					output.push(value);
+				}
+			}
+			return output;
+		}
+	
+		/**
+		 * Creates a string based on an array of numeric code points.
+		 * @see `punycode.ucs2.decode`
+		 * @memberOf punycode.ucs2
+		 * @name encode
+		 * @param {Array} codePoints The array of numeric code points.
+		 * @returns {String} The new Unicode string (UCS-2).
+		 */
+		function ucs2encode(array) {
+			return map(array, function(value) {
+				var output = '';
+				if (value > 0xFFFF) {
+					value -= 0x10000;
+					output += stringFromCharCode(value >>> 10 & 0x3FF | 0xD800);
+					value = 0xDC00 | value & 0x3FF;
+				}
+				output += stringFromCharCode(value);
+				return output;
+			}).join('');
+		}
+	
+		/**
+		 * Converts a basic code point into a digit/integer.
+		 * @see `digitToBasic()`
+		 * @private
+		 * @param {Number} codePoint The basic numeric code point value.
+		 * @returns {Number} The numeric value of a basic code point (for use in
+		 * representing integers) in the range `0` to `base - 1`, or `base` if
+		 * the code point does not represent a value.
+		 */
+		function basicToDigit(codePoint) {
+			if (codePoint - 48 < 10) {
+				return codePoint - 22;
+			}
+			if (codePoint - 65 < 26) {
+				return codePoint - 65;
+			}
+			if (codePoint - 97 < 26) {
+				return codePoint - 97;
+			}
+			return base;
+		}
+	
+		/**
+		 * Converts a digit/integer into a basic code point.
+		 * @see `basicToDigit()`
+		 * @private
+		 * @param {Number} digit The numeric value of a basic code point.
+		 * @returns {Number} The basic code point whose value (when used for
+		 * representing integers) is `digit`, which needs to be in the range
+		 * `0` to `base - 1`. If `flag` is non-zero, the uppercase form is
+		 * used; else, the lowercase form is used. The behavior is undefined
+		 * if `flag` is non-zero and `digit` has no uppercase form.
+		 */
+		function digitToBasic(digit, flag) {
+			//  0..25 map to ASCII a..z or A..Z
+			// 26..35 map to ASCII 0..9
+			return digit + 22 + 75 * (digit < 26) - ((flag != 0) << 5);
+		}
+	
+		/**
+		 * Bias adaptation function as per section 3.4 of RFC 3492.
+		 * http://tools.ietf.org/html/rfc3492#section-3.4
+		 * @private
+		 */
+		function adapt(delta, numPoints, firstTime) {
+			var k = 0;
+			delta = firstTime ? floor(delta / damp) : delta >> 1;
+			delta += floor(delta / numPoints);
+			for (/* no initialization */; delta > baseMinusTMin * tMax >> 1; k += base) {
+				delta = floor(delta / baseMinusTMin);
+			}
+			return floor(k + (baseMinusTMin + 1) * delta / (delta + skew));
+		}
+	
+		/**
+		 * Converts a Punycode string of ASCII-only symbols to a string of Unicode
+		 * symbols.
+		 * @memberOf punycode
+		 * @param {String} input The Punycode string of ASCII-only symbols.
+		 * @returns {String} The resulting string of Unicode symbols.
+		 */
+		function decode(input) {
+			// Don't use UCS-2
+			var output = [],
+			    inputLength = input.length,
+			    out,
+			    i = 0,
+			    n = initialN,
+			    bias = initialBias,
+			    basic,
+			    j,
+			    index,
+			    oldi,
+			    w,
+			    k,
+			    digit,
+			    t,
+			    /** Cached calculation results */
+			    baseMinusT;
+	
+			// Handle the basic code points: let `basic` be the number of input code
+			// points before the last delimiter, or `0` if there is none, then copy
+			// the first basic code points to the output.
+	
+			basic = input.lastIndexOf(delimiter);
+			if (basic < 0) {
+				basic = 0;
+			}
+	
+			for (j = 0; j < basic; ++j) {
+				// if it's not a basic code point
+				if (input.charCodeAt(j) >= 0x80) {
+					error('not-basic');
+				}
+				output.push(input.charCodeAt(j));
+			}
+	
+			// Main decoding loop: start just after the last delimiter if any basic code
+			// points were copied; start at the beginning otherwise.
+	
+			for (index = basic > 0 ? basic + 1 : 0; index < inputLength; /* no final expression */) {
+	
+				// `index` is the index of the next character to be consumed.
+				// Decode a generalized variable-length integer into `delta`,
+				// which gets added to `i`. The overflow checking is easier
+				// if we increase `i` as we go, then subtract off its starting
+				// value at the end to obtain `delta`.
+				for (oldi = i, w = 1, k = base; /* no condition */; k += base) {
+	
+					if (index >= inputLength) {
+						error('invalid-input');
+					}
+	
+					digit = basicToDigit(input.charCodeAt(index++));
+	
+					if (digit >= base || digit > floor((maxInt - i) / w)) {
+						error('overflow');
+					}
+	
+					i += digit * w;
+					t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+	
+					if (digit < t) {
+						break;
+					}
+	
+					baseMinusT = base - t;
+					if (w > floor(maxInt / baseMinusT)) {
+						error('overflow');
+					}
+	
+					w *= baseMinusT;
+	
+				}
+	
+				out = output.length + 1;
+				bias = adapt(i - oldi, out, oldi == 0);
+	
+				// `i` was supposed to wrap around from `out` to `0`,
+				// incrementing `n` each time, so we'll fix that now:
+				if (floor(i / out) > maxInt - n) {
+					error('overflow');
+				}
+	
+				n += floor(i / out);
+				i %= out;
+	
+				// Insert `n` at position `i` of the output
+				output.splice(i++, 0, n);
+	
+			}
+	
+			return ucs2encode(output);
+		}
+	
+		/**
+		 * Converts a string of Unicode symbols (e.g. a domain name label) to a
+		 * Punycode string of ASCII-only symbols.
+		 * @memberOf punycode
+		 * @param {String} input The string of Unicode symbols.
+		 * @returns {String} The resulting Punycode string of ASCII-only symbols.
+		 */
+		function encode(input) {
+			var n,
+			    delta,
+			    handledCPCount,
+			    basicLength,
+			    bias,
+			    j,
+			    m,
+			    q,
+			    k,
+			    t,
+			    currentValue,
+			    output = [],
+			    /** `inputLength` will hold the number of code points in `input`. */
+			    inputLength,
+			    /** Cached calculation results */
+			    handledCPCountPlusOne,
+			    baseMinusT,
+			    qMinusT;
+	
+			// Convert the input in UCS-2 to Unicode
+			input = ucs2decode(input);
+	
+			// Cache the length
+			inputLength = input.length;
+	
+			// Initialize the state
+			n = initialN;
+			delta = 0;
+			bias = initialBias;
+	
+			// Handle the basic code points
+			for (j = 0; j < inputLength; ++j) {
+				currentValue = input[j];
+				if (currentValue < 0x80) {
+					output.push(stringFromCharCode(currentValue));
+				}
+			}
+	
+			handledCPCount = basicLength = output.length;
+	
+			// `handledCPCount` is the number of code points that have been handled;
+			// `basicLength` is the number of basic code points.
+	
+			// Finish the basic string - if it is not empty - with a delimiter
+			if (basicLength) {
+				output.push(delimiter);
+			}
+	
+			// Main encoding loop:
+			while (handledCPCount < inputLength) {
+	
+				// All non-basic code points < n have been handled already. Find the next
+				// larger one:
+				for (m = maxInt, j = 0; j < inputLength; ++j) {
+					currentValue = input[j];
+					if (currentValue >= n && currentValue < m) {
+						m = currentValue;
+					}
+				}
+	
+				// Increase `delta` enough to advance the decoder's <n,i> state to <m,0>,
+				// but guard against overflow
+				handledCPCountPlusOne = handledCPCount + 1;
+				if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) {
+					error('overflow');
+				}
+	
+				delta += (m - n) * handledCPCountPlusOne;
+				n = m;
+	
+				for (j = 0; j < inputLength; ++j) {
+					currentValue = input[j];
+	
+					if (currentValue < n && ++delta > maxInt) {
+						error('overflow');
+					}
+	
+					if (currentValue == n) {
+						// Represent delta as a generalized variable-length integer
+						for (q = delta, k = base; /* no condition */; k += base) {
+							t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+							if (q < t) {
+								break;
+							}
+							qMinusT = q - t;
+							baseMinusT = base - t;
+							output.push(
+								stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT, 0))
+							);
+							q = floor(qMinusT / baseMinusT);
+						}
+	
+						output.push(stringFromCharCode(digitToBasic(q, 0)));
+						bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength);
+						delta = 0;
+						++handledCPCount;
+					}
+				}
+	
+				++delta;
+				++n;
+	
+			}
+			return output.join('');
+		}
+	
+		/**
+		 * Converts a Punycode string representing a domain name or an email address
+		 * to Unicode. Only the Punycoded parts of the input will be converted, i.e.
+		 * it doesn't matter if you call it on a string that has already been
+		 * converted to Unicode.
+		 * @memberOf punycode
+		 * @param {String} input The Punycoded domain name or email address to
+		 * convert to Unicode.
+		 * @returns {String} The Unicode representation of the given Punycode
+		 * string.
+		 */
+		function toUnicode(input) {
+			return mapDomain(input, function(string) {
+				return regexPunycode.test(string)
+					? decode(string.slice(4).toLowerCase())
+					: string;
+			});
+		}
+	
+		/**
+		 * Converts a Unicode string representing a domain name or an email address to
+		 * Punycode. Only the non-ASCII parts of the domain name will be converted,
+		 * i.e. it doesn't matter if you call it with a domain that's already in
+		 * ASCII.
+		 * @memberOf punycode
+		 * @param {String} input The domain name or email address to convert, as a
+		 * Unicode string.
+		 * @returns {String} The Punycode representation of the given domain name or
+		 * email address.
+		 */
+		function toASCII(input) {
+			return mapDomain(input, function(string) {
+				return regexNonASCII.test(string)
+					? 'xn--' + encode(string)
+					: string;
+			});
+		}
+	
+		/*--------------------------------------------------------------------------*/
+	
+		/** Define the public API */
+		punycode = {
+			/**
+			 * A string representing the current Punycode.js version number.
+			 * @memberOf punycode
+			 * @type String
+			 */
+			'version': '1.3.2',
+			/**
+			 * An object of methods to convert from JavaScript's internal character
+			 * representation (UCS-2) to Unicode code points, and back.
+			 * @see <https://mathiasbynens.be/notes/javascript-encoding>
+			 * @memberOf punycode
+			 * @type Object
+			 */
+			'ucs2': {
+				'decode': ucs2decode,
+				'encode': ucs2encode
+			},
+			'decode': decode,
+			'encode': encode,
+			'toASCII': toASCII,
+			'toUnicode': toUnicode
+		};
+	
+		/** Expose `punycode` */
+		// Some AMD build optimizers, like r.js, check for specific condition patterns
+		// like the following:
+		if (
+			true
+		) {
+			!(__WEBPACK_AMD_DEFINE_RESULT__ = function() {
+				return punycode;
+			}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+		} else if (freeExports && freeModule) {
+			if (module.exports == freeExports) { // in Node.js or RingoJS v0.8.0+
+				freeModule.exports = punycode;
+			} else { // in Narwhal or RingoJS v0.7.0-
+				for (key in punycode) {
+					punycode.hasOwnProperty(key) && (freeExports[key] = punycode[key]);
+				}
+			}
+		} else { // in Rhino or a web browser
+			root.punycode = punycode;
+		}
+	
+	}(this));
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module), (function() { return this; }())))
+
+/***/ },
+/* 374 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	exports.decode = exports.parse = __webpack_require__(375);
+	exports.encode = exports.stringify = __webpack_require__(376);
+
+
+/***/ },
+/* 375 */
+/***/ function(module, exports) {
+
+	// Copyright Joyent, Inc. and other Node contributors.
+	//
+	// Permission is hereby granted, free of charge, to any person obtaining a
+	// copy of this software and associated documentation files (the
+	// "Software"), to deal in the Software without restriction, including
+	// without limitation the rights to use, copy, modify, merge, publish,
+	// distribute, sublicense, and/or sell copies of the Software, and to permit
+	// persons to whom the Software is furnished to do so, subject to the
+	// following conditions:
+	//
+	// The above copyright notice and this permission notice shall be included
+	// in all copies or substantial portions of the Software.
+	//
+	// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+	// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+	// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+	// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+	// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+	// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+	// USE OR OTHER DEALINGS IN THE SOFTWARE.
+	
+	'use strict';
+	
+	// If obj.hasOwnProperty has been overridden, then calling
+	// obj.hasOwnProperty(prop) will break.
+	// See: https://github.com/joyent/node/issues/1707
+	function hasOwnProperty(obj, prop) {
+	  return Object.prototype.hasOwnProperty.call(obj, prop);
+	}
+	
+	module.exports = function(qs, sep, eq, options) {
+	  sep = sep || '&';
+	  eq = eq || '=';
+	  var obj = {};
+	
+	  if (typeof qs !== 'string' || qs.length === 0) {
+	    return obj;
+	  }
+	
+	  var regexp = /\+/g;
+	  qs = qs.split(sep);
+	
+	  var maxKeys = 1000;
+	  if (options && typeof options.maxKeys === 'number') {
+	    maxKeys = options.maxKeys;
+	  }
+	
+	  var len = qs.length;
+	  // maxKeys <= 0 means that we should not limit keys count
+	  if (maxKeys > 0 && len > maxKeys) {
+	    len = maxKeys;
+	  }
+	
+	  for (var i = 0; i < len; ++i) {
+	    var x = qs[i].replace(regexp, '%20'),
+	        idx = x.indexOf(eq),
+	        kstr, vstr, k, v;
+	
+	    if (idx >= 0) {
+	      kstr = x.substr(0, idx);
+	      vstr = x.substr(idx + 1);
+	    } else {
+	      kstr = x;
+	      vstr = '';
+	    }
+	
+	    k = decodeURIComponent(kstr);
+	    v = decodeURIComponent(vstr);
+	
+	    if (!hasOwnProperty(obj, k)) {
+	      obj[k] = v;
+	    } else if (Array.isArray(obj[k])) {
+	      obj[k].push(v);
+	    } else {
+	      obj[k] = [obj[k], v];
+	    }
+	  }
+	
+	  return obj;
+	};
+
+
+/***/ },
+/* 376 */
+/***/ function(module, exports) {
+
+	// Copyright Joyent, Inc. and other Node contributors.
+	//
+	// Permission is hereby granted, free of charge, to any person obtaining a
+	// copy of this software and associated documentation files (the
+	// "Software"), to deal in the Software without restriction, including
+	// without limitation the rights to use, copy, modify, merge, publish,
+	// distribute, sublicense, and/or sell copies of the Software, and to permit
+	// persons to whom the Software is furnished to do so, subject to the
+	// following conditions:
+	//
+	// The above copyright notice and this permission notice shall be included
+	// in all copies or substantial portions of the Software.
+	//
+	// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+	// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+	// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+	// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+	// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+	// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+	// USE OR OTHER DEALINGS IN THE SOFTWARE.
+	
+	'use strict';
+	
+	var stringifyPrimitive = function(v) {
+	  switch (typeof v) {
+	    case 'string':
+	      return v;
+	
+	    case 'boolean':
+	      return v ? 'true' : 'false';
+	
+	    case 'number':
+	      return isFinite(v) ? v : '';
+	
+	    default:
+	      return '';
+	  }
+	};
+	
+	module.exports = function(obj, sep, eq, name) {
+	  sep = sep || '&';
+	  eq = eq || '=';
+	  if (obj === null) {
+	    obj = undefined;
+	  }
+	
+	  if (typeof obj === 'object') {
+	    return Object.keys(obj).map(function(k) {
+	      var ks = encodeURIComponent(stringifyPrimitive(k)) + eq;
+	      if (Array.isArray(obj[k])) {
+	        return obj[k].map(function(v) {
+	          return ks + encodeURIComponent(stringifyPrimitive(v));
+	        }).join(sep);
+	      } else {
+	        return ks + encodeURIComponent(stringifyPrimitive(obj[k]));
+	      }
+	    }).join(sep);
+	
+	  }
+	
+	  if (!name) return '';
+	  return encodeURIComponent(stringifyPrimitive(name)) + eq +
+	         encodeURIComponent(stringifyPrimitive(obj));
+	};
+
+
+/***/ },
+/* 377 */
+/***/ function(module, exports, __webpack_require__) {
+
+	(function(){
+	  var crypt = __webpack_require__(378),
+	      utf8 = __webpack_require__(379).utf8,
+	      isBuffer = __webpack_require__(380),
+	      bin = __webpack_require__(379).bin,
+	
+	  // The core
+	  md5 = function (message, options) {
+	    // Convert to byte array
+	    if (message.constructor == String)
+	      if (options && options.encoding === 'binary')
+	        message = bin.stringToBytes(message);
+	      else
+	        message = utf8.stringToBytes(message);
+	    else if (isBuffer(message))
+	      message = Array.prototype.slice.call(message, 0);
+	    else if (!Array.isArray(message))
+	      message = message.toString();
+	    // else, assume byte array already
+	
+	    var m = crypt.bytesToWords(message),
+	        l = message.length * 8,
+	        a =  1732584193,
+	        b = -271733879,
+	        c = -1732584194,
+	        d =  271733878;
+	
+	    // Swap endian
+	    for (var i = 0; i < m.length; i++) {
+	      m[i] = ((m[i] <<  8) | (m[i] >>> 24)) & 0x00FF00FF |
+	             ((m[i] << 24) | (m[i] >>>  8)) & 0xFF00FF00;
+	    }
+	
+	    // Padding
+	    m[l >>> 5] |= 0x80 << (l % 32);
+	    m[(((l + 64) >>> 9) << 4) + 14] = l;
+	
+	    // Method shortcuts
+	    var FF = md5._ff,
+	        GG = md5._gg,
+	        HH = md5._hh,
+	        II = md5._ii;
+	
+	    for (var i = 0; i < m.length; i += 16) {
+	
+	      var aa = a,
+	          bb = b,
+	          cc = c,
+	          dd = d;
+	
+	      a = FF(a, b, c, d, m[i+ 0],  7, -680876936);
+	      d = FF(d, a, b, c, m[i+ 1], 12, -389564586);
+	      c = FF(c, d, a, b, m[i+ 2], 17,  606105819);
+	      b = FF(b, c, d, a, m[i+ 3], 22, -1044525330);
+	      a = FF(a, b, c, d, m[i+ 4],  7, -176418897);
+	      d = FF(d, a, b, c, m[i+ 5], 12,  1200080426);
+	      c = FF(c, d, a, b, m[i+ 6], 17, -1473231341);
+	      b = FF(b, c, d, a, m[i+ 7], 22, -45705983);
+	      a = FF(a, b, c, d, m[i+ 8],  7,  1770035416);
+	      d = FF(d, a, b, c, m[i+ 9], 12, -1958414417);
+	      c = FF(c, d, a, b, m[i+10], 17, -42063);
+	      b = FF(b, c, d, a, m[i+11], 22, -1990404162);
+	      a = FF(a, b, c, d, m[i+12],  7,  1804603682);
+	      d = FF(d, a, b, c, m[i+13], 12, -40341101);
+	      c = FF(c, d, a, b, m[i+14], 17, -1502002290);
+	      b = FF(b, c, d, a, m[i+15], 22,  1236535329);
+	
+	      a = GG(a, b, c, d, m[i+ 1],  5, -165796510);
+	      d = GG(d, a, b, c, m[i+ 6],  9, -1069501632);
+	      c = GG(c, d, a, b, m[i+11], 14,  643717713);
+	      b = GG(b, c, d, a, m[i+ 0], 20, -373897302);
+	      a = GG(a, b, c, d, m[i+ 5],  5, -701558691);
+	      d = GG(d, a, b, c, m[i+10],  9,  38016083);
+	      c = GG(c, d, a, b, m[i+15], 14, -660478335);
+	      b = GG(b, c, d, a, m[i+ 4], 20, -405537848);
+	      a = GG(a, b, c, d, m[i+ 9],  5,  568446438);
+	      d = GG(d, a, b, c, m[i+14],  9, -1019803690);
+	      c = GG(c, d, a, b, m[i+ 3], 14, -187363961);
+	      b = GG(b, c, d, a, m[i+ 8], 20,  1163531501);
+	      a = GG(a, b, c, d, m[i+13],  5, -1444681467);
+	      d = GG(d, a, b, c, m[i+ 2],  9, -51403784);
+	      c = GG(c, d, a, b, m[i+ 7], 14,  1735328473);
+	      b = GG(b, c, d, a, m[i+12], 20, -1926607734);
+	
+	      a = HH(a, b, c, d, m[i+ 5],  4, -378558);
+	      d = HH(d, a, b, c, m[i+ 8], 11, -2022574463);
+	      c = HH(c, d, a, b, m[i+11], 16,  1839030562);
+	      b = HH(b, c, d, a, m[i+14], 23, -35309556);
+	      a = HH(a, b, c, d, m[i+ 1],  4, -1530992060);
+	      d = HH(d, a, b, c, m[i+ 4], 11,  1272893353);
+	      c = HH(c, d, a, b, m[i+ 7], 16, -155497632);
+	      b = HH(b, c, d, a, m[i+10], 23, -1094730640);
+	      a = HH(a, b, c, d, m[i+13],  4,  681279174);
+	      d = HH(d, a, b, c, m[i+ 0], 11, -358537222);
+	      c = HH(c, d, a, b, m[i+ 3], 16, -722521979);
+	      b = HH(b, c, d, a, m[i+ 6], 23,  76029189);
+	      a = HH(a, b, c, d, m[i+ 9],  4, -640364487);
+	      d = HH(d, a, b, c, m[i+12], 11, -421815835);
+	      c = HH(c, d, a, b, m[i+15], 16,  530742520);
+	      b = HH(b, c, d, a, m[i+ 2], 23, -995338651);
+	
+	      a = II(a, b, c, d, m[i+ 0],  6, -198630844);
+	      d = II(d, a, b, c, m[i+ 7], 10,  1126891415);
+	      c = II(c, d, a, b, m[i+14], 15, -1416354905);
+	      b = II(b, c, d, a, m[i+ 5], 21, -57434055);
+	      a = II(a, b, c, d, m[i+12],  6,  1700485571);
+	      d = II(d, a, b, c, m[i+ 3], 10, -1894986606);
+	      c = II(c, d, a, b, m[i+10], 15, -1051523);
+	      b = II(b, c, d, a, m[i+ 1], 21, -2054922799);
+	      a = II(a, b, c, d, m[i+ 8],  6,  1873313359);
+	      d = II(d, a, b, c, m[i+15], 10, -30611744);
+	      c = II(c, d, a, b, m[i+ 6], 15, -1560198380);
+	      b = II(b, c, d, a, m[i+13], 21,  1309151649);
+	      a = II(a, b, c, d, m[i+ 4],  6, -145523070);
+	      d = II(d, a, b, c, m[i+11], 10, -1120210379);
+	      c = II(c, d, a, b, m[i+ 2], 15,  718787259);
+	      b = II(b, c, d, a, m[i+ 9], 21, -343485551);
+	
+	      a = (a + aa) >>> 0;
+	      b = (b + bb) >>> 0;
+	      c = (c + cc) >>> 0;
+	      d = (d + dd) >>> 0;
+	    }
+	
+	    return crypt.endian([a, b, c, d]);
+	  };
+	
+	  // Auxiliary functions
+	  md5._ff  = function (a, b, c, d, x, s, t) {
+	    var n = a + (b & c | ~b & d) + (x >>> 0) + t;
+	    return ((n << s) | (n >>> (32 - s))) + b;
+	  };
+	  md5._gg  = function (a, b, c, d, x, s, t) {
+	    var n = a + (b & d | c & ~d) + (x >>> 0) + t;
+	    return ((n << s) | (n >>> (32 - s))) + b;
+	  };
+	  md5._hh  = function (a, b, c, d, x, s, t) {
+	    var n = a + (b ^ c ^ d) + (x >>> 0) + t;
+	    return ((n << s) | (n >>> (32 - s))) + b;
+	  };
+	  md5._ii  = function (a, b, c, d, x, s, t) {
+	    var n = a + (c ^ (b | ~d)) + (x >>> 0) + t;
+	    return ((n << s) | (n >>> (32 - s))) + b;
+	  };
+	
+	  // Package private blocksize
+	  md5._blocksize = 16;
+	  md5._digestsize = 16;
+	
+	  module.exports = function (message, options) {
+	    if (message === undefined || message === null)
+	      throw new Error('Illegal argument ' + message);
+	
+	    var digestbytes = crypt.wordsToBytes(md5(message, options));
+	    return options && options.asBytes ? digestbytes :
+	        options && options.asString ? bin.bytesToString(digestbytes) :
+	        crypt.bytesToHex(digestbytes);
+	  };
+	
+	})();
+
+
+/***/ },
+/* 378 */
+/***/ function(module, exports) {
+
+	(function() {
+	  var base64map
+	      = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/',
+	
+	  crypt = {
+	    // Bit-wise rotation left
+	    rotl: function(n, b) {
+	      return (n << b) | (n >>> (32 - b));
+	    },
+	
+	    // Bit-wise rotation right
+	    rotr: function(n, b) {
+	      return (n << (32 - b)) | (n >>> b);
+	    },
+	
+	    // Swap big-endian to little-endian and vice versa
+	    endian: function(n) {
+	      // If number given, swap endian
+	      if (n.constructor == Number) {
+	        return crypt.rotl(n, 8) & 0x00FF00FF | crypt.rotl(n, 24) & 0xFF00FF00;
+	      }
+	
+	      // Else, assume array and swap all items
+	      for (var i = 0; i < n.length; i++)
+	        n[i] = crypt.endian(n[i]);
+	      return n;
+	    },
+	
+	    // Generate an array of any length of random bytes
+	    randomBytes: function(n) {
+	      for (var bytes = []; n > 0; n--)
+	        bytes.push(Math.floor(Math.random() * 256));
+	      return bytes;
+	    },
+	
+	    // Convert a byte array to big-endian 32-bit words
+	    bytesToWords: function(bytes) {
+	      for (var words = [], i = 0, b = 0; i < bytes.length; i++, b += 8)
+	        words[b >>> 5] |= bytes[i] << (24 - b % 32);
+	      return words;
+	    },
+	
+	    // Convert big-endian 32-bit words to a byte array
+	    wordsToBytes: function(words) {
+	      for (var bytes = [], b = 0; b < words.length * 32; b += 8)
+	        bytes.push((words[b >>> 5] >>> (24 - b % 32)) & 0xFF);
+	      return bytes;
+	    },
+	
+	    // Convert a byte array to a hex string
+	    bytesToHex: function(bytes) {
+	      for (var hex = [], i = 0; i < bytes.length; i++) {
+	        hex.push((bytes[i] >>> 4).toString(16));
+	        hex.push((bytes[i] & 0xF).toString(16));
+	      }
+	      return hex.join('');
+	    },
+	
+	    // Convert a hex string to a byte array
+	    hexToBytes: function(hex) {
+	      for (var bytes = [], c = 0; c < hex.length; c += 2)
+	        bytes.push(parseInt(hex.substr(c, 2), 16));
+	      return bytes;
+	    },
+	
+	    // Convert a byte array to a base-64 string
+	    bytesToBase64: function(bytes) {
+	      for (var base64 = [], i = 0; i < bytes.length; i += 3) {
+	        var triplet = (bytes[i] << 16) | (bytes[i + 1] << 8) | bytes[i + 2];
+	        for (var j = 0; j < 4; j++)
+	          if (i * 8 + j * 6 <= bytes.length * 8)
+	            base64.push(base64map.charAt((triplet >>> 6 * (3 - j)) & 0x3F));
+	          else
+	            base64.push('=');
+	      }
+	      return base64.join('');
+	    },
+	
+	    // Convert a base-64 string to a byte array
+	    base64ToBytes: function(base64) {
+	      // Remove non-base-64 characters
+	      base64 = base64.replace(/[^A-Z0-9+\/]/ig, '');
+	
+	      for (var bytes = [], i = 0, imod4 = 0; i < base64.length;
+	          imod4 = ++i % 4) {
+	        if (imod4 == 0) continue;
+	        bytes.push(((base64map.indexOf(base64.charAt(i - 1))
+	            & (Math.pow(2, -2 * imod4 + 8) - 1)) << (imod4 * 2))
+	            | (base64map.indexOf(base64.charAt(i)) >>> (6 - imod4 * 2)));
+	      }
+	      return bytes;
+	    }
+	  };
+	
+	  module.exports = crypt;
+	})();
+
+
+/***/ },
+/* 379 */
+/***/ function(module, exports) {
+
+	var charenc = {
+	  // UTF-8 encoding
+	  utf8: {
+	    // Convert a string to a byte array
+	    stringToBytes: function(str) {
+	      return charenc.bin.stringToBytes(unescape(encodeURIComponent(str)));
+	    },
+	
+	    // Convert a byte array to a string
+	    bytesToString: function(bytes) {
+	      return decodeURIComponent(escape(charenc.bin.bytesToString(bytes)));
+	    }
+	  },
+	
+	  // Binary encoding
+	  bin: {
+	    // Convert a string to a byte array
+	    stringToBytes: function(str) {
+	      for (var bytes = [], i = 0; i < str.length; i++)
+	        bytes.push(str.charCodeAt(i) & 0xFF);
+	      return bytes;
+	    },
+	
+	    // Convert a byte array to a string
+	    bytesToString: function(bytes) {
+	      for (var str = [], i = 0; i < bytes.length; i++)
+	        str.push(String.fromCharCode(bytes[i]));
+	      return str.join('');
+	    }
+	  }
+	};
+	
+	module.exports = charenc;
+
+
+/***/ },
+/* 380 */
+/***/ function(module, exports) {
+
+	/*!
+	 * Determine if an object is a Buffer
+	 *
+	 * @author   Feross Aboukhadijeh <feross@feross.org> <http://feross.org>
+	 * @license  MIT
+	 */
+	
+	// The _isBuffer check is for Safari 5-7 support, because it's missing
+	// Object.prototype.constructor. Remove this eventually
+	module.exports = function (obj) {
+	  return obj != null && (isBuffer(obj) || isSlowBuffer(obj) || !!obj._isBuffer)
+	}
+	
+	function isBuffer (obj) {
+	  return !!obj.constructor && typeof obj.constructor.isBuffer === 'function' && obj.constructor.isBuffer(obj)
+	}
+	
+	// For Node v0.10 support. Remove this eventually.
+	function isSlowBuffer (obj) {
+	  return typeof obj.readFloatLE === 'function' && typeof obj.slice === 'function' && isBuffer(obj.slice(0, 0))
+	}
+
+
+/***/ },
+/* 381 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/*
+	 * Copyright 2009-2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE.txt or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	exports.SourceMapGenerator = __webpack_require__(382).SourceMapGenerator;
+	exports.SourceMapConsumer = __webpack_require__(388).SourceMapConsumer;
+	exports.SourceNode = __webpack_require__(391).SourceNode;
+
+
+/***/ },
+/* 382 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	var base64VLQ = __webpack_require__(383);
+	var util = __webpack_require__(385);
+	var ArraySet = __webpack_require__(386).ArraySet;
+	var MappingList = __webpack_require__(387).MappingList;
+	
+	/**
+	 * An instance of the SourceMapGenerator represents a source map which is
+	 * being built incrementally. You may pass an object with the following
+	 * properties:
+	 *
+	 *   - file: The filename of the generated source.
+	 *   - sourceRoot: A root for all relative URLs in this source map.
+	 */
+	function SourceMapGenerator(aArgs) {
+	  if (!aArgs) {
+	    aArgs = {};
+	  }
+	  this._file = util.getArg(aArgs, 'file', null);
+	  this._sourceRoot = util.getArg(aArgs, 'sourceRoot', null);
+	  this._skipValidation = util.getArg(aArgs, 'skipValidation', false);
+	  this._sources = new ArraySet();
+	  this._names = new ArraySet();
+	  this._mappings = new MappingList();
+	  this._sourcesContents = null;
+	}
+	
+	SourceMapGenerator.prototype._version = 3;
+	
+	/**
+	 * Creates a new SourceMapGenerator based on a SourceMapConsumer
+	 *
+	 * @param aSourceMapConsumer The SourceMap.
+	 */
+	SourceMapGenerator.fromSourceMap =
+	  function SourceMapGenerator_fromSourceMap(aSourceMapConsumer) {
+	    var sourceRoot = aSourceMapConsumer.sourceRoot;
+	    var generator = new SourceMapGenerator({
+	      file: aSourceMapConsumer.file,
+	      sourceRoot: sourceRoot
+	    });
+	    aSourceMapConsumer.eachMapping(function (mapping) {
+	      var newMapping = {
+	        generated: {
+	          line: mapping.generatedLine,
+	          column: mapping.generatedColumn
+	        }
+	      };
+	
+	      if (mapping.source != null) {
+	        newMapping.source = mapping.source;
+	        if (sourceRoot != null) {
+	          newMapping.source = util.relative(sourceRoot, newMapping.source);
+	        }
+	
+	        newMapping.original = {
+	          line: mapping.originalLine,
+	          column: mapping.originalColumn
+	        };
+	
+	        if (mapping.name != null) {
+	          newMapping.name = mapping.name;
+	        }
+	      }
+	
+	      generator.addMapping(newMapping);
+	    });
+	    aSourceMapConsumer.sources.forEach(function (sourceFile) {
+	      var content = aSourceMapConsumer.sourceContentFor(sourceFile);
+	      if (content != null) {
+	        generator.setSourceContent(sourceFile, content);
+	      }
+	    });
+	    return generator;
+	  };
+	
+	/**
+	 * Add a single mapping from original source line and column to the generated
+	 * source's line and column for this source map being created. The mapping
+	 * object should have the following properties:
+	 *
+	 *   - generated: An object with the generated line and column positions.
+	 *   - original: An object with the original line and column positions.
+	 *   - source: The original source file (relative to the sourceRoot).
+	 *   - name: An optional original token name for this mapping.
+	 */
+	SourceMapGenerator.prototype.addMapping =
+	  function SourceMapGenerator_addMapping(aArgs) {
+	    var generated = util.getArg(aArgs, 'generated');
+	    var original = util.getArg(aArgs, 'original', null);
+	    var source = util.getArg(aArgs, 'source', null);
+	    var name = util.getArg(aArgs, 'name', null);
+	
+	    if (!this._skipValidation) {
+	      this._validateMapping(generated, original, source, name);
+	    }
+	
+	    if (source != null) {
+	      source = String(source);
+	      if (!this._sources.has(source)) {
+	        this._sources.add(source);
+	      }
+	    }
+	
+	    if (name != null) {
+	      name = String(name);
+	      if (!this._names.has(name)) {
+	        this._names.add(name);
+	      }
+	    }
+	
+	    this._mappings.add({
+	      generatedLine: generated.line,
+	      generatedColumn: generated.column,
+	      originalLine: original != null && original.line,
+	      originalColumn: original != null && original.column,
+	      source: source,
+	      name: name
+	    });
+	  };
+	
+	/**
+	 * Set the source content for a source file.
+	 */
+	SourceMapGenerator.prototype.setSourceContent =
+	  function SourceMapGenerator_setSourceContent(aSourceFile, aSourceContent) {
+	    var source = aSourceFile;
+	    if (this._sourceRoot != null) {
+	      source = util.relative(this._sourceRoot, source);
+	    }
+	
+	    if (aSourceContent != null) {
+	      // Add the source content to the _sourcesContents map.
+	      // Create a new _sourcesContents map if the property is null.
+	      if (!this._sourcesContents) {
+	        this._sourcesContents = Object.create(null);
+	      }
+	      this._sourcesContents[util.toSetString(source)] = aSourceContent;
+	    } else if (this._sourcesContents) {
+	      // Remove the source file from the _sourcesContents map.
+	      // If the _sourcesContents map is empty, set the property to null.
+	      delete this._sourcesContents[util.toSetString(source)];
+	      if (Object.keys(this._sourcesContents).length === 0) {
+	        this._sourcesContents = null;
+	      }
+	    }
+	  };
+	
+	/**
+	 * Applies the mappings of a sub-source-map for a specific source file to the
+	 * source map being generated. Each mapping to the supplied source file is
+	 * rewritten using the supplied source map. Note: The resolution for the
+	 * resulting mappings is the minimium of this map and the supplied map.
+	 *
+	 * @param aSourceMapConsumer The source map to be applied.
+	 * @param aSourceFile Optional. The filename of the source file.
+	 *        If omitted, SourceMapConsumer's file property will be used.
+	 * @param aSourceMapPath Optional. The dirname of the path to the source map
+	 *        to be applied. If relative, it is relative to the SourceMapConsumer.
+	 *        This parameter is needed when the two source maps aren't in the same
+	 *        directory, and the source map to be applied contains relative source
+	 *        paths. If so, those relative source paths need to be rewritten
+	 *        relative to the SourceMapGenerator.
+	 */
+	SourceMapGenerator.prototype.applySourceMap =
+	  function SourceMapGenerator_applySourceMap(aSourceMapConsumer, aSourceFile, aSourceMapPath) {
+	    var sourceFile = aSourceFile;
+	    // If aSourceFile is omitted, we will use the file property of the SourceMap
+	    if (aSourceFile == null) {
+	      if (aSourceMapConsumer.file == null) {
+	        throw new Error(
+	          'SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, ' +
+	          'or the source map\'s "file" property. Both were omitted.'
+	        );
+	      }
+	      sourceFile = aSourceMapConsumer.file;
+	    }
+	    var sourceRoot = this._sourceRoot;
+	    // Make "sourceFile" relative if an absolute Url is passed.
+	    if (sourceRoot != null) {
+	      sourceFile = util.relative(sourceRoot, sourceFile);
+	    }
+	    // Applying the SourceMap can add and remove items from the sources and
+	    // the names array.
+	    var newSources = new ArraySet();
+	    var newNames = new ArraySet();
+	
+	    // Find mappings for the "sourceFile"
+	    this._mappings.unsortedForEach(function (mapping) {
+	      if (mapping.source === sourceFile && mapping.originalLine != null) {
+	        // Check if it can be mapped by the source map, then update the mapping.
+	        var original = aSourceMapConsumer.originalPositionFor({
+	          line: mapping.originalLine,
+	          column: mapping.originalColumn
+	        });
+	        if (original.source != null) {
+	          // Copy mapping
+	          mapping.source = original.source;
+	          if (aSourceMapPath != null) {
+	            mapping.source = util.join(aSourceMapPath, mapping.source)
+	          }
+	          if (sourceRoot != null) {
+	            mapping.source = util.relative(sourceRoot, mapping.source);
+	          }
+	          mapping.originalLine = original.line;
+	          mapping.originalColumn = original.column;
+	          if (original.name != null) {
+	            mapping.name = original.name;
+	          }
+	        }
+	      }
+	
+	      var source = mapping.source;
+	      if (source != null && !newSources.has(source)) {
+	        newSources.add(source);
+	      }
+	
+	      var name = mapping.name;
+	      if (name != null && !newNames.has(name)) {
+	        newNames.add(name);
+	      }
+	
+	    }, this);
+	    this._sources = newSources;
+	    this._names = newNames;
+	
+	    // Copy sourcesContents of applied map.
+	    aSourceMapConsumer.sources.forEach(function (sourceFile) {
+	      var content = aSourceMapConsumer.sourceContentFor(sourceFile);
+	      if (content != null) {
+	        if (aSourceMapPath != null) {
+	          sourceFile = util.join(aSourceMapPath, sourceFile);
+	        }
+	        if (sourceRoot != null) {
+	          sourceFile = util.relative(sourceRoot, sourceFile);
+	        }
+	        this.setSourceContent(sourceFile, content);
+	      }
+	    }, this);
+	  };
+	
+	/**
+	 * A mapping can have one of the three levels of data:
+	 *
+	 *   1. Just the generated position.
+	 *   2. The Generated position, original position, and original source.
+	 *   3. Generated and original position, original source, as well as a name
+	 *      token.
+	 *
+	 * To maintain consistency, we validate that any new mapping being added falls
+	 * in to one of these categories.
+	 */
+	SourceMapGenerator.prototype._validateMapping =
+	  function SourceMapGenerator_validateMapping(aGenerated, aOriginal, aSource,
+	                                              aName) {
+	    if (aGenerated && 'line' in aGenerated && 'column' in aGenerated
+	        && aGenerated.line > 0 && aGenerated.column >= 0
+	        && !aOriginal && !aSource && !aName) {
+	      // Case 1.
+	      return;
+	    }
+	    else if (aGenerated && 'line' in aGenerated && 'column' in aGenerated
+	             && aOriginal && 'line' in aOriginal && 'column' in aOriginal
+	             && aGenerated.line > 0 && aGenerated.column >= 0
+	             && aOriginal.line > 0 && aOriginal.column >= 0
+	             && aSource) {
+	      // Cases 2 and 3.
+	      return;
+	    }
+	    else {
+	      throw new Error('Invalid mapping: ' + JSON.stringify({
+	        generated: aGenerated,
+	        source: aSource,
+	        original: aOriginal,
+	        name: aName
+	      }));
+	    }
+	  };
+	
+	/**
+	 * Serialize the accumulated mappings in to the stream of base 64 VLQs
+	 * specified by the source map format.
+	 */
+	SourceMapGenerator.prototype._serializeMappings =
+	  function SourceMapGenerator_serializeMappings() {
+	    var previousGeneratedColumn = 0;
+	    var previousGeneratedLine = 1;
+	    var previousOriginalColumn = 0;
+	    var previousOriginalLine = 0;
+	    var previousName = 0;
+	    var previousSource = 0;
+	    var result = '';
+	    var next;
+	    var mapping;
+	    var nameIdx;
+	    var sourceIdx;
+	
+	    var mappings = this._mappings.toArray();
+	    for (var i = 0, len = mappings.length; i < len; i++) {
+	      mapping = mappings[i];
+	      next = ''
+	
+	      if (mapping.generatedLine !== previousGeneratedLine) {
+	        previousGeneratedColumn = 0;
+	        while (mapping.generatedLine !== previousGeneratedLine) {
+	          next += ';';
+	          previousGeneratedLine++;
+	        }
+	      }
+	      else {
+	        if (i > 0) {
+	          if (!util.compareByGeneratedPositionsInflated(mapping, mappings[i - 1])) {
+	            continue;
+	          }
+	          next += ',';
+	        }
+	      }
+	
+	      next += base64VLQ.encode(mapping.generatedColumn
+	                                 - previousGeneratedColumn);
+	      previousGeneratedColumn = mapping.generatedColumn;
+	
+	      if (mapping.source != null) {
+	        sourceIdx = this._sources.indexOf(mapping.source);
+	        next += base64VLQ.encode(sourceIdx - previousSource);
+	        previousSource = sourceIdx;
+	
+	        // lines are stored 0-based in SourceMap spec version 3
+	        next += base64VLQ.encode(mapping.originalLine - 1
+	                                   - previousOriginalLine);
+	        previousOriginalLine = mapping.originalLine - 1;
+	
+	        next += base64VLQ.encode(mapping.originalColumn
+	                                   - previousOriginalColumn);
+	        previousOriginalColumn = mapping.originalColumn;
+	
+	        if (mapping.name != null) {
+	          nameIdx = this._names.indexOf(mapping.name);
+	          next += base64VLQ.encode(nameIdx - previousName);
+	          previousName = nameIdx;
+	        }
+	      }
+	
+	      result += next;
+	    }
+	
+	    return result;
+	  };
+	
+	SourceMapGenerator.prototype._generateSourcesContent =
+	  function SourceMapGenerator_generateSourcesContent(aSources, aSourceRoot) {
+	    return aSources.map(function (source) {
+	      if (!this._sourcesContents) {
+	        return null;
+	      }
+	      if (aSourceRoot != null) {
+	        source = util.relative(aSourceRoot, source);
+	      }
+	      var key = util.toSetString(source);
+	      return Object.prototype.hasOwnProperty.call(this._sourcesContents, key)
+	        ? this._sourcesContents[key]
+	        : null;
+	    }, this);
+	  };
+	
+	/**
+	 * Externalize the source map.
+	 */
+	SourceMapGenerator.prototype.toJSON =
+	  function SourceMapGenerator_toJSON() {
+	    var map = {
+	      version: this._version,
+	      sources: this._sources.toArray(),
+	      names: this._names.toArray(),
+	      mappings: this._serializeMappings()
+	    };
+	    if (this._file != null) {
+	      map.file = this._file;
+	    }
+	    if (this._sourceRoot != null) {
+	      map.sourceRoot = this._sourceRoot;
+	    }
+	    if (this._sourcesContents) {
+	      map.sourcesContent = this._generateSourcesContent(map.sources, map.sourceRoot);
+	    }
+	
+	    return map;
+	  };
+	
+	/**
+	 * Render the source map being generated to a string.
+	 */
+	SourceMapGenerator.prototype.toString =
+	  function SourceMapGenerator_toString() {
+	    return JSON.stringify(this.toJSON());
+	  };
+	
+	exports.SourceMapGenerator = SourceMapGenerator;
+
+
+/***/ },
+/* 383 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 *
+	 * Based on the Base 64 VLQ implementation in Closure Compiler:
+	 * https://code.google.com/p/closure-compiler/source/browse/trunk/src/com/google/debugging/sourcemap/Base64VLQ.java
+	 *
+	 * Copyright 2011 The Closure Compiler Authors. All rights reserved.
+	 * Redistribution and use in source and binary forms, with or without
+	 * modification, are permitted provided that the following conditions are
+	 * met:
+	 *
+	 *  * Redistributions of source code must retain the above copyright
+	 *    notice, this list of conditions and the following disclaimer.
+	 *  * Redistributions in binary form must reproduce the above
+	 *    copyright notice, this list of conditions and the following
+	 *    disclaimer in the documentation and/or other materials provided
+	 *    with the distribution.
+	 *  * Neither the name of Google Inc. nor the names of its
+	 *    contributors may be used to endorse or promote products derived
+	 *    from this software without specific prior written permission.
+	 *
+	 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
+	 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
+	 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
+	 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
+	 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
+	 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
+	 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
+	 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
+	 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
+	 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+	 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
+	 */
+	
+	var base64 = __webpack_require__(384);
+	
+	// A single base 64 digit can contain 6 bits of data. For the base 64 variable
+	// length quantities we use in the source map spec, the first bit is the sign,
+	// the next four bits are the actual value, and the 6th bit is the
+	// continuation bit. The continuation bit tells us whether there are more
+	// digits in this value following this digit.
+	//
+	//   Continuation
+	//   |    Sign
+	//   |    |
+	//   V    V
+	//   101011
+	
+	var VLQ_BASE_SHIFT = 5;
+	
+	// binary: 100000
+	var VLQ_BASE = 1 << VLQ_BASE_SHIFT;
+	
+	// binary: 011111
+	var VLQ_BASE_MASK = VLQ_BASE - 1;
+	
+	// binary: 100000
+	var VLQ_CONTINUATION_BIT = VLQ_BASE;
+	
+	/**
+	 * Converts from a two-complement value to a value where the sign bit is
+	 * placed in the least significant bit.  For example, as decimals:
+	 *   1 becomes 2 (10 binary), -1 becomes 3 (11 binary)
+	 *   2 becomes 4 (100 binary), -2 becomes 5 (101 binary)
+	 */
+	function toVLQSigned(aValue) {
+	  return aValue < 0
+	    ? ((-aValue) << 1) + 1
+	    : (aValue << 1) + 0;
+	}
+	
+	/**
+	 * Converts to a two-complement value from a value where the sign bit is
+	 * placed in the least significant bit.  For example, as decimals:
+	 *   2 (10 binary) becomes 1, 3 (11 binary) becomes -1
+	 *   4 (100 binary) becomes 2, 5 (101 binary) becomes -2
+	 */
+	function fromVLQSigned(aValue) {
+	  var isNegative = (aValue & 1) === 1;
+	  var shifted = aValue >> 1;
+	  return isNegative
+	    ? -shifted
+	    : shifted;
+	}
+	
+	/**
+	 * Returns the base 64 VLQ encoded value.
+	 */
+	exports.encode = function base64VLQ_encode(aValue) {
+	  var encoded = "";
+	  var digit;
+	
+	  var vlq = toVLQSigned(aValue);
+	
+	  do {
+	    digit = vlq & VLQ_BASE_MASK;
+	    vlq >>>= VLQ_BASE_SHIFT;
+	    if (vlq > 0) {
+	      // There are still more digits in this value, so we must make sure the
+	      // continuation bit is marked.
+	      digit |= VLQ_CONTINUATION_BIT;
+	    }
+	    encoded += base64.encode(digit);
+	  } while (vlq > 0);
+	
+	  return encoded;
+	};
+	
+	/**
+	 * Decodes the next base 64 VLQ value from the given string and returns the
+	 * value and the rest of the string via the out parameter.
+	 */
+	exports.decode = function base64VLQ_decode(aStr, aIndex, aOutParam) {
+	  var strLen = aStr.length;
+	  var result = 0;
+	  var shift = 0;
+	  var continuation, digit;
+	
+	  do {
+	    if (aIndex >= strLen) {
+	      throw new Error("Expected more digits in base 64 VLQ value.");
+	    }
+	
+	    digit = base64.decode(aStr.charCodeAt(aIndex++));
+	    if (digit === -1) {
+	      throw new Error("Invalid base64 digit: " + aStr.charAt(aIndex - 1));
+	    }
+	
+	    continuation = !!(digit & VLQ_CONTINUATION_BIT);
+	    digit &= VLQ_BASE_MASK;
+	    result = result + (digit << shift);
+	    shift += VLQ_BASE_SHIFT;
+	  } while (continuation);
+	
+	  aOutParam.value = fromVLQSigned(result);
+	  aOutParam.rest = aIndex;
+	};
+
+
+/***/ },
+/* 384 */
+/***/ function(module, exports) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	var intToCharMap = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'.split('');
+	
+	/**
+	 * Encode an integer in the range of 0 to 63 to a single base 64 digit.
+	 */
+	exports.encode = function (number) {
+	  if (0 <= number && number < intToCharMap.length) {
+	    return intToCharMap[number];
+	  }
+	  throw new TypeError("Must be between 0 and 63: " + number);
+	};
+	
+	/**
+	 * Decode a single base 64 character code digit to an integer. Returns -1 on
+	 * failure.
+	 */
+	exports.decode = function (charCode) {
+	  var bigA = 65;     // 'A'
+	  var bigZ = 90;     // 'Z'
+	
+	  var littleA = 97;  // 'a'
+	  var littleZ = 122; // 'z'
+	
+	  var zero = 48;     // '0'
+	  var nine = 57;     // '9'
+	
+	  var plus = 43;     // '+'
+	  var slash = 47;    // '/'
+	
+	  var littleOffset = 26;
+	  var numberOffset = 52;
+	
+	  // 0 - 25: ABCDEFGHIJKLMNOPQRSTUVWXYZ
+	  if (bigA <= charCode && charCode <= bigZ) {
+	    return (charCode - bigA);
+	  }
+	
+	  // 26 - 51: abcdefghijklmnopqrstuvwxyz
+	  if (littleA <= charCode && charCode <= littleZ) {
+	    return (charCode - littleA + littleOffset);
+	  }
+	
+	  // 52 - 61: 0123456789
+	  if (zero <= charCode && charCode <= nine) {
+	    return (charCode - zero + numberOffset);
+	  }
+	
+	  // 62: +
+	  if (charCode == plus) {
+	    return 62;
+	  }
+	
+	  // 63: /
+	  if (charCode == slash) {
+	    return 63;
+	  }
+	
+	  // Invalid base64 digit.
+	  return -1;
+	};
+
+
+/***/ },
+/* 385 */
+/***/ function(module, exports) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	/**
+	 * This is a helper function for getting values from parameter/options
+	 * objects.
+	 *
+	 * @param args The object we are extracting values from
+	 * @param name The name of the property we are getting.
+	 * @param defaultValue An optional value to return if the property is missing
+	 * from the object. If this is not specified and the property is missing, an
+	 * error will be thrown.
+	 */
+	function getArg(aArgs, aName, aDefaultValue) {
+	  if (aName in aArgs) {
+	    return aArgs[aName];
+	  } else if (arguments.length === 3) {
+	    return aDefaultValue;
+	  } else {
+	    throw new Error('"' + aName + '" is a required argument.');
+	  }
+	}
+	exports.getArg = getArg;
+	
+	var urlRegexp = /^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.]*)(?::(\d+))?(\S*)$/;
+	var dataUrlRegexp = /^data:.+\,.+$/;
+	
+	function urlParse(aUrl) {
+	  var match = aUrl.match(urlRegexp);
+	  if (!match) {
+	    return null;
+	  }
+	  return {
+	    scheme: match[1],
+	    auth: match[2],
+	    host: match[3],
+	    port: match[4],
+	    path: match[5]
+	  };
+	}
+	exports.urlParse = urlParse;
+	
+	function urlGenerate(aParsedUrl) {
+	  var url = '';
+	  if (aParsedUrl.scheme) {
+	    url += aParsedUrl.scheme + ':';
+	  }
+	  url += '//';
+	  if (aParsedUrl.auth) {
+	    url += aParsedUrl.auth + '@';
+	  }
+	  if (aParsedUrl.host) {
+	    url += aParsedUrl.host;
+	  }
+	  if (aParsedUrl.port) {
+	    url += ":" + aParsedUrl.port
+	  }
+	  if (aParsedUrl.path) {
+	    url += aParsedUrl.path;
+	  }
+	  return url;
+	}
+	exports.urlGenerate = urlGenerate;
+	
+	/**
+	 * Normalizes a path, or the path portion of a URL:
+	 *
+	 * - Replaces consecutive slashes with one slash.
+	 * - Removes unnecessary '.' parts.
+	 * - Removes unnecessary '<dir>/..' parts.
+	 *
+	 * Based on code in the Node.js 'path' core module.
+	 *
+	 * @param aPath The path or url to normalize.
+	 */
+	function normalize(aPath) {
+	  var path = aPath;
+	  var url = urlParse(aPath);
+	  if (url) {
+	    if (!url.path) {
+	      return aPath;
+	    }
+	    path = url.path;
+	  }
+	  var isAbsolute = exports.isAbsolute(path);
+	
+	  var parts = path.split(/\/+/);
+	  for (var part, up = 0, i = parts.length - 1; i >= 0; i--) {
+	    part = parts[i];
+	    if (part === '.') {
+	      parts.splice(i, 1);
+	    } else if (part === '..') {
+	      up++;
+	    } else if (up > 0) {
+	      if (part === '') {
+	        // The first part is blank if the path is absolute. Trying to go
+	        // above the root is a no-op. Therefore we can remove all '..' parts
+	        // directly after the root.
+	        parts.splice(i + 1, up);
+	        up = 0;
+	      } else {
+	        parts.splice(i, 2);
+	        up--;
+	      }
+	    }
+	  }
+	  path = parts.join('/');
+	
+	  if (path === '') {
+	    path = isAbsolute ? '/' : '.';
+	  }
+	
+	  if (url) {
+	    url.path = path;
+	    return urlGenerate(url);
+	  }
+	  return path;
+	}
+	exports.normalize = normalize;
+	
+	/**
+	 * Joins two paths/URLs.
+	 *
+	 * @param aRoot The root path or URL.
+	 * @param aPath The path or URL to be joined with the root.
+	 *
+	 * - If aPath is a URL or a data URI, aPath is returned, unless aPath is a
+	 *   scheme-relative URL: Then the scheme of aRoot, if any, is prepended
+	 *   first.
+	 * - Otherwise aPath is a path. If aRoot is a URL, then its path portion
+	 *   is updated with the result and aRoot is returned. Otherwise the result
+	 *   is returned.
+	 *   - If aPath is absolute, the result is aPath.
+	 *   - Otherwise the two paths are joined with a slash.
+	 * - Joining for example 'http://' and 'www.example.com' is also supported.
+	 */
+	function join(aRoot, aPath) {
+	  if (aRoot === "") {
+	    aRoot = ".";
+	  }
+	  if (aPath === "") {
+	    aPath = ".";
+	  }
+	  var aPathUrl = urlParse(aPath);
+	  var aRootUrl = urlParse(aRoot);
+	  if (aRootUrl) {
+	    aRoot = aRootUrl.path || '/';
+	  }
+	
+	  // `join(foo, '//www.example.org')`
+	  if (aPathUrl && !aPathUrl.scheme) {
+	    if (aRootUrl) {
+	      aPathUrl.scheme = aRootUrl.scheme;
+	    }
+	    return urlGenerate(aPathUrl);
+	  }
+	
+	  if (aPathUrl || aPath.match(dataUrlRegexp)) {
+	    return aPath;
+	  }
+	
+	  // `join('http://', 'www.example.com')`
+	  if (aRootUrl && !aRootUrl.host && !aRootUrl.path) {
+	    aRootUrl.host = aPath;
+	    return urlGenerate(aRootUrl);
+	  }
+	
+	  var joined = aPath.charAt(0) === '/'
+	    ? aPath
+	    : normalize(aRoot.replace(/\/+$/, '') + '/' + aPath);
+	
+	  if (aRootUrl) {
+	    aRootUrl.path = joined;
+	    return urlGenerate(aRootUrl);
+	  }
+	  return joined;
+	}
+	exports.join = join;
+	
+	exports.isAbsolute = function (aPath) {
+	  return aPath.charAt(0) === '/' || !!aPath.match(urlRegexp);
+	};
+	
+	/**
+	 * Make a path relative to a URL or another path.
+	 *
+	 * @param aRoot The root path or URL.
+	 * @param aPath The path or URL to be made relative to aRoot.
+	 */
+	function relative(aRoot, aPath) {
+	  if (aRoot === "") {
+	    aRoot = ".";
+	  }
+	
+	  aRoot = aRoot.replace(/\/$/, '');
+	
+	  // It is possible for the path to be above the root. In this case, simply
+	  // checking whether the root is a prefix of the path won't work. Instead, we
+	  // need to remove components from the root one by one, until either we find
+	  // a prefix that fits, or we run out of components to remove.
+	  var level = 0;
+	  while (aPath.indexOf(aRoot + '/') !== 0) {
+	    var index = aRoot.lastIndexOf("/");
+	    if (index < 0) {
+	      return aPath;
+	    }
+	
+	    // If the only part of the root that is left is the scheme (i.e. http://,
+	    // file:///, etc.), one or more slashes (/), or simply nothing at all, we
+	    // have exhausted all components, so the path is not relative to the root.
+	    aRoot = aRoot.slice(0, index);
+	    if (aRoot.match(/^([^\/]+:\/)?\/*$/)) {
+	      return aPath;
+	    }
+	
+	    ++level;
+	  }
+	
+	  // Make sure we add a "../" for each component we removed from the root.
+	  return Array(level + 1).join("../") + aPath.substr(aRoot.length + 1);
+	}
+	exports.relative = relative;
+	
+	var supportsNullProto = (function () {
+	  var obj = Object.create(null);
+	  return !('__proto__' in obj);
+	}());
+	
+	function identity (s) {
+	  return s;
+	}
+	
+	/**
+	 * Because behavior goes wacky when you set `__proto__` on objects, we
+	 * have to prefix all the strings in our set with an arbitrary character.
+	 *
+	 * See https://github.com/mozilla/source-map/pull/31 and
+	 * https://github.com/mozilla/source-map/issues/30
+	 *
+	 * @param String aStr
+	 */
+	function toSetString(aStr) {
+	  if (isProtoString(aStr)) {
+	    return '$' + aStr;
+	  }
+	
+	  return aStr;
+	}
+	exports.toSetString = supportsNullProto ? identity : toSetString;
+	
+	function fromSetString(aStr) {
+	  if (isProtoString(aStr)) {
+	    return aStr.slice(1);
+	  }
+	
+	  return aStr;
+	}
+	exports.fromSetString = supportsNullProto ? identity : fromSetString;
+	
+	function isProtoString(s) {
+	  if (!s) {
+	    return false;
+	  }
+	
+	  var length = s.length;
+	
+	  if (length < 9 /* "__proto__".length */) {
+	    return false;
+	  }
+	
+	  if (s.charCodeAt(length - 1) !== 95  /* '_' */ ||
+	      s.charCodeAt(length - 2) !== 95  /* '_' */ ||
+	      s.charCodeAt(length - 3) !== 111 /* 'o' */ ||
+	      s.charCodeAt(length - 4) !== 116 /* 't' */ ||
+	      s.charCodeAt(length - 5) !== 111 /* 'o' */ ||
+	      s.charCodeAt(length - 6) !== 114 /* 'r' */ ||
+	      s.charCodeAt(length - 7) !== 112 /* 'p' */ ||
+	      s.charCodeAt(length - 8) !== 95  /* '_' */ ||
+	      s.charCodeAt(length - 9) !== 95  /* '_' */) {
+	    return false;
+	  }
+	
+	  for (var i = length - 10; i >= 0; i--) {
+	    if (s.charCodeAt(i) !== 36 /* '$' */) {
+	      return false;
+	    }
+	  }
+	
+	  return true;
+	}
+	
+	/**
+	 * Comparator between two mappings where the original positions are compared.
+	 *
+	 * Optionally pass in `true` as `onlyCompareGenerated` to consider two
+	 * mappings with the same original source/line/column, but different generated
+	 * line and column the same. Useful when searching for a mapping with a
+	 * stubbed out mapping.
+	 */
+	function compareByOriginalPositions(mappingA, mappingB, onlyCompareOriginal) {
+	  var cmp = mappingA.source - mappingB.source;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.originalLine - mappingB.originalLine;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.originalColumn - mappingB.originalColumn;
+	  if (cmp !== 0 || onlyCompareOriginal) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.generatedColumn - mappingB.generatedColumn;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.generatedLine - mappingB.generatedLine;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  return mappingA.name - mappingB.name;
+	}
+	exports.compareByOriginalPositions = compareByOriginalPositions;
+	
+	/**
+	 * Comparator between two mappings with deflated source and name indices where
+	 * the generated positions are compared.
+	 *
+	 * Optionally pass in `true` as `onlyCompareGenerated` to consider two
+	 * mappings with the same generated line and column, but different
+	 * source/name/original line and column the same. Useful when searching for a
+	 * mapping with a stubbed out mapping.
+	 */
+	function compareByGeneratedPositionsDeflated(mappingA, mappingB, onlyCompareGenerated) {
+	  var cmp = mappingA.generatedLine - mappingB.generatedLine;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.generatedColumn - mappingB.generatedColumn;
+	  if (cmp !== 0 || onlyCompareGenerated) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.source - mappingB.source;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.originalLine - mappingB.originalLine;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.originalColumn - mappingB.originalColumn;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  return mappingA.name - mappingB.name;
+	}
+	exports.compareByGeneratedPositionsDeflated = compareByGeneratedPositionsDeflated;
+	
+	function strcmp(aStr1, aStr2) {
+	  if (aStr1 === aStr2) {
+	    return 0;
+	  }
+	
+	  if (aStr1 > aStr2) {
+	    return 1;
+	  }
+	
+	  return -1;
+	}
+	
+	/**
+	 * Comparator between two mappings with inflated source and name strings where
+	 * the generated positions are compared.
+	 */
+	function compareByGeneratedPositionsInflated(mappingA, mappingB) {
+	  var cmp = mappingA.generatedLine - mappingB.generatedLine;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.generatedColumn - mappingB.generatedColumn;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = strcmp(mappingA.source, mappingB.source);
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.originalLine - mappingB.originalLine;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  cmp = mappingA.originalColumn - mappingB.originalColumn;
+	  if (cmp !== 0) {
+	    return cmp;
+	  }
+	
+	  return strcmp(mappingA.name, mappingB.name);
+	}
+	exports.compareByGeneratedPositionsInflated = compareByGeneratedPositionsInflated;
+
+
+/***/ },
+/* 386 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	var util = __webpack_require__(385);
+	var has = Object.prototype.hasOwnProperty;
+	
+	/**
+	 * A data structure which is a combination of an array and a set. Adding a new
+	 * member is O(1), testing for membership is O(1), and finding the index of an
+	 * element is O(1). Removing elements from the set is not supported. Only
+	 * strings are supported for membership.
+	 */
+	function ArraySet() {
+	  this._array = [];
+	  this._set = Object.create(null);
+	}
+	
+	/**
+	 * Static method for creating ArraySet instances from an existing array.
+	 */
+	ArraySet.fromArray = function ArraySet_fromArray(aArray, aAllowDuplicates) {
+	  var set = new ArraySet();
+	  for (var i = 0, len = aArray.length; i < len; i++) {
+	    set.add(aArray[i], aAllowDuplicates);
+	  }
+	  return set;
+	};
+	
+	/**
+	 * Return how many unique items are in this ArraySet. If duplicates have been
+	 * added, than those do not count towards the size.
+	 *
+	 * @returns Number
+	 */
+	ArraySet.prototype.size = function ArraySet_size() {
+	  return Object.getOwnPropertyNames(this._set).length;
+	};
+	
+	/**
+	 * Add the given string to this set.
+	 *
+	 * @param String aStr
+	 */
+	ArraySet.prototype.add = function ArraySet_add(aStr, aAllowDuplicates) {
+	  var sStr = util.toSetString(aStr);
+	  var isDuplicate = has.call(this._set, sStr);
+	  var idx = this._array.length;
+	  if (!isDuplicate || aAllowDuplicates) {
+	    this._array.push(aStr);
+	  }
+	  if (!isDuplicate) {
+	    this._set[sStr] = idx;
+	  }
+	};
+	
+	/**
+	 * Is the given string a member of this set?
+	 *
+	 * @param String aStr
+	 */
+	ArraySet.prototype.has = function ArraySet_has(aStr) {
+	  var sStr = util.toSetString(aStr);
+	  return has.call(this._set, sStr);
+	};
+	
+	/**
+	 * What is the index of the given string in the array?
+	 *
+	 * @param String aStr
+	 */
+	ArraySet.prototype.indexOf = function ArraySet_indexOf(aStr) {
+	  var sStr = util.toSetString(aStr);
+	  if (has.call(this._set, sStr)) {
+	    return this._set[sStr];
+	  }
+	  throw new Error('"' + aStr + '" is not in the set.');
+	};
+	
+	/**
+	 * What is the element at the given index?
+	 *
+	 * @param Number aIdx
+	 */
+	ArraySet.prototype.at = function ArraySet_at(aIdx) {
+	  if (aIdx >= 0 && aIdx < this._array.length) {
+	    return this._array[aIdx];
+	  }
+	  throw new Error('No element indexed by ' + aIdx);
+	};
+	
+	/**
+	 * Returns the array representation of this set (which has the proper indices
+	 * indicated by indexOf). Note that this is a copy of the internal array used
+	 * for storing the members so that no one can mess with internal state.
+	 */
+	ArraySet.prototype.toArray = function ArraySet_toArray() {
+	  return this._array.slice();
+	};
+	
+	exports.ArraySet = ArraySet;
+
+
+/***/ },
+/* 387 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2014 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	var util = __webpack_require__(385);
+	
+	/**
+	 * Determine whether mappingB is after mappingA with respect to generated
+	 * position.
+	 */
+	function generatedPositionAfter(mappingA, mappingB) {
+	  // Optimized for most common case
+	  var lineA = mappingA.generatedLine;
+	  var lineB = mappingB.generatedLine;
+	  var columnA = mappingA.generatedColumn;
+	  var columnB = mappingB.generatedColumn;
+	  return lineB > lineA || lineB == lineA && columnB >= columnA ||
+	         util.compareByGeneratedPositionsInflated(mappingA, mappingB) <= 0;
+	}
+	
+	/**
+	 * A data structure to provide a sorted view of accumulated mappings in a
+	 * performance conscious manner. It trades a neglibable overhead in general
+	 * case for a large speedup in case of mappings being added in order.
+	 */
+	function MappingList() {
+	  this._array = [];
+	  this._sorted = true;
+	  // Serves as infimum
+	  this._last = {generatedLine: -1, generatedColumn: 0};
+	}
+	
+	/**
+	 * Iterate through internal items. This method takes the same arguments that
+	 * `Array.prototype.forEach` takes.
+	 *
+	 * NOTE: The order of the mappings is NOT guaranteed.
+	 */
+	MappingList.prototype.unsortedForEach =
+	  function MappingList_forEach(aCallback, aThisArg) {
+	    this._array.forEach(aCallback, aThisArg);
+	  };
+	
+	/**
+	 * Add the given source mapping.
+	 *
+	 * @param Object aMapping
+	 */
+	MappingList.prototype.add = function MappingList_add(aMapping) {
+	  if (generatedPositionAfter(this._last, aMapping)) {
+	    this._last = aMapping;
+	    this._array.push(aMapping);
+	  } else {
+	    this._sorted = false;
+	    this._array.push(aMapping);
+	  }
+	};
+	
+	/**
+	 * Returns the flat, sorted array of mappings. The mappings are sorted by
+	 * generated position.
+	 *
+	 * WARNING: This method returns internal data without copying, for
+	 * performance. The return value must NOT be mutated, and should be treated as
+	 * an immutable borrow. If you want to take ownership, you must make your own
+	 * copy.
+	 */
+	MappingList.prototype.toArray = function MappingList_toArray() {
+	  if (!this._sorted) {
+	    this._array.sort(util.compareByGeneratedPositionsInflated);
+	    this._sorted = true;
+	  }
+	  return this._array;
+	};
+	
+	exports.MappingList = MappingList;
+
+
+/***/ },
+/* 388 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	var util = __webpack_require__(385);
+	var binarySearch = __webpack_require__(389);
+	var ArraySet = __webpack_require__(386).ArraySet;
+	var base64VLQ = __webpack_require__(383);
+	var quickSort = __webpack_require__(390).quickSort;
+	
+	function SourceMapConsumer(aSourceMap) {
+	  var sourceMap = aSourceMap;
+	  if (typeof aSourceMap === 'string') {
+	    sourceMap = JSON.parse(aSourceMap.replace(/^\)\]\}'/, ''));
+	  }
+	
+	  return sourceMap.sections != null
+	    ? new IndexedSourceMapConsumer(sourceMap)
+	    : new BasicSourceMapConsumer(sourceMap);
+	}
+	
+	SourceMapConsumer.fromSourceMap = function(aSourceMap) {
+	  return BasicSourceMapConsumer.fromSourceMap(aSourceMap);
+	}
+	
+	/**
+	 * The version of the source mapping spec that we are consuming.
+	 */
+	SourceMapConsumer.prototype._version = 3;
+	
+	// `__generatedMappings` and `__originalMappings` are arrays that hold the
+	// parsed mapping coordinates from the source map's "mappings" attribute. They
+	// are lazily instantiated, accessed via the `_generatedMappings` and
+	// `_originalMappings` getters respectively, and we only parse the mappings
+	// and create these arrays once queried for a source location. We jump through
+	// these hoops because there can be many thousands of mappings, and parsing
+	// them is expensive, so we only want to do it if we must.
+	//
+	// Each object in the arrays is of the form:
+	//
+	//     {
+	//       generatedLine: The line number in the generated code,
+	//       generatedColumn: The column number in the generated code,
+	//       source: The path to the original source file that generated this
+	//               chunk of code,
+	//       originalLine: The line number in the original source that
+	//                     corresponds to this chunk of generated code,
+	//       originalColumn: The column number in the original source that
+	//                       corresponds to this chunk of generated code,
+	//       name: The name of the original symbol which generated this chunk of
+	//             code.
+	//     }
+	//
+	// All properties except for `generatedLine` and `generatedColumn` can be
+	// `null`.
+	//
+	// `_generatedMappings` is ordered by the generated positions.
+	//
+	// `_originalMappings` is ordered by the original positions.
+	
+	SourceMapConsumer.prototype.__generatedMappings = null;
+	Object.defineProperty(SourceMapConsumer.prototype, '_generatedMappings', {
+	  get: function () {
+	    if (!this.__generatedMappings) {
+	      this._parseMappings(this._mappings, this.sourceRoot);
+	    }
+	
+	    return this.__generatedMappings;
+	  }
+	});
+	
+	SourceMapConsumer.prototype.__originalMappings = null;
+	Object.defineProperty(SourceMapConsumer.prototype, '_originalMappings', {
+	  get: function () {
+	    if (!this.__originalMappings) {
+	      this._parseMappings(this._mappings, this.sourceRoot);
+	    }
+	
+	    return this.__originalMappings;
+	  }
+	});
+	
+	SourceMapConsumer.prototype._charIsMappingSeparator =
+	  function SourceMapConsumer_charIsMappingSeparator(aStr, index) {
+	    var c = aStr.charAt(index);
+	    return c === ";" || c === ",";
+	  };
+	
+	/**
+	 * Parse the mappings in a string in to a data structure which we can easily
+	 * query (the ordered arrays in the `this.__generatedMappings` and
+	 * `this.__originalMappings` properties).
+	 */
+	SourceMapConsumer.prototype._parseMappings =
+	  function SourceMapConsumer_parseMappings(aStr, aSourceRoot) {
+	    throw new Error("Subclasses must implement _parseMappings");
+	  };
+	
+	SourceMapConsumer.GENERATED_ORDER = 1;
+	SourceMapConsumer.ORIGINAL_ORDER = 2;
+	
+	SourceMapConsumer.GREATEST_LOWER_BOUND = 1;
+	SourceMapConsumer.LEAST_UPPER_BOUND = 2;
+	
+	/**
+	 * Iterate over each mapping between an original source/line/column and a
+	 * generated line/column in this source map.
+	 *
+	 * @param Function aCallback
+	 *        The function that is called with each mapping.
+	 * @param Object aContext
+	 *        Optional. If specified, this object will be the value of `this` every
+	 *        time that `aCallback` is called.
+	 * @param aOrder
+	 *        Either `SourceMapConsumer.GENERATED_ORDER` or
+	 *        `SourceMapConsumer.ORIGINAL_ORDER`. Specifies whether you want to
+	 *        iterate over the mappings sorted by the generated file's line/column
+	 *        order or the original's source/line/column order, respectively. Defaults to
+	 *        `SourceMapConsumer.GENERATED_ORDER`.
+	 */
+	SourceMapConsumer.prototype.eachMapping =
+	  function SourceMapConsumer_eachMapping(aCallback, aContext, aOrder) {
+	    var context = aContext || null;
+	    var order = aOrder || SourceMapConsumer.GENERATED_ORDER;
+	
+	    var mappings;
+	    switch (order) {
+	    case SourceMapConsumer.GENERATED_ORDER:
+	      mappings = this._generatedMappings;
+	      break;
+	    case SourceMapConsumer.ORIGINAL_ORDER:
+	      mappings = this._originalMappings;
+	      break;
+	    default:
+	      throw new Error("Unknown order of iteration.");
+	    }
+	
+	    var sourceRoot = this.sourceRoot;
+	    mappings.map(function (mapping) {
+	      var source = mapping.source === null ? null : this._sources.at(mapping.source);
+	      if (source != null && sourceRoot != null) {
+	        source = util.join(sourceRoot, source);
+	      }
+	      return {
+	        source: source,
+	        generatedLine: mapping.generatedLine,
+	        generatedColumn: mapping.generatedColumn,
+	        originalLine: mapping.originalLine,
+	        originalColumn: mapping.originalColumn,
+	        name: mapping.name === null ? null : this._names.at(mapping.name)
+	      };
+	    }, this).forEach(aCallback, context);
+	  };
+	
+	/**
+	 * Returns all generated line and column information for the original source,
+	 * line, and column provided. If no column is provided, returns all mappings
+	 * corresponding to a either the line we are searching for or the next
+	 * closest line that has any mappings. Otherwise, returns all mappings
+	 * corresponding to the given line and either the column we are searching for
+	 * or the next closest column that has any offsets.
+	 *
+	 * The only argument is an object with the following properties:
+	 *
+	 *   - source: The filename of the original source.
+	 *   - line: The line number in the original source.
+	 *   - column: Optional. the column number in the original source.
+	 *
+	 * and an array of objects is returned, each with the following properties:
+	 *
+	 *   - line: The line number in the generated source, or null.
+	 *   - column: The column number in the generated source, or null.
+	 */
+	SourceMapConsumer.prototype.allGeneratedPositionsFor =
+	  function SourceMapConsumer_allGeneratedPositionsFor(aArgs) {
+	    var line = util.getArg(aArgs, 'line');
+	
+	    // When there is no exact match, BasicSourceMapConsumer.prototype._findMapping
+	    // returns the index of the closest mapping less than the needle. By
+	    // setting needle.originalColumn to 0, we thus find the last mapping for
+	    // the given line, provided such a mapping exists.
+	    var needle = {
+	      source: util.getArg(aArgs, 'source'),
+	      originalLine: line,
+	      originalColumn: util.getArg(aArgs, 'column', 0)
+	    };
+	
+	    if (this.sourceRoot != null) {
+	      needle.source = util.relative(this.sourceRoot, needle.source);
+	    }
+	    if (!this._sources.has(needle.source)) {
+	      return [];
+	    }
+	    needle.source = this._sources.indexOf(needle.source);
+	
+	    var mappings = [];
+	
+	    var index = this._findMapping(needle,
+	                                  this._originalMappings,
+	                                  "originalLine",
+	                                  "originalColumn",
+	                                  util.compareByOriginalPositions,
+	                                  binarySearch.LEAST_UPPER_BOUND);
+	    if (index >= 0) {
+	      var mapping = this._originalMappings[index];
+	
+	      if (aArgs.column === undefined) {
+	        var originalLine = mapping.originalLine;
+	
+	        // Iterate until either we run out of mappings, or we run into
+	        // a mapping for a different line than the one we found. Since
+	        // mappings are sorted, this is guaranteed to find all mappings for
+	        // the line we found.
+	        while (mapping && mapping.originalLine === originalLine) {
+	          mappings.push({
+	            line: util.getArg(mapping, 'generatedLine', null),
+	            column: util.getArg(mapping, 'generatedColumn', null),
+	            lastColumn: util.getArg(mapping, 'lastGeneratedColumn', null)
+	          });
+	
+	          mapping = this._originalMappings[++index];
+	        }
+	      } else {
+	        var originalColumn = mapping.originalColumn;
+	
+	        // Iterate until either we run out of mappings, or we run into
+	        // a mapping for a different line than the one we were searching for.
+	        // Since mappings are sorted, this is guaranteed to find all mappings for
+	        // the line we are searching for.
+	        while (mapping &&
+	               mapping.originalLine === line &&
+	               mapping.originalColumn == originalColumn) {
+	          mappings.push({
+	            line: util.getArg(mapping, 'generatedLine', null),
+	            column: util.getArg(mapping, 'generatedColumn', null),
+	            lastColumn: util.getArg(mapping, 'lastGeneratedColumn', null)
+	          });
+	
+	          mapping = this._originalMappings[++index];
+	        }
+	      }
+	    }
+	
+	    return mappings;
+	  };
+	
+	exports.SourceMapConsumer = SourceMapConsumer;
+	
+	/**
+	 * A BasicSourceMapConsumer instance represents a parsed source map which we can
+	 * query for information about the original file positions by giving it a file
+	 * position in the generated source.
+	 *
+	 * The only parameter is the raw source map (either as a JSON string, or
+	 * already parsed to an object). According to the spec, source maps have the
+	 * following attributes:
+	 *
+	 *   - version: Which version of the source map spec this map is following.
+	 *   - sources: An array of URLs to the original source files.
+	 *   - names: An array of identifiers which can be referrenced by individual mappings.
+	 *   - sourceRoot: Optional. The URL root from which all sources are relative.
+	 *   - sourcesContent: Optional. An array of contents of the original source files.
+	 *   - mappings: A string of base64 VLQs which contain the actual mappings.
+	 *   - file: Optional. The generated file this source map is associated with.
+	 *
+	 * Here is an example source map, taken from the source map spec[0]:
+	 *
+	 *     {
+	 *       version : 3,
+	 *       file: "out.js",
+	 *       sourceRoot : "",
+	 *       sources: ["foo.js", "bar.js"],
+	 *       names: ["src", "maps", "are", "fun"],
+	 *       mappings: "AA,AB;;ABCDE;"
+	 *     }
+	 *
+	 * [0]: https://docs.google.com/document/d/1U1RGAehQwRypUTovF1KRlpiOFze0b-_2gc6fAH0KY0k/edit?pli=1#
+	 */
+	function BasicSourceMapConsumer(aSourceMap) {
+	  var sourceMap = aSourceMap;
+	  if (typeof aSourceMap === 'string') {
+	    sourceMap = JSON.parse(aSourceMap.replace(/^\)\]\}'/, ''));
+	  }
+	
+	  var version = util.getArg(sourceMap, 'version');
+	  var sources = util.getArg(sourceMap, 'sources');
+	  // Sass 3.3 leaves out the 'names' array, so we deviate from the spec (which
+	  // requires the array) to play nice here.
+	  var names = util.getArg(sourceMap, 'names', []);
+	  var sourceRoot = util.getArg(sourceMap, 'sourceRoot', null);
+	  var sourcesContent = util.getArg(sourceMap, 'sourcesContent', null);
+	  var mappings = util.getArg(sourceMap, 'mappings');
+	  var file = util.getArg(sourceMap, 'file', null);
+	
+	  // Once again, Sass deviates from the spec and supplies the version as a
+	  // string rather than a number, so we use loose equality checking here.
+	  if (version != this._version) {
+	    throw new Error('Unsupported version: ' + version);
+	  }
+	
+	  sources = sources
+	    .map(String)
+	    // Some source maps produce relative source paths like "./foo.js" instead of
+	    // "foo.js".  Normalize these first so that future comparisons will succeed.
+	    // See bugzil.la/1090768.
+	    .map(util.normalize)
+	    // Always ensure that absolute sources are internally stored relative to
+	    // the source root, if the source root is absolute. Not doing this would
+	    // be particularly problematic when the source root is a prefix of the
+	    // source (valid, but why??). See github issue #199 and bugzil.la/1188982.
+	    .map(function (source) {
+	      return sourceRoot && util.isAbsolute(sourceRoot) && util.isAbsolute(source)
+	        ? util.relative(sourceRoot, source)
+	        : source;
+	    });
+	
+	  // Pass `true` below to allow duplicate names and sources. While source maps
+	  // are intended to be compressed and deduplicated, the TypeScript compiler
+	  // sometimes generates source maps with duplicates in them. See Github issue
+	  // #72 and bugzil.la/889492.
+	  this._names = ArraySet.fromArray(names.map(String), true);
+	  this._sources = ArraySet.fromArray(sources, true);
+	
+	  this.sourceRoot = sourceRoot;
+	  this.sourcesContent = sourcesContent;
+	  this._mappings = mappings;
+	  this.file = file;
+	}
+	
+	BasicSourceMapConsumer.prototype = Object.create(SourceMapConsumer.prototype);
+	BasicSourceMapConsumer.prototype.consumer = SourceMapConsumer;
+	
+	/**
+	 * Create a BasicSourceMapConsumer from a SourceMapGenerator.
+	 *
+	 * @param SourceMapGenerator aSourceMap
+	 *        The source map that will be consumed.
+	 * @returns BasicSourceMapConsumer
+	 */
+	BasicSourceMapConsumer.fromSourceMap =
+	  function SourceMapConsumer_fromSourceMap(aSourceMap) {
+	    var smc = Object.create(BasicSourceMapConsumer.prototype);
+	
+	    var names = smc._names = ArraySet.fromArray(aSourceMap._names.toArray(), true);
+	    var sources = smc._sources = ArraySet.fromArray(aSourceMap._sources.toArray(), true);
+	    smc.sourceRoot = aSourceMap._sourceRoot;
+	    smc.sourcesContent = aSourceMap._generateSourcesContent(smc._sources.toArray(),
+	                                                            smc.sourceRoot);
+	    smc.file = aSourceMap._file;
+	
+	    // Because we are modifying the entries (by converting string sources and
+	    // names to indices into the sources and names ArraySets), we have to make
+	    // a copy of the entry or else bad things happen. Shared mutable state
+	    // strikes again! See github issue #191.
+	
+	    var generatedMappings = aSourceMap._mappings.toArray().slice();
+	    var destGeneratedMappings = smc.__generatedMappings = [];
+	    var destOriginalMappings = smc.__originalMappings = [];
+	
+	    for (var i = 0, length = generatedMappings.length; i < length; i++) {
+	      var srcMapping = generatedMappings[i];
+	      var destMapping = new Mapping;
+	      destMapping.generatedLine = srcMapping.generatedLine;
+	      destMapping.generatedColumn = srcMapping.generatedColumn;
+	
+	      if (srcMapping.source) {
+	        destMapping.source = sources.indexOf(srcMapping.source);
+	        destMapping.originalLine = srcMapping.originalLine;
+	        destMapping.originalColumn = srcMapping.originalColumn;
+	
+	        if (srcMapping.name) {
+	          destMapping.name = names.indexOf(srcMapping.name);
+	        }
+	
+	        destOriginalMappings.push(destMapping);
+	      }
+	
+	      destGeneratedMappings.push(destMapping);
+	    }
+	
+	    quickSort(smc.__originalMappings, util.compareByOriginalPositions);
+	
+	    return smc;
+	  };
+	
+	/**
+	 * The version of the source mapping spec that we are consuming.
+	 */
+	BasicSourceMapConsumer.prototype._version = 3;
+	
+	/**
+	 * The list of original sources.
+	 */
+	Object.defineProperty(BasicSourceMapConsumer.prototype, 'sources', {
+	  get: function () {
+	    return this._sources.toArray().map(function (s) {
+	      return this.sourceRoot != null ? util.join(this.sourceRoot, s) : s;
+	    }, this);
+	  }
+	});
+	
+	/**
+	 * Provide the JIT with a nice shape / hidden class.
+	 */
+	function Mapping() {
+	  this.generatedLine = 0;
+	  this.generatedColumn = 0;
+	  this.source = null;
+	  this.originalLine = null;
+	  this.originalColumn = null;
+	  this.name = null;
+	}
+	
+	/**
+	 * Parse the mappings in a string in to a data structure which we can easily
+	 * query (the ordered arrays in the `this.__generatedMappings` and
+	 * `this.__originalMappings` properties).
+	 */
+	BasicSourceMapConsumer.prototype._parseMappings =
+	  function SourceMapConsumer_parseMappings(aStr, aSourceRoot) {
+	    var generatedLine = 1;
+	    var previousGeneratedColumn = 0;
+	    var previousOriginalLine = 0;
+	    var previousOriginalColumn = 0;
+	    var previousSource = 0;
+	    var previousName = 0;
+	    var length = aStr.length;
+	    var index = 0;
+	    var cachedSegments = {};
+	    var temp = {};
+	    var originalMappings = [];
+	    var generatedMappings = [];
+	    var mapping, str, segment, end, value;
+	
+	    while (index < length) {
+	      if (aStr.charAt(index) === ';') {
+	        generatedLine++;
+	        index++;
+	        previousGeneratedColumn = 0;
+	      }
+	      else if (aStr.charAt(index) === ',') {
+	        index++;
+	      }
+	      else {
+	        mapping = new Mapping();
+	        mapping.generatedLine = generatedLine;
+	
+	        // Because each offset is encoded relative to the previous one,
+	        // many segments often have the same encoding. We can exploit this
+	        // fact by caching the parsed variable length fields of each segment,
+	        // allowing us to avoid a second parse if we encounter the same
+	        // segment again.
+	        for (end = index; end < length; end++) {
+	          if (this._charIsMappingSeparator(aStr, end)) {
+	            break;
+	          }
+	        }
+	        str = aStr.slice(index, end);
+	
+	        segment = cachedSegments[str];
+	        if (segment) {
+	          index += str.length;
+	        } else {
+	          segment = [];
+	          while (index < end) {
+	            base64VLQ.decode(aStr, index, temp);
+	            value = temp.value;
+	            index = temp.rest;
+	            segment.push(value);
+	          }
+	
+	          if (segment.length === 2) {
+	            throw new Error('Found a source, but no line and column');
+	          }
+	
+	          if (segment.length === 3) {
+	            throw new Error('Found a source and line, but no column');
+	          }
+	
+	          cachedSegments[str] = segment;
+	        }
+	
+	        // Generated column.
+	        mapping.generatedColumn = previousGeneratedColumn + segment[0];
+	        previousGeneratedColumn = mapping.generatedColumn;
+	
+	        if (segment.length > 1) {
+	          // Original source.
+	          mapping.source = previousSource + segment[1];
+	          previousSource += segment[1];
+	
+	          // Original line.
+	          mapping.originalLine = previousOriginalLine + segment[2];
+	          previousOriginalLine = mapping.originalLine;
+	          // Lines are stored 0-based
+	          mapping.originalLine += 1;
+	
+	          // Original column.
+	          mapping.originalColumn = previousOriginalColumn + segment[3];
+	          previousOriginalColumn = mapping.originalColumn;
+	
+	          if (segment.length > 4) {
+	            // Original name.
+	            mapping.name = previousName + segment[4];
+	            previousName += segment[4];
+	          }
+	        }
+	
+	        generatedMappings.push(mapping);
+	        if (typeof mapping.originalLine === 'number') {
+	          originalMappings.push(mapping);
+	        }
+	      }
+	    }
+	
+	    quickSort(generatedMappings, util.compareByGeneratedPositionsDeflated);
+	    this.__generatedMappings = generatedMappings;
+	
+	    quickSort(originalMappings, util.compareByOriginalPositions);
+	    this.__originalMappings = originalMappings;
+	  };
+	
+	/**
+	 * Find the mapping that best matches the hypothetical "needle" mapping that
+	 * we are searching for in the given "haystack" of mappings.
+	 */
+	BasicSourceMapConsumer.prototype._findMapping =
+	  function SourceMapConsumer_findMapping(aNeedle, aMappings, aLineName,
+	                                         aColumnName, aComparator, aBias) {
+	    // To return the position we are searching for, we must first find the
+	    // mapping for the given position and then return the opposite position it
+	    // points to. Because the mappings are sorted, we can use binary search to
+	    // find the best mapping.
+	
+	    if (aNeedle[aLineName] <= 0) {
+	      throw new TypeError('Line must be greater than or equal to 1, got '
+	                          + aNeedle[aLineName]);
+	    }
+	    if (aNeedle[aColumnName] < 0) {
+	      throw new TypeError('Column must be greater than or equal to 0, got '
+	                          + aNeedle[aColumnName]);
+	    }
+	
+	    return binarySearch.search(aNeedle, aMappings, aComparator, aBias);
+	  };
+	
+	/**
+	 * Compute the last column for each generated mapping. The last column is
+	 * inclusive.
+	 */
+	BasicSourceMapConsumer.prototype.computeColumnSpans =
+	  function SourceMapConsumer_computeColumnSpans() {
+	    for (var index = 0; index < this._generatedMappings.length; ++index) {
+	      var mapping = this._generatedMappings[index];
+	
+	      // Mappings do not contain a field for the last generated columnt. We
+	      // can come up with an optimistic estimate, however, by assuming that
+	      // mappings are contiguous (i.e. given two consecutive mappings, the
+	      // first mapping ends where the second one starts).
+	      if (index + 1 < this._generatedMappings.length) {
+	        var nextMapping = this._generatedMappings[index + 1];
+	
+	        if (mapping.generatedLine === nextMapping.generatedLine) {
+	          mapping.lastGeneratedColumn = nextMapping.generatedColumn - 1;
+	          continue;
+	        }
+	      }
+	
+	      // The last mapping for each line spans the entire line.
+	      mapping.lastGeneratedColumn = Infinity;
+	    }
+	  };
+	
+	/**
+	 * Returns the original source, line, and column information for the generated
+	 * source's line and column positions provided. The only argument is an object
+	 * with the following properties:
+	 *
+	 *   - line: The line number in the generated source.
+	 *   - column: The column number in the generated source.
+	 *   - bias: Either 'SourceMapConsumer.GREATEST_LOWER_BOUND' or
+	 *     'SourceMapConsumer.LEAST_UPPER_BOUND'. Specifies whether to return the
+	 *     closest element that is smaller than or greater than the one we are
+	 *     searching for, respectively, if the exact element cannot be found.
+	 *     Defaults to 'SourceMapConsumer.GREATEST_LOWER_BOUND'.
+	 *
+	 * and an object is returned with the following properties:
+	 *
+	 *   - source: The original source file, or null.
+	 *   - line: The line number in the original source, or null.
+	 *   - column: The column number in the original source, or null.
+	 *   - name: The original identifier, or null.
+	 */
+	BasicSourceMapConsumer.prototype.originalPositionFor =
+	  function SourceMapConsumer_originalPositionFor(aArgs) {
+	    var needle = {
+	      generatedLine: util.getArg(aArgs, 'line'),
+	      generatedColumn: util.getArg(aArgs, 'column')
+	    };
+	
+	    var index = this._findMapping(
+	      needle,
+	      this._generatedMappings,
+	      "generatedLine",
+	      "generatedColumn",
+	      util.compareByGeneratedPositionsDeflated,
+	      util.getArg(aArgs, 'bias', SourceMapConsumer.GREATEST_LOWER_BOUND)
+	    );
+	
+	    if (index >= 0) {
+	      var mapping = this._generatedMappings[index];
+	
+	      if (mapping.generatedLine === needle.generatedLine) {
+	        var source = util.getArg(mapping, 'source', null);
+	        if (source !== null) {
+	          source = this._sources.at(source);
+	          if (this.sourceRoot != null) {
+	            source = util.join(this.sourceRoot, source);
+	          }
+	        }
+	        var name = util.getArg(mapping, 'name', null);
+	        if (name !== null) {
+	          name = this._names.at(name);
+	        }
+	        return {
+	          source: source,
+	          line: util.getArg(mapping, 'originalLine', null),
+	          column: util.getArg(mapping, 'originalColumn', null),
+	          name: name
+	        };
+	      }
+	    }
+	
+	    return {
+	      source: null,
+	      line: null,
+	      column: null,
+	      name: null
+	    };
+	  };
+	
+	/**
+	 * Return true if we have the source content for every source in the source
+	 * map, false otherwise.
+	 */
+	BasicSourceMapConsumer.prototype.hasContentsOfAllSources =
+	  function BasicSourceMapConsumer_hasContentsOfAllSources() {
+	    if (!this.sourcesContent) {
+	      return false;
+	    }
+	    return this.sourcesContent.length >= this._sources.size() &&
+	      !this.sourcesContent.some(function (sc) { return sc == null; });
+	  };
+	
+	/**
+	 * Returns the original source content. The only argument is the url of the
+	 * original source file. Returns null if no original source content is
+	 * available.
+	 */
+	BasicSourceMapConsumer.prototype.sourceContentFor =
+	  function SourceMapConsumer_sourceContentFor(aSource, nullOnMissing) {
+	    if (!this.sourcesContent) {
+	      return null;
+	    }
+	
+	    if (this.sourceRoot != null) {
+	      aSource = util.relative(this.sourceRoot, aSource);
+	    }
+	
+	    if (this._sources.has(aSource)) {
+	      return this.sourcesContent[this._sources.indexOf(aSource)];
+	    }
+	
+	    var url;
+	    if (this.sourceRoot != null
+	        && (url = util.urlParse(this.sourceRoot))) {
+	      // XXX: file:// URIs and absolute paths lead to unexpected behavior for
+	      // many users. We can help them out when they expect file:// URIs to
+	      // behave like it would if they were running a local HTTP server. See
+	      // https://bugzilla.mozilla.org/show_bug.cgi?id=885597.
+	      var fileUriAbsPath = aSource.replace(/^file:\/\//, "");
+	      if (url.scheme == "file"
+	          && this._sources.has(fileUriAbsPath)) {
+	        return this.sourcesContent[this._sources.indexOf(fileUriAbsPath)]
+	      }
+	
+	      if ((!url.path || url.path == "/")
+	          && this._sources.has("/" + aSource)) {
+	        return this.sourcesContent[this._sources.indexOf("/" + aSource)];
+	      }
+	    }
+	
+	    // This function is used recursively from
+	    // IndexedSourceMapConsumer.prototype.sourceContentFor. In that case, we
+	    // don't want to throw if we can't find the source - we just want to
+	    // return null, so we provide a flag to exit gracefully.
+	    if (nullOnMissing) {
+	      return null;
+	    }
+	    else {
+	      throw new Error('"' + aSource + '" is not in the SourceMap.');
+	    }
+	  };
+	
+	/**
+	 * Returns the generated line and column information for the original source,
+	 * line, and column positions provided. The only argument is an object with
+	 * the following properties:
+	 *
+	 *   - source: The filename of the original source.
+	 *   - line: The line number in the original source.
+	 *   - column: The column number in the original source.
+	 *   - bias: Either 'SourceMapConsumer.GREATEST_LOWER_BOUND' or
+	 *     'SourceMapConsumer.LEAST_UPPER_BOUND'. Specifies whether to return the
+	 *     closest element that is smaller than or greater than the one we are
+	 *     searching for, respectively, if the exact element cannot be found.
+	 *     Defaults to 'SourceMapConsumer.GREATEST_LOWER_BOUND'.
+	 *
+	 * and an object is returned with the following properties:
+	 *
+	 *   - line: The line number in the generated source, or null.
+	 *   - column: The column number in the generated source, or null.
+	 */
+	BasicSourceMapConsumer.prototype.generatedPositionFor =
+	  function SourceMapConsumer_generatedPositionFor(aArgs) {
+	    var source = util.getArg(aArgs, 'source');
+	    if (this.sourceRoot != null) {
+	      source = util.relative(this.sourceRoot, source);
+	    }
+	    if (!this._sources.has(source)) {
+	      return {
+	        line: null,
+	        column: null,
+	        lastColumn: null
+	      };
+	    }
+	    source = this._sources.indexOf(source);
+	
+	    var needle = {
+	      source: source,
+	      originalLine: util.getArg(aArgs, 'line'),
+	      originalColumn: util.getArg(aArgs, 'column')
+	    };
+	
+	    var index = this._findMapping(
+	      needle,
+	      this._originalMappings,
+	      "originalLine",
+	      "originalColumn",
+	      util.compareByOriginalPositions,
+	      util.getArg(aArgs, 'bias', SourceMapConsumer.GREATEST_LOWER_BOUND)
+	    );
+	
+	    if (index >= 0) {
+	      var mapping = this._originalMappings[index];
+	
+	      if (mapping.source === needle.source) {
+	        return {
+	          line: util.getArg(mapping, 'generatedLine', null),
+	          column: util.getArg(mapping, 'generatedColumn', null),
+	          lastColumn: util.getArg(mapping, 'lastGeneratedColumn', null)
+	        };
+	      }
+	    }
+	
+	    return {
+	      line: null,
+	      column: null,
+	      lastColumn: null
+	    };
+	  };
+	
+	exports.BasicSourceMapConsumer = BasicSourceMapConsumer;
+	
+	/**
+	 * An IndexedSourceMapConsumer instance represents a parsed source map which
+	 * we can query for information. It differs from BasicSourceMapConsumer in
+	 * that it takes "indexed" source maps (i.e. ones with a "sections" field) as
+	 * input.
+	 *
+	 * The only parameter is a raw source map (either as a JSON string, or already
+	 * parsed to an object). According to the spec for indexed source maps, they
+	 * have the following attributes:
+	 *
+	 *   - version: Which version of the source map spec this map is following.
+	 *   - file: Optional. The generated file this source map is associated with.
+	 *   - sections: A list of section definitions.
+	 *
+	 * Each value under the "sections" field has two fields:
+	 *   - offset: The offset into the original specified at which this section
+	 *       begins to apply, defined as an object with a "line" and "column"
+	 *       field.
+	 *   - map: A source map definition. This source map could also be indexed,
+	 *       but doesn't have to be.
+	 *
+	 * Instead of the "map" field, it's also possible to have a "url" field
+	 * specifying a URL to retrieve a source map from, but that's currently
+	 * unsupported.
+	 *
+	 * Here's an example source map, taken from the source map spec[0], but
+	 * modified to omit a section which uses the "url" field.
+	 *
+	 *  {
+	 *    version : 3,
+	 *    file: "app.js",
+	 *    sections: [{
+	 *      offset: {line:100, column:10},
+	 *      map: {
+	 *        version : 3,
+	 *        file: "section.js",
+	 *        sources: ["foo.js", "bar.js"],
+	 *        names: ["src", "maps", "are", "fun"],
+	 *        mappings: "AAAA,E;;ABCDE;"
+	 *      }
+	 *    }],
+	 *  }
+	 *
+	 * [0]: https://docs.google.com/document/d/1U1RGAehQwRypUTovF1KRlpiOFze0b-_2gc6fAH0KY0k/edit#heading=h.535es3xeprgt
+	 */
+	function IndexedSourceMapConsumer(aSourceMap) {
+	  var sourceMap = aSourceMap;
+	  if (typeof aSourceMap === 'string') {
+	    sourceMap = JSON.parse(aSourceMap.replace(/^\)\]\}'/, ''));
+	  }
+	
+	  var version = util.getArg(sourceMap, 'version');
+	  var sections = util.getArg(sourceMap, 'sections');
+	
+	  if (version != this._version) {
+	    throw new Error('Unsupported version: ' + version);
+	  }
+	
+	  this._sources = new ArraySet();
+	  this._names = new ArraySet();
+	
+	  var lastOffset = {
+	    line: -1,
+	    column: 0
+	  };
+	  this._sections = sections.map(function (s) {
+	    if (s.url) {
+	      // The url field will require support for asynchronicity.
+	      // See https://github.com/mozilla/source-map/issues/16
+	      throw new Error('Support for url field in sections not implemented.');
+	    }
+	    var offset = util.getArg(s, 'offset');
+	    var offsetLine = util.getArg(offset, 'line');
+	    var offsetColumn = util.getArg(offset, 'column');
+	
+	    if (offsetLine < lastOffset.line ||
+	        (offsetLine === lastOffset.line && offsetColumn < lastOffset.column)) {
+	      throw new Error('Section offsets must be ordered and non-overlapping.');
+	    }
+	    lastOffset = offset;
+	
+	    return {
+	      generatedOffset: {
+	        // The offset fields are 0-based, but we use 1-based indices when
+	        // encoding/decoding from VLQ.
+	        generatedLine: offsetLine + 1,
+	        generatedColumn: offsetColumn + 1
+	      },
+	      consumer: new SourceMapConsumer(util.getArg(s, 'map'))
+	    }
+	  });
+	}
+	
+	IndexedSourceMapConsumer.prototype = Object.create(SourceMapConsumer.prototype);
+	IndexedSourceMapConsumer.prototype.constructor = SourceMapConsumer;
+	
+	/**
+	 * The version of the source mapping spec that we are consuming.
+	 */
+	IndexedSourceMapConsumer.prototype._version = 3;
+	
+	/**
+	 * The list of original sources.
+	 */
+	Object.defineProperty(IndexedSourceMapConsumer.prototype, 'sources', {
+	  get: function () {
+	    var sources = [];
+	    for (var i = 0; i < this._sections.length; i++) {
+	      for (var j = 0; j < this._sections[i].consumer.sources.length; j++) {
+	        sources.push(this._sections[i].consumer.sources[j]);
+	      }
+	    }
+	    return sources;
+	  }
+	});
+	
+	/**
+	 * Returns the original source, line, and column information for the generated
+	 * source's line and column positions provided. The only argument is an object
+	 * with the following properties:
+	 *
+	 *   - line: The line number in the generated source.
+	 *   - column: The column number in the generated source.
+	 *
+	 * and an object is returned with the following properties:
+	 *
+	 *   - source: The original source file, or null.
+	 *   - line: The line number in the original source, or null.
+	 *   - column: The column number in the original source, or null.
+	 *   - name: The original identifier, or null.
+	 */
+	IndexedSourceMapConsumer.prototype.originalPositionFor =
+	  function IndexedSourceMapConsumer_originalPositionFor(aArgs) {
+	    var needle = {
+	      generatedLine: util.getArg(aArgs, 'line'),
+	      generatedColumn: util.getArg(aArgs, 'column')
+	    };
+	
+	    // Find the section containing the generated position we're trying to map
+	    // to an original position.
+	    var sectionIndex = binarySearch.search(needle, this._sections,
+	      function(needle, section) {
+	        var cmp = needle.generatedLine - section.generatedOffset.generatedLine;
+	        if (cmp) {
+	          return cmp;
+	        }
+	
+	        return (needle.generatedColumn -
+	                section.generatedOffset.generatedColumn);
+	      });
+	    var section = this._sections[sectionIndex];
+	
+	    if (!section) {
+	      return {
+	        source: null,
+	        line: null,
+	        column: null,
+	        name: null
+	      };
+	    }
+	
+	    return section.consumer.originalPositionFor({
+	      line: needle.generatedLine -
+	        (section.generatedOffset.generatedLine - 1),
+	      column: needle.generatedColumn -
+	        (section.generatedOffset.generatedLine === needle.generatedLine
+	         ? section.generatedOffset.generatedColumn - 1
+	         : 0),
+	      bias: aArgs.bias
+	    });
+	  };
+	
+	/**
+	 * Return true if we have the source content for every source in the source
+	 * map, false otherwise.
+	 */
+	IndexedSourceMapConsumer.prototype.hasContentsOfAllSources =
+	  function IndexedSourceMapConsumer_hasContentsOfAllSources() {
+	    return this._sections.every(function (s) {
+	      return s.consumer.hasContentsOfAllSources();
+	    });
+	  };
+	
+	/**
+	 * Returns the original source content. The only argument is the url of the
+	 * original source file. Returns null if no original source content is
+	 * available.
+	 */
+	IndexedSourceMapConsumer.prototype.sourceContentFor =
+	  function IndexedSourceMapConsumer_sourceContentFor(aSource, nullOnMissing) {
+	    for (var i = 0; i < this._sections.length; i++) {
+	      var section = this._sections[i];
+	
+	      var content = section.consumer.sourceContentFor(aSource, true);
+	      if (content) {
+	        return content;
+	      }
+	    }
+	    if (nullOnMissing) {
+	      return null;
+	    }
+	    else {
+	      throw new Error('"' + aSource + '" is not in the SourceMap.');
+	    }
+	  };
+	
+	/**
+	 * Returns the generated line and column information for the original source,
+	 * line, and column positions provided. The only argument is an object with
+	 * the following properties:
+	 *
+	 *   - source: The filename of the original source.
+	 *   - line: The line number in the original source.
+	 *   - column: The column number in the original source.
+	 *
+	 * and an object is returned with the following properties:
+	 *
+	 *   - line: The line number in the generated source, or null.
+	 *   - column: The column number in the generated source, or null.
+	 */
+	IndexedSourceMapConsumer.prototype.generatedPositionFor =
+	  function IndexedSourceMapConsumer_generatedPositionFor(aArgs) {
+	    for (var i = 0; i < this._sections.length; i++) {
+	      var section = this._sections[i];
+	
+	      // Only consider this section if the requested source is in the list of
+	      // sources of the consumer.
+	      if (section.consumer.sources.indexOf(util.getArg(aArgs, 'source')) === -1) {
+	        continue;
+	      }
+	      var generatedPosition = section.consumer.generatedPositionFor(aArgs);
+	      if (generatedPosition) {
+	        var ret = {
+	          line: generatedPosition.line +
+	            (section.generatedOffset.generatedLine - 1),
+	          column: generatedPosition.column +
+	            (section.generatedOffset.generatedLine === generatedPosition.line
+	             ? section.generatedOffset.generatedColumn - 1
+	             : 0)
+	        };
+	        return ret;
+	      }
+	    }
+	
+	    return {
+	      line: null,
+	      column: null
+	    };
+	  };
+	
+	/**
+	 * Parse the mappings in a string in to a data structure which we can easily
+	 * query (the ordered arrays in the `this.__generatedMappings` and
+	 * `this.__originalMappings` properties).
+	 */
+	IndexedSourceMapConsumer.prototype._parseMappings =
+	  function IndexedSourceMapConsumer_parseMappings(aStr, aSourceRoot) {
+	    this.__generatedMappings = [];
+	    this.__originalMappings = [];
+	    for (var i = 0; i < this._sections.length; i++) {
+	      var section = this._sections[i];
+	      var sectionMappings = section.consumer._generatedMappings;
+	      for (var j = 0; j < sectionMappings.length; j++) {
+	        var mapping = sectionMappings[j];
+	
+	        var source = section.consumer._sources.at(mapping.source);
+	        if (section.consumer.sourceRoot !== null) {
+	          source = util.join(section.consumer.sourceRoot, source);
+	        }
+	        this._sources.add(source);
+	        source = this._sources.indexOf(source);
+	
+	        var name = section.consumer._names.at(mapping.name);
+	        this._names.add(name);
+	        name = this._names.indexOf(name);
+	
+	        // The mappings coming from the consumer for the section have
+	        // generated positions relative to the start of the section, so we
+	        // need to offset them to be relative to the start of the concatenated
+	        // generated file.
+	        var adjustedMapping = {
+	          source: source,
+	          generatedLine: mapping.generatedLine +
+	            (section.generatedOffset.generatedLine - 1),
+	          generatedColumn: mapping.generatedColumn +
+	            (section.generatedOffset.generatedLine === mapping.generatedLine
+	            ? section.generatedOffset.generatedColumn - 1
+	            : 0),
+	          originalLine: mapping.originalLine,
+	          originalColumn: mapping.originalColumn,
+	          name: name
+	        };
+	
+	        this.__generatedMappings.push(adjustedMapping);
+	        if (typeof adjustedMapping.originalLine === 'number') {
+	          this.__originalMappings.push(adjustedMapping);
+	        }
+	      }
+	    }
+	
+	    quickSort(this.__generatedMappings, util.compareByGeneratedPositionsDeflated);
+	    quickSort(this.__originalMappings, util.compareByOriginalPositions);
+	  };
+	
+	exports.IndexedSourceMapConsumer = IndexedSourceMapConsumer;
+
+
+/***/ },
+/* 389 */
+/***/ function(module, exports) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	exports.GREATEST_LOWER_BOUND = 1;
+	exports.LEAST_UPPER_BOUND = 2;
+	
+	/**
+	 * Recursive implementation of binary search.
+	 *
+	 * @param aLow Indices here and lower do not contain the needle.
+	 * @param aHigh Indices here and higher do not contain the needle.
+	 * @param aNeedle The element being searched for.
+	 * @param aHaystack The non-empty array being searched.
+	 * @param aCompare Function which takes two elements and returns -1, 0, or 1.
+	 * @param aBias Either 'binarySearch.GREATEST_LOWER_BOUND' or
+	 *     'binarySearch.LEAST_UPPER_BOUND'. Specifies whether to return the
+	 *     closest element that is smaller than or greater than the one we are
+	 *     searching for, respectively, if the exact element cannot be found.
+	 */
+	function recursiveSearch(aLow, aHigh, aNeedle, aHaystack, aCompare, aBias) {
+	  // This function terminates when one of the following is true:
+	  //
+	  //   1. We find the exact element we are looking for.
+	  //
+	  //   2. We did not find the exact element, but we can return the index of
+	  //      the next-closest element.
+	  //
+	  //   3. We did not find the exact element, and there is no next-closest
+	  //      element than the one we are searching for, so we return -1.
+	  var mid = Math.floor((aHigh - aLow) / 2) + aLow;
+	  var cmp = aCompare(aNeedle, aHaystack[mid], true);
+	  if (cmp === 0) {
+	    // Found the element we are looking for.
+	    return mid;
+	  }
+	  else if (cmp > 0) {
+	    // Our needle is greater than aHaystack[mid].
+	    if (aHigh - mid > 1) {
+	      // The element is in the upper half.
+	      return recursiveSearch(mid, aHigh, aNeedle, aHaystack, aCompare, aBias);
+	    }
+	
+	    // The exact needle element was not found in this haystack. Determine if
+	    // we are in termination case (3) or (2) and return the appropriate thing.
+	    if (aBias == exports.LEAST_UPPER_BOUND) {
+	      return aHigh < aHaystack.length ? aHigh : -1;
+	    } else {
+	      return mid;
+	    }
+	  }
+	  else {
+	    // Our needle is less than aHaystack[mid].
+	    if (mid - aLow > 1) {
+	      // The element is in the lower half.
+	      return recursiveSearch(aLow, mid, aNeedle, aHaystack, aCompare, aBias);
+	    }
+	
+	    // we are in termination case (3) or (2) and return the appropriate thing.
+	    if (aBias == exports.LEAST_UPPER_BOUND) {
+	      return mid;
+	    } else {
+	      return aLow < 0 ? -1 : aLow;
+	    }
+	  }
+	}
+	
+	/**
+	 * This is an implementation of binary search which will always try and return
+	 * the index of the closest element if there is no exact hit. This is because
+	 * mappings between original and generated line/col pairs are single points,
+	 * and there is an implicit region between each of them, so a miss just means
+	 * that you aren't on the very start of a region.
+	 *
+	 * @param aNeedle The element you are looking for.
+	 * @param aHaystack The array that is being searched.
+	 * @param aCompare A function which takes the needle and an element in the
+	 *     array and returns -1, 0, or 1 depending on whether the needle is less
+	 *     than, equal to, or greater than the element, respectively.
+	 * @param aBias Either 'binarySearch.GREATEST_LOWER_BOUND' or
+	 *     'binarySearch.LEAST_UPPER_BOUND'. Specifies whether to return the
+	 *     closest element that is smaller than or greater than the one we are
+	 *     searching for, respectively, if the exact element cannot be found.
+	 *     Defaults to 'binarySearch.GREATEST_LOWER_BOUND'.
+	 */
+	exports.search = function search(aNeedle, aHaystack, aCompare, aBias) {
+	  if (aHaystack.length === 0) {
+	    return -1;
+	  }
+	
+	  var index = recursiveSearch(-1, aHaystack.length, aNeedle, aHaystack,
+	                              aCompare, aBias || exports.GREATEST_LOWER_BOUND);
+	  if (index < 0) {
+	    return -1;
+	  }
+	
+	  // We have found either the exact element, or the next-closest element than
+	  // the one we are searching for. However, there may be more than one such
+	  // element. Make sure we always return the smallest of these.
+	  while (index - 1 >= 0) {
+	    if (aCompare(aHaystack[index], aHaystack[index - 1], true) !== 0) {
+	      break;
+	    }
+	    --index;
+	  }
+	
+	  return index;
+	};
+
+
+/***/ },
+/* 390 */
+/***/ function(module, exports) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	// It turns out that some (most?) JavaScript engines don't self-host
+	// `Array.prototype.sort`. This makes sense because C++ will likely remain
+	// faster than JS when doing raw CPU-intensive sorting. However, when using a
+	// custom comparator function, calling back and forth between the VM's C++ and
+	// JIT'd JS is rather slow *and* loses JIT type information, resulting in
+	// worse generated code for the comparator function than would be optimal. In
+	// fact, when sorting with a comparator, these costs outweigh the benefits of
+	// sorting in C++. By using our own JS-implemented Quick Sort (below), we get
+	// a ~3500ms mean speed-up in `bench/bench.html`.
+	
+	/**
+	 * Swap the elements indexed by `x` and `y` in the array `ary`.
+	 *
+	 * @param {Array} ary
+	 *        The array.
+	 * @param {Number} x
+	 *        The index of the first item.
+	 * @param {Number} y
+	 *        The index of the second item.
+	 */
+	function swap(ary, x, y) {
+	  var temp = ary[x];
+	  ary[x] = ary[y];
+	  ary[y] = temp;
+	}
+	
+	/**
+	 * Returns a random integer within the range `low .. high` inclusive.
+	 *
+	 * @param {Number} low
+	 *        The lower bound on the range.
+	 * @param {Number} high
+	 *        The upper bound on the range.
+	 */
+	function randomIntInRange(low, high) {
+	  return Math.round(low + (Math.random() * (high - low)));
+	}
+	
+	/**
+	 * The Quick Sort algorithm.
+	 *
+	 * @param {Array} ary
+	 *        An array to sort.
+	 * @param {function} comparator
+	 *        Function to use to compare two items.
+	 * @param {Number} p
+	 *        Start index of the array
+	 * @param {Number} r
+	 *        End index of the array
+	 */
+	function doQuickSort(ary, comparator, p, r) {
+	  // If our lower bound is less than our upper bound, we (1) partition the
+	  // array into two pieces and (2) recurse on each half. If it is not, this is
+	  // the empty array and our base case.
+	
+	  if (p < r) {
+	    // (1) Partitioning.
+	    //
+	    // The partitioning chooses a pivot between `p` and `r` and moves all
+	    // elements that are less than or equal to the pivot to the before it, and
+	    // all the elements that are greater than it after it. The effect is that
+	    // once partition is done, the pivot is in the exact place it will be when
+	    // the array is put in sorted order, and it will not need to be moved
+	    // again. This runs in O(n) time.
+	
+	    // Always choose a random pivot so that an input array which is reverse
+	    // sorted does not cause O(n^2) running time.
+	    var pivotIndex = randomIntInRange(p, r);
+	    var i = p - 1;
+	
+	    swap(ary, pivotIndex, r);
+	    var pivot = ary[r];
+	
+	    // Immediately after `j` is incremented in this loop, the following hold
+	    // true:
+	    //
+	    //   * Every element in `ary[p .. i]` is less than or equal to the pivot.
+	    //
+	    //   * Every element in `ary[i+1 .. j-1]` is greater than the pivot.
+	    for (var j = p; j < r; j++) {
+	      if (comparator(ary[j], pivot) <= 0) {
+	        i += 1;
+	        swap(ary, i, j);
+	      }
+	    }
+	
+	    swap(ary, i + 1, j);
+	    var q = i + 1;
+	
+	    // (2) Recurse on each half.
+	
+	    doQuickSort(ary, comparator, p, q - 1);
+	    doQuickSort(ary, comparator, q + 1, r);
+	  }
+	}
+	
+	/**
+	 * Sort the given array in-place with the given comparator function.
+	 *
+	 * @param {Array} ary
+	 *        An array to sort.
+	 * @param {function} comparator
+	 *        Function to use to compare two items.
+	 */
+	exports.quickSort = function (ary, comparator) {
+	  doQuickSort(ary, comparator, 0, ary.length - 1);
+	};
+
+
+/***/ },
+/* 391 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* -*- Mode: js; js-indent-level: 2; -*- */
+	/*
+	 * Copyright 2011 Mozilla Foundation and contributors
+	 * Licensed under the New BSD license. See LICENSE or:
+	 * http://opensource.org/licenses/BSD-3-Clause
+	 */
+	
+	var SourceMapGenerator = __webpack_require__(382).SourceMapGenerator;
+	var util = __webpack_require__(385);
+	
+	// Matches a Windows-style `\r\n` newline or a `\n` newline used by all other
+	// operating systems these days (capturing the result).
+	var REGEX_NEWLINE = /(\r?\n)/;
+	
+	// Newline character code for charCodeAt() comparisons
+	var NEWLINE_CODE = 10;
+	
+	// Private symbol for identifying `SourceNode`s when multiple versions of
+	// the source-map library are loaded. This MUST NOT CHANGE across
+	// versions!
+	var isSourceNode = "$$$isSourceNode$$$";
+	
+	/**
+	 * SourceNodes provide a way to abstract over interpolating/concatenating
+	 * snippets of generated JavaScript source code while maintaining the line and
+	 * column information associated with the original source code.
+	 *
+	 * @param aLine The original line number.
+	 * @param aColumn The original column number.
+	 * @param aSource The original source's filename.
+	 * @param aChunks Optional. An array of strings which are snippets of
+	 *        generated JS, or other SourceNodes.
+	 * @param aName The original identifier.
+	 */
+	function SourceNode(aLine, aColumn, aSource, aChunks, aName) {
+	  this.children = [];
+	  this.sourceContents = {};
+	  this.line = aLine == null ? null : aLine;
+	  this.column = aColumn == null ? null : aColumn;
+	  this.source = aSource == null ? null : aSource;
+	  this.name = aName == null ? null : aName;
+	  this[isSourceNode] = true;
+	  if (aChunks != null) this.add(aChunks);
+	}
+	
+	/**
+	 * Creates a SourceNode from generated code and a SourceMapConsumer.
+	 *
+	 * @param aGeneratedCode The generated code
+	 * @param aSourceMapConsumer The SourceMap for the generated code
+	 * @param aRelativePath Optional. The path that relative sources in the
+	 *        SourceMapConsumer should be relative to.
+	 */
+	SourceNode.fromStringWithSourceMap =
+	  function SourceNode_fromStringWithSourceMap(aGeneratedCode, aSourceMapConsumer, aRelativePath) {
+	    // The SourceNode we want to fill with the generated code
+	    // and the SourceMap
+	    var node = new SourceNode();
+	
+	    // All even indices of this array are one line of the generated code,
+	    // while all odd indices are the newlines between two adjacent lines
+	    // (since `REGEX_NEWLINE` captures its match).
+	    // Processed fragments are removed from this array, by calling `shiftNextLine`.
+	    var remainingLines = aGeneratedCode.split(REGEX_NEWLINE);
+	    var shiftNextLine = function() {
+	      var lineContents = remainingLines.shift();
+	      // The last line of a file might not have a newline.
+	      var newLine = remainingLines.shift() || "";
+	      return lineContents + newLine;
+	    };
+	
+	    // We need to remember the position of "remainingLines"
+	    var lastGeneratedLine = 1, lastGeneratedColumn = 0;
+	
+	    // The generate SourceNodes we need a code range.
+	    // To extract it current and last mapping is used.
+	    // Here we store the last mapping.
+	    var lastMapping = null;
+	
+	    aSourceMapConsumer.eachMapping(function (mapping) {
+	      if (lastMapping !== null) {
+	        // We add the code from "lastMapping" to "mapping":
+	        // First check if there is a new line in between.
+	        if (lastGeneratedLine < mapping.generatedLine) {
+	          // Associate first line with "lastMapping"
+	          addMappingWithCode(lastMapping, shiftNextLine());
+	          lastGeneratedLine++;
+	          lastGeneratedColumn = 0;
+	          // The remaining code is added without mapping
+	        } else {
+	          // There is no new line in between.
+	          // Associate the code between "lastGeneratedColumn" and
+	          // "mapping.generatedColumn" with "lastMapping"
+	          var nextLine = remainingLines[0];
+	          var code = nextLine.substr(0, mapping.generatedColumn -
+	                                        lastGeneratedColumn);
+	          remainingLines[0] = nextLine.substr(mapping.generatedColumn -
+	                                              lastGeneratedColumn);
+	          lastGeneratedColumn = mapping.generatedColumn;
+	          addMappingWithCode(lastMapping, code);
+	          // No more remaining code, continue
+	          lastMapping = mapping;
+	          return;
+	        }
+	      }
+	      // We add the generated code until the first mapping
+	      // to the SourceNode without any mapping.
+	      // Each line is added as separate string.
+	      while (lastGeneratedLine < mapping.generatedLine) {
+	        node.add(shiftNextLine());
+	        lastGeneratedLine++;
+	      }
+	      if (lastGeneratedColumn < mapping.generatedColumn) {
+	        var nextLine = remainingLines[0];
+	        node.add(nextLine.substr(0, mapping.generatedColumn));
+	        remainingLines[0] = nextLine.substr(mapping.generatedColumn);
+	        lastGeneratedColumn = mapping.generatedColumn;
+	      }
+	      lastMapping = mapping;
+	    }, this);
+	    // We have processed all mappings.
+	    if (remainingLines.length > 0) {
+	      if (lastMapping) {
+	        // Associate the remaining code in the current line with "lastMapping"
+	        addMappingWithCode(lastMapping, shiftNextLine());
+	      }
+	      // and add the remaining lines without any mapping
+	      node.add(remainingLines.join(""));
+	    }
+	
+	    // Copy sourcesContent into SourceNode
+	    aSourceMapConsumer.sources.forEach(function (sourceFile) {
+	      var content = aSourceMapConsumer.sourceContentFor(sourceFile);
+	      if (content != null) {
+	        if (aRelativePath != null) {
+	          sourceFile = util.join(aRelativePath, sourceFile);
+	        }
+	        node.setSourceContent(sourceFile, content);
+	      }
+	    });
+	
+	    return node;
+	
+	    function addMappingWithCode(mapping, code) {
+	      if (mapping === null || mapping.source === undefined) {
+	        node.add(code);
+	      } else {
+	        var source = aRelativePath
+	          ? util.join(aRelativePath, mapping.source)
+	          : mapping.source;
+	        node.add(new SourceNode(mapping.originalLine,
+	                                mapping.originalColumn,
+	                                source,
+	                                code,
+	                                mapping.name));
+	      }
+	    }
+	  };
+	
+	/**
+	 * Add a chunk of generated JS to this source node.
+	 *
+	 * @param aChunk A string snippet of generated JS code, another instance of
+	 *        SourceNode, or an array where each member is one of those things.
+	 */
+	SourceNode.prototype.add = function SourceNode_add(aChunk) {
+	  if (Array.isArray(aChunk)) {
+	    aChunk.forEach(function (chunk) {
+	      this.add(chunk);
+	    }, this);
+	  }
+	  else if (aChunk[isSourceNode] || typeof aChunk === "string") {
+	    if (aChunk) {
+	      this.children.push(aChunk);
+	    }
+	  }
+	  else {
+	    throw new TypeError(
+	      "Expected a SourceNode, string, or an array of SourceNodes and strings. Got " + aChunk
+	    );
+	  }
+	  return this;
+	};
+	
+	/**
+	 * Add a chunk of generated JS to the beginning of this source node.
+	 *
+	 * @param aChunk A string snippet of generated JS code, another instance of
+	 *        SourceNode, or an array where each member is one of those things.
+	 */
+	SourceNode.prototype.prepend = function SourceNode_prepend(aChunk) {
+	  if (Array.isArray(aChunk)) {
+	    for (var i = aChunk.length-1; i >= 0; i--) {
+	      this.prepend(aChunk[i]);
+	    }
+	  }
+	  else if (aChunk[isSourceNode] || typeof aChunk === "string") {
+	    this.children.unshift(aChunk);
+	  }
+	  else {
+	    throw new TypeError(
+	      "Expected a SourceNode, string, or an array of SourceNodes and strings. Got " + aChunk
+	    );
+	  }
+	  return this;
+	};
+	
+	/**
+	 * Walk over the tree of JS snippets in this node and its children. The
+	 * walking function is called once for each snippet of JS and is passed that
+	 * snippet and the its original associated source's line/column location.
+	 *
+	 * @param aFn The traversal function.
+	 */
+	SourceNode.prototype.walk = function SourceNode_walk(aFn) {
+	  var chunk;
+	  for (var i = 0, len = this.children.length; i < len; i++) {
+	    chunk = this.children[i];
+	    if (chunk[isSourceNode]) {
+	      chunk.walk(aFn);
+	    }
+	    else {
+	      if (chunk !== '') {
+	        aFn(chunk, { source: this.source,
+	                     line: this.line,
+	                     column: this.column,
+	                     name: this.name });
+	      }
+	    }
+	  }
+	};
+	
+	/**
+	 * Like `String.prototype.join` except for SourceNodes. Inserts `aStr` between
+	 * each of `this.children`.
+	 *
+	 * @param aSep The separator.
+	 */
+	SourceNode.prototype.join = function SourceNode_join(aSep) {
+	  var newChildren;
+	  var i;
+	  var len = this.children.length;
+	  if (len > 0) {
+	    newChildren = [];
+	    for (i = 0; i < len-1; i++) {
+	      newChildren.push(this.children[i]);
+	      newChildren.push(aSep);
+	    }
+	    newChildren.push(this.children[i]);
+	    this.children = newChildren;
+	  }
+	  return this;
+	};
+	
+	/**
+	 * Call String.prototype.replace on the very right-most source snippet. Useful
+	 * for trimming whitespace from the end of a source node, etc.
+	 *
+	 * @param aPattern The pattern to replace.
+	 * @param aReplacement The thing to replace the pattern with.
+	 */
+	SourceNode.prototype.replaceRight = function SourceNode_replaceRight(aPattern, aReplacement) {
+	  var lastChild = this.children[this.children.length - 1];
+	  if (lastChild[isSourceNode]) {
+	    lastChild.replaceRight(aPattern, aReplacement);
+	  }
+	  else if (typeof lastChild === 'string') {
+	    this.children[this.children.length - 1] = lastChild.replace(aPattern, aReplacement);
+	  }
+	  else {
+	    this.children.push(''.replace(aPattern, aReplacement));
+	  }
+	  return this;
+	};
+	
+	/**
+	 * Set the source content for a source file. This will be added to the SourceMapGenerator
+	 * in the sourcesContent field.
+	 *
+	 * @param aSourceFile The filename of the source file
+	 * @param aSourceContent The content of the source file
+	 */
+	SourceNode.prototype.setSourceContent =
+	  function SourceNode_setSourceContent(aSourceFile, aSourceContent) {
+	    this.sourceContents[util.toSetString(aSourceFile)] = aSourceContent;
+	  };
+	
+	/**
+	 * Walk over the tree of SourceNodes. The walking function is called for each
+	 * source file content and is passed the filename and source content.
+	 *
+	 * @param aFn The traversal function.
+	 */
+	SourceNode.prototype.walkSourceContents =
+	  function SourceNode_walkSourceContents(aFn) {
+	    for (var i = 0, len = this.children.length; i < len; i++) {
+	      if (this.children[i][isSourceNode]) {
+	        this.children[i].walkSourceContents(aFn);
+	      }
+	    }
+	
+	    var sources = Object.keys(this.sourceContents);
+	    for (var i = 0, len = sources.length; i < len; i++) {
+	      aFn(util.fromSetString(sources[i]), this.sourceContents[sources[i]]);
+	    }
+	  };
+	
+	/**
+	 * Return the string representation of this source node. Walks over the tree
+	 * and concatenates all the various snippets together to one string.
+	 */
+	SourceNode.prototype.toString = function SourceNode_toString() {
+	  var str = "";
+	  this.walk(function (chunk) {
+	    str += chunk;
+	  });
+	  return str;
+	};
+	
+	/**
+	 * Returns the string representation of this source node along with a source
+	 * map.
+	 */
+	SourceNode.prototype.toStringWithSourceMap = function SourceNode_toStringWithSourceMap(aArgs) {
+	  var generated = {
+	    code: "",
+	    line: 1,
+	    column: 0
+	  };
+	  var map = new SourceMapGenerator(aArgs);
+	  var sourceMappingActive = false;
+	  var lastOriginalSource = null;
+	  var lastOriginalLine = null;
+	  var lastOriginalColumn = null;
+	  var lastOriginalName = null;
+	  this.walk(function (chunk, original) {
+	    generated.code += chunk;
+	    if (original.source !== null
+	        && original.line !== null
+	        && original.column !== null) {
+	      if(lastOriginalSource !== original.source
+	         || lastOriginalLine !== original.line
+	         || lastOriginalColumn !== original.column
+	         || lastOriginalName !== original.name) {
+	        map.addMapping({
+	          source: original.source,
+	          original: {
+	            line: original.line,
+	            column: original.column
+	          },
+	          generated: {
+	            line: generated.line,
+	            column: generated.column
+	          },
+	          name: original.name
+	        });
+	      }
+	      lastOriginalSource = original.source;
+	      lastOriginalLine = original.line;
+	      lastOriginalColumn = original.column;
+	      lastOriginalName = original.name;
+	      sourceMappingActive = true;
+	    } else if (sourceMappingActive) {
+	      map.addMapping({
+	        generated: {
+	          line: generated.line,
+	          column: generated.column
+	        }
+	      });
+	      lastOriginalSource = null;
+	      sourceMappingActive = false;
+	    }
+	    for (var idx = 0, length = chunk.length; idx < length; idx++) {
+	      if (chunk.charCodeAt(idx) === NEWLINE_CODE) {
+	        generated.line++;
+	        generated.column = 0;
+	        // Mappings end at eol
+	        if (idx + 1 === length) {
+	          lastOriginalSource = null;
+	          sourceMappingActive = false;
+	        } else if (sourceMappingActive) {
+	          map.addMapping({
+	            source: original.source,
+	            original: {
+	              line: original.line,
+	              column: original.column
+	            },
+	            generated: {
+	              line: generated.line,
+	              column: generated.column
+	            },
+	            name: original.name
+	          });
+	        }
+	      } else {
+	        generated.column++;
+	      }
+	    }
+	  });
+	  this.walkSourceContents(function (sourceFile, sourceContent) {
+	    map.setSourceContent(sourceFile, sourceContent);
+	  });
+	
+	  return { code: generated.code, map: map };
+	};
+	
+	exports.SourceNode = SourceNode;
+
+
+/***/ },
+/* 392 */
+/***/ function(module, exports) {
+
+	function basename(path) {
+	  return path.split("/").pop();
+	}
+	
+	function dirname(path) {
+	  var idx = path.lastIndexOf("/");
+	  return path.slice(0, idx);
+	}
+	
+	function isURL(str) {
+	  return str.indexOf("://") !== -1;
+	}
+	
+	function isAbsolute(str) {
+	  return str[0] === "/";
+	}
+	
+	module.exports = {
+	  basename, dirname, isURL, isAbsolute
+	};
+
+/***/ },
+/* 393 */
+/***/ function(module, exports) {
+
+	
+	
+	/**
+	 * Trims the query part or reference identifier of a url string, if necessary.
+	 */
+	function trimUrlQuery(url) {
+	  var length = url.length;
+	  var q1 = url.indexOf("?");
+	  var q2 = url.indexOf("&");
+	  var q3 = url.indexOf("#");
+	  var q = Math.min(q1 != -1 ? q1 : length, q2 != -1 ? q2 : length, q3 != -1 ? q3 : length);
+	
+	  return url.slice(0, q);
+	}
+	
+	/**
+	 * Returns true if the specified url and/or content type are specific to
+	 * javascript files.
+	 *
+	 * @return boolean
+	 *         True if the source is likely javascript.
+	 */
+	function isJavaScript(url) {
+	  var contentType = arguments.length <= 1 || arguments[1] === undefined ? "" : arguments[1];
+	
+	  return url && /\.(jsm|js)?$/.test(trimUrlQuery(url)) || contentType.includes("javascript");
+	}
+	
+	// TODO: This should use a shared Source type
+	function isPretty(source) {
+	  return source.url ? /formatted$/.test(source.url) : false;
+	}
+	
+	module.exports = {
+	  isJavaScript,
+	  isPretty
+	};
+
+/***/ },
+/* 394 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	/* global window gThreadClient setNamedTimeout services EVENTS */
+	/* eslint no-shadow: 0  */
+	
+	/**
+	 * Redux actions for the event listeners state
+	 * @module actions/event-listeners
+	 */
+	
+	var constants = __webpack_require__(349);
+	
+	var _require = __webpack_require__(342);
+	
+	var asPaused = _require.asPaused;
+	
+	var _require2 = __webpack_require__(344);
+	
+	var reportException = _require2.reportException;
+	
+	var _require3 = __webpack_require__(251);
+	
+	var Task = _require3.Task;
+	
+	// delay is in ms
+	
+	var FETCH_EVENT_LISTENERS_DELAY = 200;
+	
+	/**
+	 * @memberof actions/event-listeners
+	 * @static
+	 */
+	function fetchEventListeners() {
+	  return (dispatch, getState) => {
+	    // Make sure we"re not sending a batch of closely repeated requests.
+	    // This can easily happen whenever new sources are fetched.
+	    setNamedTimeout("event-listeners-fetch", FETCH_EVENT_LISTENERS_DELAY, () => {
+	      // In case there is still a request of listeners going on (it
+	      // takes several RDP round trips right now), make sure we wait
+	      // on a currently running request
+	      if (getState().eventListeners.fetchingListeners) {
+	        dispatch({
+	          type: services.WAIT_UNTIL,
+	          predicate: action => action.type === constants.FETCH_EVENT_LISTENERS && action.status === "done",
+	          run: dispatch => dispatch(fetchEventListeners())
+	        });
+	        return;
+	      }
+	
+	      dispatch({
+	        type: constants.FETCH_EVENT_LISTENERS,
+	        status: "begin"
+	      });
+	
+	      asPaused(gThreadClient, _getListeners).then(listeners => {
+	        // Notify that event listeners were fetched and shown in the view,
+	        // and callback to resume the active thread if necessary.
+	        window.emit(EVENTS.EVENT_LISTENERS_FETCHED);
+	
+	        dispatch({
+	          type: constants.FETCH_EVENT_LISTENERS,
+	          status: "done",
+	          listeners: listeners
+	        });
+	      });
+	    });
+	  };
+	}
+	
+	var _getListeners = Task.async(function* () {
+	  var response = yield gThreadClient.eventListeners();
+	
+	  // Make sure all the listeners are sorted by the event type, since
+	  // they"re not guaranteed to be clustered together.
+	  response.listeners.sort((a, b) => a.type > b.type ? 1 : -1);
+	
+	  // Add all the listeners in the debugger view event linsteners container.
+	  var fetchedDefinitions = new Map();
+	  var listeners = [];
+	  for (var listener of response.listeners) {
+	    var definitionSite = void 0;
+	    if (fetchedDefinitions.has(listener.function.actor)) {
+	      definitionSite = fetchedDefinitions.get(listener.function.actor);
+	    } else if (listener.function.class == "Function") {
+	      definitionSite = yield _getDefinitionSite(listener.function);
+	      if (!definitionSite) {
+	        // We don"t know where this listener comes from so don"t show it in
+	        // the UI as breaking on it doesn"t work (bug 942899).
+	        continue;
+	      }
+	
+	      fetchedDefinitions.set(listener.function.actor, definitionSite);
+	    }
+	    listener.function.url = definitionSite;
+	    listeners.push(listener);
+	  }
+	  fetchedDefinitions.clear();
+	
+	  return listeners;
+	});
+	
+	var _getDefinitionSite = Task.async(function* (func) {
+	  var grip = gThreadClient.pauseGrip(func);
+	  var response = void 0;
+	
+	  try {
+	    response = yield grip.getDefinitionSite();
+	  } catch (e) {
+	    // Don't make this error fatal, it would break the entire events pane.
+	    reportException("_getDefinitionSite", e);
+	    return null;
+	  }
+	
+	  return response.source.url;
+	});
+	
+	/**
+	 * @memberof actions/event-listeners
+	 * @static
+	 * @param {string} eventNames
+	 */
+	function updateEventBreakpoints(eventNames) {
+	  return dispatch => {
+	    setNamedTimeout("event-breakpoints-update", 0, () => {
+	      gThreadClient.pauseOnDOMEvents(eventNames, function () {
+	        // Notify that event breakpoints were added/removed on the server.
+	        window.emit(EVENTS.EVENT_BREAKPOINTS_UPDATED);
+	
+	        dispatch({
+	          type: constants.UPDATE_EVENT_BREAKPOINTS,
+	          eventNames: eventNames
+	        });
+	      });
+	    });
+	  };
+	}
+	
+	module.exports = { updateEventBreakpoints, fetchEventListeners };
+
+/***/ },
+/* 395 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();
+	
+	var _prettyPrintSource = (() => {
+	  var _ref = _asyncToGenerator(function* (_ref2) {
+	    var source = _ref2.source;
+	    var sourceText = _ref2.sourceText;
+	    var url = _ref2.url;
+	
+	    var contentType = sourceText ? sourceText.contentType : null;
+	    var indent = 2;
+	
+	    invariant(isJavaScript(source.url, contentType), "Can't prettify non-javascript files.");
+	
+	    var _ref3 = yield workerTask(new Worker("public/build/pretty-print-worker.js"), {
+	      url,
+	      indent,
+	      source: sourceText.text
+	    });
+	
+	    var code = _ref3.code;
+	    var mappings = _ref3.mappings;
+	
+	
+	    return { code, mappings };
+	  });
+	
+	  return function _prettyPrintSource(_x) {
+	    return _ref.apply(this, arguments);
+	  };
+	})();
+	
+	/**
+	 * Handler for the debugger client's unsolicited newSource notification.
+	 * @memberof actions/sources
+	 * @static
+	 */
+	
+	
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	/**
+	 * Redux actions for the sources state
+	 * @module actions/sources
+	 */
+	
+	var defer = __webpack_require__(267);
+	
+	var _require = __webpack_require__(341);
+	
+	var PROMISE = _require.PROMISE;
+	
+	var _require2 = __webpack_require__(251);
+	
+	var Task = _require2.Task;
+	
+	var _require3 = __webpack_require__(393);
+	
+	var isJavaScript = _require3.isJavaScript;
+	
+	var _require4 = __webpack_require__(342);
+	
+	var workerTask = _require4.workerTask;
+	
+	var _require5 = __webpack_require__(396);
+	
+	var updateFrameLocations = _require5.updateFrameLocations;
+	
+	var _require6 = __webpack_require__(371);
+	
+	var fetchSourceMap = _require6.fetchSourceMap;
+	var getOriginalSourceText = _require6.getOriginalSourceText;
+	var generatedToOriginalId = _require6.generatedToOriginalId;
+	var isOriginalId = _require6.isOriginalId;
+	var applySourceMap = _require6.applySourceMap;
+	
+	
+	var constants = __webpack_require__(349);
+	var invariant = __webpack_require__(180);
+	
+	var _require7 = __webpack_require__(201);
+	
+	var isEnabled = _require7.isEnabled;
+	
+	var _require8 = __webpack_require__(397);
+	
+	var removeDocument = _require8.removeDocument;
+	
+	var _require9 = __webpack_require__(358);
+	
+	var getSource = _require9.getSource;
+	var getSourceByURL = _require9.getSourceByURL;
+	var getSourceText = _require9.getSourceText;
+	var getPendingSelectedLocation = _require9.getPendingSelectedLocation;
+	var getFrames = _require9.getFrames;
+	function newSource(source) {
+	  return _ref4 => {
+	    var dispatch = _ref4.dispatch;
+	    var getState = _ref4.getState;
+	
+	    if (isEnabled("sourceMaps")) {
+	      dispatch(loadSourceMap(source));
+	    }
+	
+	    dispatch({
+	      type: constants.ADD_SOURCE,
+	      source
+	    });
+	
+	    // If a request has been made to show this source, go ahead and
+	    // select it.
+	    var pendingLocation = getPendingSelectedLocation(getState());
+	    if (pendingLocation && pendingLocation.url === source.url) {
+	      dispatch(selectSource(source.id, { line: pendingLocation.line }));
+	    }
+	  };
+	}
+	
+	function newSources(sources) {
+	  return _ref5 => {
+	    var dispatch = _ref5.dispatch;
+	    var getState = _ref5.getState;
+	
+	    sources.filter(source => !getSource(getState(), source.id)).forEach(source => dispatch(newSource(source)));
+	  };
+	}
+	
+	/**
+	 * @memberof actions/sources
+	 * @static
+	 */
+	function loadSourceMap(generatedSource) {
+	  return (() => {
+	    var _ref6 = _asyncToGenerator(function* (_ref7) {
+	      var dispatch = _ref7.dispatch;
+	      var getState = _ref7.getState;
+	
+	      var map = yield fetchSourceMap(generatedSource);
+	      if (!map) {
+	        // If this source doesn't have a sourcemap, do nothing.
+	        return;
+	      }
+	
+	      var originalSources = map.sources.map(function (originalUrl) {
+	        return {
+	          url: originalUrl,
+	          id: generatedToOriginalId(generatedSource.id, originalUrl),
+	          isPrettyPrinted: false
+	        };
+	      });
+	
+	      originalSources.forEach(function (s) {
+	        return dispatch(newSource(s));
+	      });
+	      return map;
+	    });
+	
+	    return function (_x2) {
+	      return _ref6.apply(this, arguments);
+	    };
+	  })();
+	}
+	
+	/**
+	 * Deterministically select a source that has a given URL. This will
+	 * work regardless of the connection status or if the source exists
+	 * yet. This exists mostly for external things to interact with the
+	 * debugger.
+	 *
+	 * @memberof actions/sources
+	 * @static
+	 */
+	function selectSourceURL(url) {
+	  var options = arguments.length <= 1 || arguments[1] === undefined ? {} : arguments[1];
+	
+	  return _ref8 => {
+	    var dispatch = _ref8.dispatch;
+	    var getState = _ref8.getState;
+	
+	    var source = getSourceByURL(getState(), url);
+	    if (source) {
+	      dispatch(selectSource(source.get("id"), options));
+	    } else {
+	      dispatch({
+	        type: constants.SELECT_SOURCE_URL,
+	        url: url,
+	        tabIndex: options.tabIndex,
+	        line: options.line
+	      });
+	    }
+	  };
+	}
+	
+	/**
+	 * @memberof actions/sources
+	 * @static
+	 */
+	function selectSource(id) {
+	  var options = arguments.length <= 1 || arguments[1] === undefined ? {} : arguments[1];
+	
+	  return _ref9 => {
+	    var dispatch = _ref9.dispatch;
+	    var getState = _ref9.getState;
+	    var client = _ref9.client;
+	
+	    if (!client) {
+	      // No connection, do nothing. This happens when the debugger is
+	      // shut down too fast and it tries to display a default source.
+	      return;
+	    }
+	
+	    var source = getSource(getState(), id).toJS();
+	
+	    // Make sure to start a request to load the source text.
+	    dispatch(loadSourceText(source));
+	
+	    dispatch({
+	      type: constants.SELECT_SOURCE,
+	      source: source,
+	      tabIndex: options.tabIndex,
+	      line: options.line
+	    });
+	  };
+	}
+	
+	/**
+	 * @memberof actions/sources
+	 * @static
+	 */
+	function closeTab(id) {
+	  removeDocument(id);
+	  return {
+	    type: constants.CLOSE_TAB,
+	    id: id
+	  };
+	}
+	
+	/**
+	 * Set the black boxed status of the given source.
+	 *
+	 * @memberof actions/sources
+	 * @static
+	 * @param Object source
+	 *        The source form.
+	 * @param bool shouldBlackBox
+	 *        True to black box the source, false to un-black box it.
+	 * @returns {Promise}
+	 *          A promize that resolves to [aSource, isBlackBoxed] or rejects to
+	 *          [aSource, error].
+	 */
+	function blackbox(source, shouldBlackBox) {
+	  return _ref10 => {
+	    var dispatch = _ref10.dispatch;
+	    var client = _ref10.client;
+	
+	    dispatch({
+	      type: constants.BLACKBOX,
+	      source: source,
+	      [PROMISE]: Task.spawn(function* () {
+	        yield shouldBlackBox ? client.blackBox(source.id) : client.unblackBox(source.id);
+	        return {
+	          isBlackBoxed: shouldBlackBox
+	        };
+	      })
+	    });
+	  };
+	}
+	
+	/**
+	 * Toggle the pretty printing of a source's text. All subsequent calls to
+	 * |getText| will return the pretty-toggled text. Nothing will happen for
+	 * non-javascript files.
+	 *
+	 * @memberof actions/sources
+	 * @static
+	 * @param string id The source form from the RDP.
+	 * @returns Promise
+	 *          A promise that resolves to [aSource, prettyText] or rejects to
+	 *          [aSource, error].
+	 */
+	function togglePrettyPrint(sourceId) {
+	  return _ref11 => {
+	    var dispatch = _ref11.dispatch;
+	    var getState = _ref11.getState;
+	    var client = _ref11.client;
+	
+	    var source = getSource(getState(), sourceId).toJS();
+	    var sourceText = getSourceText(getState(), sourceId).toJS();
+	
+	    if (!isEnabled("prettyPrint") || sourceText.loading || source.isPrettyPrinted) {
+	      return {};
+	    }
+	
+	    var url = source.url + ":formatted";
+	    var id = generatedToOriginalId(source.id, url);
+	    var originalSource = { url, id, isPrettyPrinted: false };
+	    dispatch({
+	      type: constants.ADD_SOURCE,
+	      source: originalSource
+	    });
+	
+	    return dispatch({
+	      type: constants.TOGGLE_PRETTY_PRINT,
+	      source,
+	      originalSource,
+	      [PROMISE]: _asyncToGenerator(function* () {
+	        var _ref13 = yield _prettyPrintSource({ source, sourceText, url });
+	
+	        var code = _ref13.code;
+	        var mappings = _ref13.mappings;
+	
+	        applySourceMap(source.id, url, code, mappings);
+	
+	        var frames = yield updateFrameLocations(getFrames(getState()));
+	        dispatch(selectSource(originalSource.id));
+	
+	        var originalSourceText = {
+	          id: originalSource.id,
+	          contentType: "text/javascript",
+	          code
+	        };
+	
+	        return {
+	          isPrettyPrinted: true,
+	          sourceText: originalSourceText,
+	          frames
+	        };
+	      })()
+	    });
+	  };
+	}
+	
+	/**
+	 * @memberof actions/sources
+	 * @static
+	 */
+	function loadSourceText(source) {
+	  return _ref14 => {
+	    var dispatch = _ref14.dispatch;
+	    var getState = _ref14.getState;
+	    var client = _ref14.client;
+	
+	    // Fetch the source text only once.
+	    var textInfo = getSourceText(getState(), source.id);
+	    if (textInfo) {
+	      // It's already loaded or is loading
+	      return Promise.resolve(textInfo);
+	    }
+	
+	    return dispatch({
+	      type: constants.LOAD_SOURCE_TEXT,
+	      source: source,
+	      [PROMISE]: _asyncToGenerator(function* () {
+	        if (isOriginalId(source.id)) {
+	          return yield getOriginalSourceText(source);
+	        }
+	
+	        var response = yield client.sourceContents(source.id);
+	        return {
+	          text: response.source,
+	          contentType: response.contentType || "text/javascript"
+	        };
+	
+	        // Automatically pretty print if enabled and the test is
+	        // detected to be "minified"
+	        // if (Prefs.autoPrettyPrint &&
+	        //     !source.isPrettyPrinted &&
+	        //     SourceUtils.isMinified(source.id, response.source)) {
+	        //   dispatch(togglePrettyPrint(source));
+	        // }
+	      })()
+	    });
+	  };
+	}
+	
+	// delay is in ms
+	var FETCH_SOURCE_RESPONSE_DELAY = 200;
+	
+	/**
+	 * Starts fetching all the sources, silently.
+	 *
+	 * @memberof actions/sources
+	 * @static
+	 * @param array actors
+	 *        The urls for the sources to fetch. If fetching a source's text
+	 *        takes too long, it will be discarded.
+	 * @returns {Promise}
+	 *         A promise that is resolved after source texts have been fetched.
+	 */
+	function getTextForSources(actors) {
+	  return _ref16 => {
+	    var dispatch = _ref16.dispatch;
+	    var getState = _ref16.getState;
+	
+	    var deferred = defer();
+	    var pending = new Set(actors);
+	    var fetched = [];
+	
+	    // Can't use promise.all, because if one fetch operation is rejected, then
+	    // everything is considered rejected, thus no other subsequent source will
+	    // be getting fetched. We don't want that. Something like Q's allSettled
+	    // would work like a charm here.
+	
+	    // Try to fetch as many sources as possible.
+	
+	    var _loop = function (actor) {
+	      var source = getSource(getState(), actor);
+	      dispatch(loadSourceText(source)).then(_ref25 => {
+	        var text = _ref25.text;
+	        var contentType = _ref25.contentType;
+	
+	        onFetch([source, text, contentType]);
+	      }, err => {
+	        onError(source, err);
+	      });
+	    };
+	
+	    for (var actor of actors) {
+	      _loop(actor);
+	    }
+	
+	    setTimeout(onTimeout, FETCH_SOURCE_RESPONSE_DELAY);
+	
+	    /* Called if fetching a source takes too long. */
+	    function onTimeout() {
+	      pending = new Set();
+	      maybeFinish();
+	    }
+	
+	    /* Called if fetching a source finishes successfully. */
+	    function onFetch(_ref17) {
+	      var _ref18 = _slicedToArray(_ref17, 3);
+	
+	      var aSource = _ref18[0];
+	      var aText = _ref18[1];
+	      var aContentType = _ref18[2];
+	
+	      // If fetching the source has previously timed out, discard it this time.
+	      if (!pending.has(aSource.actor)) {
+	        return;
+	      }
+	      pending.delete(aSource.actor);
+	      fetched.push([aSource.actor, aText, aContentType]);
+	      maybeFinish();
+	    }
+	
+	    /* Called if fetching a source failed because of an error. */
+	    function onError(_ref19) {
+	      var _ref20 = _slicedToArray(_ref19, 2);
+	
+	      var aSource = _ref20[0];
+	      var aError = _ref20[1];
+	
+	      pending.delete(aSource.actor);
+	      maybeFinish();
+	    }
+	
+	    /* Called every time something interesting
+	     *  happens while fetching sources.
+	     */
+	    function maybeFinish() {
+	      if (pending.size == 0) {
+	        // Sort the fetched sources alphabetically by their url.
+	        deferred.resolve(fetched.sort((_ref21, _ref22) => {
+	          var _ref24 = _slicedToArray(_ref21, 1);
+	
+	          var aFirst = _ref24[0];
+	
+	          var _ref23 = _slicedToArray(_ref22, 1);
+	
+	          var aSecond = _ref23[0];
+	          return aFirst > aSecond;
+	        }));
+	      }
+	    }
+	
+	    return deferred.promise;
+	  };
+	}
+	
+	module.exports = {
+	  newSource,
+	  newSources,
+	  selectSource,
+	  selectSourceURL,
+	  closeTab,
+	  blackbox,
+	  togglePrettyPrint,
+	  loadSourceText,
+	  getTextForSources
+	};
+
+/***/ },
+/* 396 */
+/***/ function(module, exports, __webpack_require__) {
+
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	var _require = __webpack_require__(269);
+	
+	var Frame = _require.Frame;
+	
+	var _require2 = __webpack_require__(371);
+	
+	var getOriginalLocation = _require2.getOriginalLocation;
+	
+	var _require3 = __webpack_require__(342);
+	
+	var asyncMap = _require3.asyncMap;
+	
+	
+	function updateFrameLocations(frames) {
+	  return asyncMap(frames, (() => {
+	    var _ref = _asyncToGenerator(function* (frame) {
+	      return Frame.update(frame, {
+	        $merge: { location: yield getOriginalLocation(frame.location) }
+	      });
+	    });
+	
+	    return function (_x) {
+	      return _ref.apply(this, arguments);
+	    };
+	  })());
+	}
+	
+	module.exports = {
+	  updateFrameLocations
+	};
+
+/***/ },
+/* 397 */
+/***/ function(module, exports) {
+
+	var sourceDocs = {};
+	
+	function getDocument(key) {
+	  return sourceDocs[key];
+	}
+	
+	function setDocument(key, doc) {
+	  sourceDocs[key] = doc;
+	}
+	
+	function removeDocument(key) {
+	  delete sourceDocs[key];
+	}
+	
+	function clearDocuments() {
+	  sourceDocs = {};
+	}
+	
+	module.exports = {
+	  getDocument,
+	  setDocument,
+	  removeDocument,
+	  clearDocuments
+	};
+
+/***/ },
+/* 398 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	/* global window */
+	
+	/**
+	 * Redux actions for the pause state
+	 * @module actions/tabs
+	 */
+	
+	var constants = __webpack_require__(349);
+	
+	/**
+	 * @typedef {Object} TabAction
+	 * @memberof actions/tabs
+	 * @static
+	 * @property {number} type The type of Action
+	 * @property {number} value The payload of the Action
+	 */
+	
+	/**
+	 * @memberof actions/tabs
+	 * @static
+	 * @param {Array} tabs
+	 * @returns {TabAction} with type constants.ADD_TABS and tabs as value
+	 */
+	function newTabs(tabs) {
+	  return {
+	    type: constants.ADD_TABS,
+	    value: tabs
+	  };
+	}
+	
+	/**
+	 * @memberof actions/tabs
+	 * @static
+	 * @param {String} $0.id Unique ID of the tab to select
+	 * @returns {TabAction}
+	 */
+	function selectTab(_ref) {
+	  var id = _ref.id;
+	
+	  return {
+	    type: constants.SELECT_TAB,
+	    id: id
+	  };
+	}
+	
+	module.exports = {
+	  newTabs,
+	  selectTab
+	};
+
+/***/ },
+/* 399 */
+/***/ function(module, exports, __webpack_require__) {
+
+	function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { return step("next", value); }, function (err) { return step("throw", err); }); } } return step("next"); }); }; }
+	
+	var constants = __webpack_require__(349);
+	
+	var _require = __webpack_require__(395);
+	
+	var selectSource = _require.selectSource;
+	
+	var _require2 = __webpack_require__(341);
+	
+	var PROMISE = _require2.PROMISE;
+	
+	var _require3 = __webpack_require__(358);
+	
+	var getExpressions = _require3.getExpressions;
+	
+	var _require4 = __webpack_require__(396);
+	
+	var updateFrameLocations = _require4.updateFrameLocations;
+	
+	/**
+	 * Redux actions for the pause state
+	 * @module actions/pause
+	 */
+	
+	/**
+	 * Debugger has just resumed
+	 *
+	 * @memberof actions/pause
+	 * @static
+	 */
+	
+	function resumed() {
+	  return _ref => {
+	    var dispatch = _ref.dispatch;
+	    var client = _ref.client;
+	
+	    return dispatch({
+	      type: constants.RESUME,
+	      value: undefined
+	    });
+	  };
+	}
+	
+	/**
+	 * Debugger has just paused
+	 *
+	 * @param {object} pauseInfo
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function paused(pauseInfo) {
+	  return (() => {
+	    var _ref2 = _asyncToGenerator(function* (_ref3) {
+	      var dispatch = _ref3.dispatch;
+	      var getState = _ref3.getState;
+	      var client = _ref3.client;
+	      var frames = pauseInfo.frames;
+	      var why = pauseInfo.why;
+	
+	      frames = yield updateFrameLocations(frames);
+	      var frame = frames[0];
+	
+	      dispatch(evaluateExpressions());
+	      dispatch({
+	        type: constants.PAUSED,
+	        pauseInfo: { why, frame },
+	        frames: frames,
+	        selectedFrameId: frame.id
+	      });
+	      dispatch(selectSource(frame.location.sourceId, { line: frame.location.line }));
+	    });
+	
+	    return function (_x) {
+	      return _ref2.apply(this, arguments);
+	    };
+	  })();
+	}
+	
+	/**
+	 *
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function pauseOnExceptions(shouldPauseOnExceptions, shouldIgnoreCaughtExceptions) {
+	  return _ref4 => {
+	    var dispatch = _ref4.dispatch;
+	    var client = _ref4.client;
+	
+	    dispatch({
+	      type: constants.PAUSE_ON_EXCEPTIONS,
+	      shouldPauseOnExceptions,
+	      shouldIgnoreCaughtExceptions,
+	      [PROMISE]: client.pauseOnExceptions(shouldPauseOnExceptions, shouldIgnoreCaughtExceptions)
+	    });
+	  };
+	}
+	
+	/**
+	 * Debugger commands like stepOver, stepIn, stepUp
+	 *
+	 * @param string $0.type
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function command(_ref5) {
+	  var type = _ref5.type;
+	
+	  return _ref6 => {
+	    var dispatch = _ref6.dispatch;
+	    var client = _ref6.client;
+	
+	    // execute debugger thread command e.g. stepIn, stepOver
+	    client[type]();
+	
+	    return dispatch({
+	      type: constants.COMMAND,
+	      value: undefined
+	    });
+	  };
+	}
+	
+	/**
+	 * StepIn
+	 * @memberof actions/pause
+	 * @static
+	 * @returns {Function} {@link command}
+	 */
+	function stepIn() {
+	  return command({ type: "stepIn" });
+	}
+	
+	/**
+	 * stepOver
+	 * @memberof actions/pause
+	 * @static
+	 * @returns {Function} {@link command}
+	 */
+	function stepOver() {
+	  return command({ type: "stepOver" });
+	}
+	
+	/**
+	 * stepOut
+	 * @memberof actions/pause
+	 * @static
+	 * @returns {Function} {@link command}
+	 */
+	function stepOut() {
+	  return command({ type: "stepOut" });
+	}
+	
+	/**
+	 * resume
+	 * @memberof actions/pause
+	 * @static
+	 * @returns {Function} {@link command}
+	 */
+	function resume() {
+	  return command({ type: "resume" });
+	}
+	
+	/**
+	 * Debugger breakOnNext command.
+	 * It's different from the comand action because we also want to
+	 * highlight the pause icon.
+	 *
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function breakOnNext() {
+	  return _ref7 => {
+	    var dispatch = _ref7.dispatch;
+	    var client = _ref7.client;
+	
+	    client.breakOnNext();
+	
+	    return dispatch({
+	      type: constants.BREAK_ON_NEXT,
+	      value: true
+	    });
+	  };
+	}
+	
+	/**
+	 * Select a frame
+	 *
+	 * @param frame
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function selectFrame(frame) {
+	  return _ref8 => {
+	    var dispatch = _ref8.dispatch;
+	
+	    dispatch(selectSource(frame.location.sourceId, { line: frame.location.line }));
+	    dispatch({
+	      type: constants.SELECT_FRAME,
+	      frame
+	    });
+	  };
+	}
+	
+	/**
+	 * Load an object.
+	 *
+	 * @param grip
+	 * TODO: Right now this if Firefox specific and is not implemented
+	 * for Chrome, which is why it takes a grip.
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function loadObjectProperties(grip) {
+	  return _ref9 => {
+	    var dispatch = _ref9.dispatch;
+	    var client = _ref9.client;
+	
+	    dispatch({
+	      type: constants.LOAD_OBJECT_PROPERTIES,
+	      objectId: grip.actor,
+	      [PROMISE]: client.getProperties(grip)
+	    });
+	  };
+	}
+	
+	/**
+	 * Add expression for debugger to watch
+	 *
+	 * @param {object} expression
+	 * @param {number} expression.id
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function addExpression(expression) {
+	  return _ref10 => {
+	    var dispatch = _ref10.dispatch;
+	    var getState = _ref10.getState;
+	
+	    var id = expression.id !== undefined ? parseInt(expression.id, 10) : getExpressions(getState()).toSeq().size++;
+	    dispatch({
+	      type: constants.ADD_EXPRESSION,
+	      id: id,
+	      input: expression.input
+	    });
+	    dispatch(evaluateExpressions());
+	  };
+	}
+	
+	/**
+	 *
+	 * @param {object} expression
+	 * @param {number} expression.id
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function updateExpression(expression) {
+	  return _ref11 => {
+	    var dispatch = _ref11.dispatch;
+	
+	    dispatch({
+	      type: constants.UPDATE_EXPRESSION,
+	      id: expression.id,
+	      input: expression.input
+	    });
+	  };
+	}
+	
+	/**
+	 *
+	 * @param {object} expression
+	 * @param {number} expression.id
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function deleteExpression(expression) {
+	  return _ref12 => {
+	    var dispatch = _ref12.dispatch;
+	
+	    dispatch({
+	      type: constants.DELETE_EXPRESSION,
+	      id: expression.id
+	    });
+	  };
+	}
+	
+	/**
+	 *
+	 * @memberof actions/pause
+	 * @static
+	 */
+	function evaluateExpressions() {
+	  return _ref13 => {
+	    var dispatch = _ref13.dispatch;
+	    var getState = _ref13.getState;
+	    var client = _ref13.client;
+	
+	    for (var expression of getExpressions(getState())) {
+	      dispatch({
+	        type: constants.EVALUATE_EXPRESSION,
+	        id: expression.id,
+	        input: expression.input,
+	        [PROMISE]: client.evaluate(expression.input)
+	      });
+	    }
+	  };
+	}
+	
+	module.exports = {
+	  addExpression,
+	  updateExpression,
+	  deleteExpression,
+	  resumed,
+	  paused,
+	  pauseOnExceptions,
+	  command,
+	  stepIn,
+	  stepOut,
+	  stepOver,
+	  resume,
+	  breakOnNext,
+	  selectFrame,
+	  loadObjectProperties
+	};
+
+/***/ },
+/* 400 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var constants = __webpack_require__(349);
+	
+	var _require = __webpack_require__(371);
+	
+	var clearSourceMaps = _require.clearSourceMaps;
+	
+	var _require2 = __webpack_require__(397);
+	
+	var clearDocuments = _require2.clearDocuments;
+	
+	/**
+	 * Redux actions for the navigation state
+	 * @module actions/navigation
+	 */
+	
+	/**
+	 * @memberof actions/navigation
+	 * @static
+	 */
+	
+	function willNavigate() {
+	  clearSourceMaps();
+	  clearDocuments();
+	
+	  return { type: constants.NAVIGATE };
+	}
+	
+	/**
+	 * @memberof actions/navigation
+	 * @static
+	 */
+	function navigated() {
+	  return _ref => {
+	    // We need to load all the sources again because they might have
+	    // come from bfcache, so we won't get a `newSource` notification.
+	    //
+	    // TODO: This seems to be buggy on the debugger server side. When
+	    // the page is loaded from bfcache, we still get sources from the
+	    // *previous* page as well. For now, emulate the current debugger
+	    // behavior by not showing sources loaded by bfcache.
+	    // return dispatch(sources.loadSources());
+	
+	    var dispatch = _ref.dispatch;
+	  };
+	}
+	
+	module.exports = {
+	  willNavigate,
+	  navigated
+	};
+
+/***/ },
+/* 401 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const { Services } = __webpack_require__(368);
+	const EventEmitter = __webpack_require__(266);
+	const isOSX = Services.appinfo.OS === "Darwin";
+	
+	// List of electron keys mapped to DOM API (DOM_VK_*) key code
+	const ElectronKeysMapping = {
+	  "F1": "DOM_VK_F1",
+	  "F2": "DOM_VK_F2",
+	  "F3": "DOM_VK_F3",
+	  "F4": "DOM_VK_F4",
+	  "F5": "DOM_VK_F5",
+	  "F6": "DOM_VK_F6",
+	  "F7": "DOM_VK_F7",
+	  "F8": "DOM_VK_F8",
+	  "F9": "DOM_VK_F9",
+	  "F10": "DOM_VK_F10",
+	  "F11": "DOM_VK_F11",
+	  "F12": "DOM_VK_F12",
+	  "F13": "DOM_VK_F13",
+	  "F14": "DOM_VK_F14",
+	  "F15": "DOM_VK_F15",
+	  "F16": "DOM_VK_F16",
+	  "F17": "DOM_VK_F17",
+	  "F18": "DOM_VK_F18",
+	  "F19": "DOM_VK_F19",
+	  "F20": "DOM_VK_F20",
+	  "F21": "DOM_VK_F21",
+	  "F22": "DOM_VK_F22",
+	  "F23": "DOM_VK_F23",
+	  "F24": "DOM_VK_F24",
+	  "Space": "DOM_VK_SPACE",
+	  "Backspace": "DOM_VK_BACK_SPACE",
+	  "Delete": "DOM_VK_DELETE",
+	  "Insert": "DOM_VK_INSERT",
+	  "Return": "DOM_VK_RETURN",
+	  "Enter": "DOM_VK_RETURN",
+	  "Up": "DOM_VK_UP",
+	  "Down": "DOM_VK_DOWN",
+	  "Left": "DOM_VK_LEFT",
+	  "Right": "DOM_VK_RIGHT",
+	  "Home": "DOM_VK_HOME",
+	  "End": "DOM_VK_END",
+	  "PageUp": "DOM_VK_PAGE_UP",
+	  "PageDown": "DOM_VK_PAGE_DOWN",
+	  "Escape": "DOM_VK_ESCAPE",
+	  "Esc": "DOM_VK_ESCAPE",
+	  "Tab": "DOM_VK_TAB",
+	  "VolumeUp": "DOM_VK_VOLUME_UP",
+	  "VolumeDown": "DOM_VK_VOLUME_DOWN",
+	  "VolumeMute": "DOM_VK_VOLUME_MUTE",
+	  "PrintScreen": "DOM_VK_PRINTSCREEN",
+	};
+	
+	/**
+	 * Helper to listen for keyboard events decribed in .properties file.
+	 *
+	 * let shortcuts = new KeyShortcuts({
+	 *   window
+	 * });
+	 * shortcuts.on("Ctrl+F", event => {
+	 *   // `event` is the KeyboardEvent which relates to the key shortcuts
+	 * });
+	 *
+	 * @param DOMWindow window
+	 *        The window object of the document to listen events from.
+	 * @param DOMElement target
+	 *        Optional DOM Element on which we should listen events from.
+	 *        If omitted, we listen for all events fired on `window`.
+	 */
+	function KeyShortcuts({ window, target }) {
+	  this.window = window;
+	  this.target = target || window;
+	  this.keys = new Map();
+	  this.eventEmitter = new EventEmitter();
+	  this.target.addEventListener("keydown", this);
+	}
+	
+	/*
+	 * Parse an electron-like key string and return a normalized object which
+	 * allow efficient match on DOM key event. The normalized object matches DOM
+	 * API.
+	 *
+	 * @param DOMWindow window
+	 *        Any DOM Window object, just to fetch its `KeyboardEvent` object
+	 * @param String str
+	 *        The shortcut string to parse, following this document:
+	 *        https://github.com/electron/electron/blob/master/docs/api/accelerator.md
+	 */
+	KeyShortcuts.parseElectronKey = function (window, str) {
+	  let modifiers = str.split("+");
+	  let key = modifiers.pop();
+	
+	  let shortcut = {
+	    ctrl: false,
+	    meta: false,
+	    alt: false,
+	    shift: false,
+	    // Set for character keys
+	    key: undefined,
+	    // Set for non-character keys
+	    keyCode: undefined,
+	  };
+	  for (let mod of modifiers) {
+	    if (mod === "Alt") {
+	      shortcut.alt = true;
+	    } else if (["Command", "Cmd"].includes(mod)) {
+	      shortcut.meta = true;
+	    } else if (["CommandOrControl", "CmdOrCtrl"].includes(mod)) {
+	      if (isOSX) {
+	        shortcut.meta = true;
+	      } else {
+	        shortcut.ctrl = true;
+	      }
+	    } else if (["Control", "Ctrl"].includes(mod)) {
+	      shortcut.ctrl = true;
+	    } else if (mod === "Shift") {
+	      shortcut.shift = true;
+	    } else {
+	      console.error("Unsupported modifier:", mod, "from key:", str);
+	      return null;
+	    }
+	  }
+	
+	  // Plus is a special case. It's a character key and shouldn't be matched
+	  // against a keycode as it is only accessible via Shift/Capslock
+	  if (key === "Plus") {
+	    key = "+";
+	  }
+	
+	  if (typeof key === "string" && key.length === 1) {
+	    // Match any single character
+	    shortcut.key = key.toLowerCase();
+	  } else if (key in ElectronKeysMapping) {
+	    // Maps the others manually to DOM API DOM_VK_*
+	    key = ElectronKeysMapping[key];
+	    shortcut.keyCode = window.KeyboardEvent[key];
+	    // Used only to stringify the shortcut
+	    shortcut.keyCodeString = key;
+	    shortcut.key = key;
+	  } else {
+	    console.error("Unsupported key:", key);
+	    return null;
+	  }
+	
+	  return shortcut;
+	};
+	
+	KeyShortcuts.stringify = function (shortcut) {
+	  let list = [];
+	  if (shortcut.alt) {
+	    list.push("Alt");
+	  }
+	  if (shortcut.ctrl) {
+	    list.push("Ctrl");
+	  }
+	  if (shortcut.meta) {
+	    list.push("Cmd");
+	  }
+	  if (shortcut.shift) {
+	    list.push("Shift");
+	  }
+	  let key;
+	  if (shortcut.key) {
+	    key = shortcut.key.toUpperCase();
+	  } else {
+	    key = shortcut.keyCodeString;
+	  }
+	  list.push(key);
+	  return list.join("+");
+	};
+	
+	KeyShortcuts.prototype = {
+	  destroy() {
+	    this.target.removeEventListener("keydown", this);
+	    this.keys.clear();
+	  },
+	
+	  doesEventMatchShortcut(event, shortcut) {
+	    if (shortcut.meta != event.metaKey) {
+	      return false;
+	    }
+	    if (shortcut.ctrl != event.ctrlKey) {
+	      return false;
+	    }
+	    if (shortcut.alt != event.altKey) {
+	      return false;
+	    }
+	    // Shift is a special modifier, it may implicitely be required if the
+	    // expected key is a special character accessible via shift.
+	    if (shortcut.shift != event.shiftKey && event.key &&
+	        event.key.match(/[a-zA-Z]/)) {
+	      return false;
+	    }
+	    if (shortcut.keyCode) {
+	      return event.keyCode == shortcut.keyCode;
+	    } else if (event.key in ElectronKeysMapping) {
+	      return ElectronKeysMapping[event.key] === shortcut.key;
+	    }
+	
+	    // get the key from the keyCode if key is not provided.
+	    let key = event.key || String.fromCharCode(event.keyCode);
+	
+	    // For character keys, we match if the final character is the expected one.
+	    // But for digits we also accept indirect match to please azerty keyboard,
+	    // which requires Shift to be pressed to get digits.
+	    return key.toLowerCase() == shortcut.key ||
+	      (shortcut.key.match(/[0-9]/) &&
+	       event.keyCode == shortcut.key.charCodeAt(0));
+	  },
+	
+	  handleEvent(event) {
+	    for (let [key, shortcut] of this.keys) {
+	      if (this.doesEventMatchShortcut(event, shortcut)) {
+	        this.eventEmitter.emit(key, event);
+	      }
+	    }
+	  },
+	
+	  on(key, listener) {
+	    if (typeof listener !== "function") {
+	      throw new Error("KeyShortcuts.on() expects a function as " +
+	                      "second argument");
+	    }
+	    if (!this.keys.has(key)) {
+	      let shortcut = KeyShortcuts.parseElectronKey(this.window, key);
+	      // The key string is wrong and we were unable to compute the key shortcut
+	      if (!shortcut) {
+	        return;
+	      }
+	      this.keys.set(key, shortcut);
+	    }
+	    this.eventEmitter.on(key, listener);
+	  },
+	
+	  off(key, listener) {
+	    this.eventEmitter.off(key, listener);
+	  },
+	};
+	exports.KeyShortcuts = KeyShortcuts;
+
+
+/***/ },
+/* 402 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(403);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./App.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./App.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 403 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this file,\r\n * You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n:root.theme-light,\r\n:root .theme-light {\r\n  --theme-search-overlays-semitransparent: rgba(221, 225, 228, 0.66);\r\n}\r\n\r\n* {\r\n  box-sizing: border-box;\r\n}\r\n\r\nhtml,\r\nbody {\r\n  height: 100%;\r\n  margin: 0;\r\n  padding: 0;\r\n  width: 100%;\r\n}\r\n\r\n#mount {\r\n  display: flex;\r\n  height: 100%;\r\n}\r\n\r\n.debugger {\r\n  display: flex;\r\n  flex: 1;\r\n  height: 100%;\r\n}\r\n\r\n.center-pane {\r\n  display: flex;\r\n  position: relative;\r\n  flex: 1;\r\n  background-color: var(--theme-tab-toolbar-background);\r\n}\r\n\r\n.editor-container {\r\n  display: flex;\r\n  flex: 1;\r\n}\r\n\r\n.subsettings:hover {\r\n  cursor: pointer;\r\n}\r\n\r\n.search-container {\r\n  position: absolute;\r\n  top: 0;\r\n  left: 0;\r\n  width: 100%;\r\n  height: 100%;\r\n  display: flex;\r\n  z-index: 200;\r\n  background-color: var(--theme-search-overlays-semitransparent);\r\n}\r\n\r\n.search-container .autocomplete {\r\n  flex: 1;\r\n}\r\n\r\n.search-container .close-button {\r\n  width: 16px;\r\n  margin-top: 25px;\r\n  margin-right: 20px;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 404 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(405);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../../../../../../node_modules/css-loader/index.js!./SplitBox.css", function() {
+				var newContent = require("!!./../../../../../../../../node_modules/css-loader/index.js!./SplitBox.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 405 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n.split-box {\r\n  display: flex;\r\n  flex: 1;\r\n  min-width: 0;\r\n  height: 100%;\r\n  width: 100%;\r\n}\r\n\r\n.split-box.vert {\r\n  flex-direction: row;\r\n}\r\n\r\n.split-box.horz {\r\n  flex-direction: column;\r\n}\r\n\r\n.split-box > .uncontrolled {\r\n  display: flex;\r\n  flex: 1;\r\n  min-width: 0;\r\n  overflow: auto;\r\n}\r\n\r\n.split-box > .controlled {\r\n  display: flex;\r\n  overflow: auto;\r\n}\r\n\r\n.split-box > .splitter {\r\n  background-image: none;\r\n  border: 0;\r\n  border-style: solid;\r\n  border-color: transparent;\r\n  background-color: var(--theme-splitter-color);\r\n  background-clip: content-box;\r\n  position: relative;\r\n\r\n  box-sizing: border-box;\r\n\r\n  /* Positive z-index positions the splitter on top of its siblings and makes\r\n     it clickable on both sides. */\r\n  z-index: 1;\r\n}\r\n\r\n.split-box.vert > .splitter {\r\n  min-width: calc(var(--devtools-splitter-inline-start-width) +\r\n    var(--devtools-splitter-inline-end-width) + 1px);\r\n\r\n  border-left-width: var(--devtools-splitter-inline-start-width);\r\n  border-right-width: var(--devtools-splitter-inline-end-width);\r\n\r\n  margin-left: calc(-1 * var(--devtools-splitter-inline-start-width) - 1px);\r\n  margin-right: calc(-1 * var(--devtools-splitter-inline-end-width));\r\n\r\n  cursor: ew-resize;\r\n}\r\n\r\n.split-box.horz > .splitter {\r\n  min-height: calc(var(--devtools-splitter-top-width) +\r\n    var(--devtools-splitter-bottom-width) + 1px);\r\n\r\n  border-top-width: var(--devtools-splitter-top-width);\r\n  border-bottom-width: var(--devtools-splitter-bottom-width);\r\n\r\n  margin-top: calc(-1 * var(--devtools-splitter-top-width) - 1px);\r\n  margin-bottom: calc(-1 * var(--devtools-splitter-bottom-width));\r\n\r\n  cursor: ns-resize;\r\n}\r\n\r\n.split-box.disabled {\r\n  pointer-events: none;\r\n}\r\n\r\n/**\r\n * Make sure splitter panels are not processing any mouse\r\n * events. This is good for performance during splitter\r\n * bar dragging.\r\n */\r\n.split-box.dragging > .controlled,\r\n.split-box.dragging > .uncontrolled {\r\n  pointer-events: none;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 406 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(407);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../../node_modules/css-loader/index.js!./light-theme.css", function() {
+				var newContent = require("!!./../../../../node_modules/css-loader/index.js!./light-theme.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 407 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	exports.i(__webpack_require__(408), "");
+	exports.i(__webpack_require__(409), "");
+	exports.i(__webpack_require__(411), "");
+	exports.i(__webpack_require__(412), "");
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\nbody {\r\n  margin: 0;\r\n}\r\n\r\n.theme-body {\r\n  background: var(--theme-body-background);\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n.theme-sidebar {\r\n  background: var(--theme-sidebar-background);\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n::-moz-selection {\r\n  background-color: var(--theme-selection-background);\r\n  color: var(--theme-selection-color);\r\n}\r\n\r\n.theme-bg-darker {\r\n  background: var(--theme-selection-background-semitransparent);\r\n}\r\n\r\n.theme-selected,\r\n.CodeMirror-hint-active {\r\n  background-color: var(--theme-selection-background);\r\n  color: var(--theme-selection-color);\r\n}\r\n\r\n.theme-bg-contrast,\r\n.variable-or-property:not([overridden])[changed] {\r\n  background: var(--theme-contrast-background);\r\n}\r\n\r\n.theme-link,\r\n.cm-s-mozilla .cm-link,\r\n.CodeMirror-Tern-type {\r\n  color: var(--theme-highlight-blue);\r\n}\r\n\r\n/*\r\n * FIXME: http://bugzil.la/575675 CSS links without :visited set cause assertion\r\n * failures in debug builds.\r\n */\r\n.theme-link:visited,\r\n.cm-s-mozilla .cm-link:visited {\r\n  color: var(--theme-highlight-blue);\r\n}\r\n\r\n.theme-comment,\r\n.cm-s-mozilla .cm-meta,\r\n.cm-s-mozilla .cm-hr,\r\n.cm-s-mozilla .cm-comment,\r\n.variable-or-property .token-undefined,\r\n.variable-or-property .token-null,\r\n.CodeMirror-Tern-completion-unknown:before {\r\n  color: var(--theme-comment);\r\n}\r\n\r\n.theme-gutter {\r\n  background-color: var(--theme-tab-toolbar-background);\r\n  color: var(--theme-content-color3);\r\n  border-color: var(--theme-splitter-color);\r\n}\r\n\r\n.theme-separator { /* grey */\r\n  border-color: #cddae5;\r\n}\r\n\r\n.cm-s-mozilla .cm-unused-line {\r\n  text-decoration: line-through;\r\n  text-decoration-color: var(--theme-highlight-bluegrey);\r\n}\r\n\r\n.cm-s-mozilla .cm-executed-line {\r\n  background-color: #fcfffc;\r\n}\r\n\r\n.theme-fg-color1,\r\n.cm-s-mozilla .cm-number,\r\n.variable-or-property .token-number,\r\n.variable-or-property[return] > .title > .name,\r\n.variable-or-property[scope] > .title > .name {\r\n  color: var(--theme-highlight-purple);\r\n}\r\n\r\n.CodeMirror-Tern-completion-number:before {\r\n  background-color: hsl(72,100%,27%);\r\n}\r\n\r\n.theme-fg-color2,\r\n.cm-s-mozilla .cm-attribute,\r\n.cm-s-mozilla .cm-builtin,\r\n.cm-s-mozilla .cm-property,\r\n.variables-view-variable > .title > .name {\r\n  color: var(--theme-highlight-red);\r\n}\r\n\r\n.cm-s-mozilla .cm-def {\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n.CodeMirror-Tern-completion-object:before {\r\n  background-color: hsl(208,56%,40%);\r\n}\r\n\r\n.theme-fg-color3,\r\n.cm-s-mozilla .cm-variable,\r\n.cm-s-mozilla .cm-tag,\r\n.cm-s-mozilla .cm-header,\r\n.cm-s-mozilla .cm-bracket,\r\n.cm-s-mozilla .cm-qualifier,\r\n.variables-view-property > .title > .name {\r\n  color: var(--theme-highlight-blue);\r\n}\r\n\r\n.CodeMirror-Tern-completion-array:before {\r\n  background-color: var(--theme-highlight-bluegrey);\r\n}\r\n\r\n.theme-fg-color4 {\r\n  color: var(--theme-highlight-orange);\r\n}\r\n\r\n.theme-fg-color5,\r\n.cm-s-mozilla .cm-keyword {\r\n  color: var(--theme-highlight-red);\r\n}\r\n\r\n.theme-fg-color6,\r\n.cm-s-mozilla .cm-string,\r\n.cm-s-mozilla .cm-string-2,\r\n.variable-or-property .token-string,\r\n.CodeMirror-Tern-farg {\r\n  color: var(--theme-highlight-purple);\r\n}\r\n\r\n.CodeMirror-Tern-completion-string:before,\r\n.CodeMirror-Tern-completion-fn:before {\r\n  background-color: hsl(24,85%,39%);\r\n}\r\n\r\n.theme-fg-color7,\r\n.cm-s-mozilla .cm-atom,\r\n.cm-s-mozilla .cm-quote,\r\n.cm-s-mozilla .cm-error,\r\n.variable-or-property .token-boolean,\r\n.variable-or-property .token-domnode,\r\n.variable-or-property[exception] > .title > .name {\r\n  color: var(--theme-highlight-red);\r\n}\r\n\r\n.CodeMirror-Tern-completion-bool:before {\r\n  background-color: #bf5656;\r\n}\r\n\r\n.variable-or-property .token-domnode {\r\n  font-weight: bold;\r\n}\r\n\r\n.theme-fg-contrast { /* To be used for text on theme-bg-contrast */\r\n  color: black;\r\n}\r\n\r\n.theme-toolbar,\r\n.devtools-toolbar,\r\n.devtools-sidebar-tabs tabs,\r\n.devtools-sidebar-alltabs,\r\n.cm-s-mozilla .CodeMirror-dialog { /* General toolbar styling */\r\n  color: var(--theme-body-color);\r\n  background-color: var(--theme-toolbar-background);\r\n  border-color: var(--theme-splitter-color);\r\n}\r\n\r\n.ruleview-swatch,\r\n.computedview-colorswatch {\r\n  box-shadow: 0 0 0 1px #c4c4c4;\r\n}\r\n\r\n/* CodeMirror specific styles.\r\n * Best effort to match the existing theme, some of the colors\r\n * are duplicated here to prevent weirdness in the main theme. */\r\n\r\n.CodeMirror.cm-s-mozilla { /* Inherit platform specific font sizing and styles */\r\n  font-family: inherit;\r\n  font-size: inherit;\r\n  background: transparent;\r\n}\r\n\r\n.CodeMirror.cm-s-mozilla  pre,\r\n.cm-s-mozilla .cm-variable-2,\r\n.cm-s-mozilla .cm-variable-3,\r\n.cm-s-mozilla .cm-operator,\r\n.cm-s-mozilla .cm-special {\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n.cm-s-mozilla .CodeMirror-lines .CodeMirror-cursor {\r\n  border-left: solid 1px black;\r\n}\r\n\r\n.cm-s-mozilla.CodeMirror-focused .CodeMirror-selected { /* selected text (focused) */\r\n  background: rgb(185, 215, 253);\r\n}\r\n\r\n.cm-s-mozilla .CodeMirror-selected { /* selected text (unfocused) */\r\n  background: rgb(176, 176, 176);\r\n}\r\n\r\n.cm-s-mozilla .CodeMirror-activeline-background { /* selected color with alpha */\r\n  background: rgba(185, 215, 253, .35);\r\n}\r\n\r\ndiv.cm-s-mozilla span.CodeMirror-matchingbracket { /* highlight brackets */\r\n  outline: solid 1px rgba(0, 0, 0, .25);\r\n  color: black;\r\n}\r\n\r\n/* Highlight for a line that contains an error. */\r\ndiv.CodeMirror div.error-line {\r\n  background: rgba(255,0,0,0.2);\r\n}\r\n\r\n/* Generic highlighted text */\r\ndiv.CodeMirror span.marked-text {\r\n  background: rgba(255,255,0,0.2);\r\n  border: 1px dashed rgba(192,192,0,0.6);\r\n  margin-inline-start: -1px;\r\n  margin-inline-end: -1px;\r\n}\r\n\r\n/* Highlight for evaluating current statement. */\r\ndiv.CodeMirror span.eval-text {\r\n  background-color: #ccd;\r\n}\r\n\r\n.cm-s-mozilla .CodeMirror-linenumber { /* line number text */\r\n  color: var(--theme-content-color3);\r\n}\r\n\r\n.cm-s-mozilla .CodeMirror-gutters { /* vertical line next to line numbers */\r\n  border-right-color: var(--theme-splitter-color);\r\n  background-color: var(--theme-sidebar-background);\r\n}\r\n\r\n.cm-s-markup-view pre {\r\n  line-height: 1.4em;\r\n  min-height: 1.4em;\r\n}\r\n\r\n/* Twisty and checkbox controls */\r\n\r\n.theme-twisty, .theme-checkbox {\r\n  width: 14px;\r\n  height: 14px;\r\n  background-repeat: no-repeat;\r\n  /* background-image: url(\"chrome://devtools/skin/images/controls.png\"); */\r\n  background-size: 56px 28px;\r\n}\r\n\r\n.theme-twisty {\r\n  cursor: pointer;\r\n  background-position: 0 -14px;\r\n}\r\n\r\n.theme-twisty:-moz-focusring {\r\n  outline-style: none;\r\n}\r\n\r\n.theme-twisty[open], .theme-twisty.open {\r\n  background-position: -14px -14px;\r\n}\r\n\r\n.theme-twisty[invisible] {\r\n  visibility: hidden;\r\n}\r\n\r\n/* Use white twisty when next to a selected item in markup view */\r\n.theme-selected ~ .theme-twisty {\r\n  background-position: -28px -14px;\r\n}\r\n\r\n.theme-selected ~ .theme-twisty[open] {\r\n  background-position: -42px -14px;\r\n}\r\n\r\n.theme-checkbox {\r\n  display: inline-block;\r\n  border: 0;\r\n  padding: 0;\r\n  outline: none;\r\n  background-position: 0 0;\r\n}\r\n\r\n.theme-checkbox[checked] {\r\n  background-position: -14px 0;\r\n}\r\n\r\n@media (min-resolution: 1.1dppx) {\r\n  .theme-twisty, .theme-checkbox {\r\n    /* background-image: url(\"chrome://devtools/skin/images/controls@2x.png\"); */\r\n  }\r\n}\r\n\r\n/* XUL panel styling (see devtools/client/shared/widgets/Tooltip.js) */\r\n\r\n.theme-tooltip-panel .panel-arrowcontent {\r\n  padding: 4px;\r\n  background: rgba(255, 255, 255, .9);\r\n  border-radius: 5px;\r\n  box-shadow: none;\r\n  border: 3px solid #d9e1e8;\r\n}\r\n\r\n/* Overring panel arrow images to fit with our light and dark themes */\r\n\r\n.theme-tooltip-panel .panel-arrow {\r\n  --arrow-margin: -4px;\r\n}\r\n\r\n:root[platform=\"win\"] .theme-tooltip-panel .panel-arrow {\r\n  --arrow-margin: -7px;\r\n}\r\n\r\n.theme-tooltip-panel .panel-arrow[side=\"top\"],\r\n.theme-tooltip-panel .panel-arrow[side=\"bottom\"] {\r\n  /* list-style-image: url(\"chrome://devtools/skin/tooltip/arrow-vertical-light.png\"); */\r\n  /* !important is needed to override the popup.css rules in toolkit/themes */\r\n  width: 39px !important;\r\n  height: 16px !important;\r\n}\r\n\r\n.theme-tooltip-panel .panel-arrow[side=\"left\"],\r\n.theme-tooltip-panel .panel-arrow[side=\"right\"] {\r\n  /* list-style-image: url(\"chrome://devtools/skin/tooltip/arrow-horizontal-light.png\"); */\r\n  /* !important is needed to override the popup.css rules in toolkit/themes */\r\n  width: 16px !important;\r\n  height: 39px !important;\r\n}\r\n\r\n.theme-tooltip-panel .panel-arrow[side=\"top\"] {\r\n  margin-bottom: var(--arrow-margin);\r\n}\r\n\r\n.theme-tooltip-panel .panel-arrow[side=\"bottom\"] {\r\n  margin-top: var(--arrow-margin);\r\n}\r\n\r\n.theme-tooltip-panel .panel-arrow[side=\"left\"] {\r\n  margin-right: var(--arrow-margin);\r\n}\r\n\r\n.theme-tooltip-panel .panel-arrow[side=\"right\"] {\r\n  margin-left: var(--arrow-margin);\r\n}\r\n\r\n@media (min-resolution: 1.1dppx) {\r\n  .theme-tooltip-panel .panel-arrow[side=\"top\"],\r\n  .theme-tooltip-panel .panel-arrow[side=\"bottom\"] {\r\n    /* list-style-image: url(\"chrome://devtools/skin/tooltip/arrow-vertical-light@2x.png\"); */\r\n  }\r\n\r\n  .theme-tooltip-panel .panel-arrow[side=\"left\"],\r\n  .theme-tooltip-panel .panel-arrow[side=\"right\"] {\r\n    /* list-style-image: url(\"chrome://devtools/skin/tooltip/arrow-horizontal-light@2x.png\"); */\r\n  }\r\n}\r\n\r\n.theme-tooltip-panel .devtools-tooltip-simple-text {\r\n  color: black;\r\n  border-bottom: 1px solid #d9e1e8;\r\n}\r\n\r\n.theme-tooltip-panel .devtools-tooltip-simple-text:last-child {\r\n  border-bottom: 0;\r\n}\r\n\r\n.CodeMirror-hints,\r\n.CodeMirror-Tern-tooltip {\r\n  box-shadow: 0 0 4px rgba(128, 128, 128, .5);\r\n  background-color: var(--theme-sidebar-background);\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 408 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n/* Variable declarations for light and dark devtools themes.\r\n * Colors are taken from:\r\n * https://developer.mozilla.org/en-US/docs/Tools/DevToolsColors.\r\n * Changes should be kept in sync with commandline.css and commandline.inc.css.\r\n */\r\n\r\n/* IMPORTANT NOTE:\r\n * This file is parsed in js (see client/shared/theme.js)\r\n * so the formatting should be consistent (i.e. no '}' inside a rule).\r\n */\r\n\r\n:root .theme-light {\r\n  --theme-body-background: white;\r\n  --theme-sidebar-background: white;\r\n  --theme-contrast-background: #e6b064;\r\n\r\n  --theme-tab-toolbar-background: #fcfcfc;\r\n  --theme-faded-tab-color: #7E7E7E;\r\n  --theme-toolbar-background: #fcfcfc;\r\n  --theme-toolbar-background-alt: #f5f5f5;\r\n  --theme-selection-background: #4c9ed9;\r\n  --theme-selection-background-semitransparent: rgba(76, 158, 217, 0.15);\r\n  --theme-selection-color: #f5f7fa;\r\n  --theme-splitter-color: #dde1e4;\r\n  --theme-comment: #696969;\r\n  --theme-comment-alt: #ccd1d5;\r\n\r\n  --theme-body-color: #393f4c;\r\n  --theme-body-color-alt: #585959;\r\n  --theme-body-color-inactive: #999797;\r\n  --theme-content-color1: #292e33;\r\n  --theme-content-color2: #8fa1b2;\r\n  --theme-content-color3: #667380;\r\n\r\n  --theme-highlight-green: #2cbb0f;\r\n  --theme-highlight-blue: #0088cc;\r\n  --theme-highlight-bluegrey: #0072ab;\r\n  --theme-highlight-purple: #5b5fff;\r\n  --theme-highlight-lightorange: #d97e00;\r\n  --theme-highlight-orange: #f13c00;\r\n  --theme-highlight-red: #ed2655;\r\n  --theme-highlight-pink: #b82ee5;\r\n  --theme-highlight-gray: #dde1e4;\r\n\r\n  /* For accessibility purposes we want to enhance the focus styling. This\r\n   * should improve keyboard navigation usability. */\r\n  --theme-focus-outline-color: #000000;\r\n\r\n  /* Colors used in Graphs, like performance tools. Similar colors to Chrome's timeline. */\r\n  --theme-graphs-green: #85d175;\r\n  --theme-graphs-blue: #83b7f6;\r\n  --theme-graphs-bluegrey: #0072ab;\r\n  --theme-graphs-purple: #b693eb;\r\n  --theme-graphs-yellow: #efc052;\r\n  --theme-graphs-orange: #d97e00;\r\n  --theme-graphs-red: #e57180;\r\n  --theme-graphs-grey: #cccccc;\r\n  --theme-graphs-full-red: #f00;\r\n  --theme-graphs-full-blue: #00f;\r\n\r\n  /* Images */\r\n  /* --theme-pane-collapse-image: url(chrome://devtools/skin/images/pane-collapse.svg); */\r\n  /* --theme-pane-expand-image: url(chrome://devtools/skin/images/pane-expand.svg); */\r\n\r\n  /* Tooltips */\r\n  --theme-tooltip-border: #d9e1e8;\r\n  --theme-tooltip-background: rgba(255, 255, 255, .9);\r\n  --theme-tooltip-shadow: rgba(155, 155, 155, 0.26);\r\n\r\n  /* Command line */\r\n  /* --theme-command-line-image: url(chrome://devtools/skin/images/commandline-icon.svg#light-theme); */\r\n  /* --theme-command-line-image-focus: url(chrome://devtools/skin/images/commandline-icon.svg#light-theme-focus); */\r\n}\r\n\r\n:root.theme-dark {\r\n  --theme-body-background: #393f4c;\r\n  --theme-sidebar-background: #393f4c;\r\n  --theme-contrast-background: #ffb35b;\r\n\r\n  --theme-tab-toolbar-background: #272b35;\r\n  --theme-faded-tab-color: #333945;\r\n  --theme-toolbar-background: #272b35;\r\n  --theme-toolbar-background-alt: #2F343E;\r\n  --theme-selection-background: #5675B9;\r\n  --theme-selection-background-semitransparent: rgba(86, 117, 185, 0.5);\r\n  --theme-search-overlays-semitransparent: rgba(42, 46, 56, 0.66);\r\n  --theme-selection-color: #f5f7fa;\r\n  --theme-splitter-color: #454d5d;\r\n  --theme-comment: #757873;\r\n  --theme-comment-alt: #5a6375;\r\n\r\n  --theme-body-color: #8fa1b2;\r\n  --theme-body-color-alt: #b6babf;\r\n  --theme-body-color-inactive: #8fa1b2;\r\n  --theme-content-color1: #a9bacb;\r\n  --theme-content-color2: #8fa1b2;\r\n  --theme-content-color3: #5f7387;\r\n\r\n  --theme-highlight-green: #00ff7f;\r\n  --theme-highlight-blue: #46afe3;\r\n  --theme-highlight-bluegrey: #5e88b0;\r\n  --theme-highlight-purple: #bcb8db;\r\n  --theme-highlight-lightorange: #d99b28;\r\n  --theme-highlight-orange: #d96629;\r\n  --theme-highlight-red: #eb5368;\r\n  --theme-highlight-pink: #df80ff;\r\n  --theme-highlight-gray: #e9f4fe;\r\n\r\n  /* For accessibility purposes we want to enhance the focus styling. This\r\n   * should improve keyboard navigation usability. */\r\n  --theme-focus-outline-color: #ced3d9;\r\n\r\n  /* Colors used in Graphs, like performance tools. Mostly similar to some \"highlight-*\" colors. */\r\n  --theme-graphs-green: #70bf53;\r\n  --theme-graphs-blue: #46afe3;\r\n  --theme-graphs-bluegrey: #5e88b0;\r\n  --theme-graphs-purple: #df80ff;\r\n  --theme-graphs-yellow: #d99b28;\r\n  --theme-graphs-orange: #d96629;\r\n  --theme-graphs-red: #eb5368;\r\n  --theme-graphs-grey: #757873;\r\n  --theme-graphs-full-red: #f00;\r\n  --theme-graphs-full-blue: #00f;\r\n\r\n  /* Images */\r\n  /* --theme-pane-collapse-image: url(chrome://devtools/skin/images/pane-collapse.svg); */\r\n  /* --theme-pane-expand-image: url(chrome://devtools/skin/images/pane-expand.svg); */\r\n\r\n  /* Tooltips */\r\n  --theme-tooltip-border: #434850;\r\n  --theme-tooltip-background: rgba(19, 28, 38, .9);\r\n  --theme-tooltip-shadow: rgba(25, 25, 25, 0.76);\r\n\r\n  /* Command line */\r\n  /* --theme-command-line-image: url(chrome://devtools/skin/images/commandline-icon.svg#dark-theme); */\r\n  /* --theme-command-line-image-focus: url(chrome://devtools/skin/images/commandline-icon.svg#dark-theme-focus); */\r\n\r\n}\r\n\r\n:root.theme-firebug {\r\n  --theme-body-background: #fcfcfc;\r\n  --theme-sidebar-background: #fcfcfc;\r\n  --theme-contrast-background: #e6b064;\r\n\r\n  --theme-tab-toolbar-background: #ebeced;\r\n  --theme-toolbar-background: #f0f1f2;\r\n  --theme-selection-background: #3399ff;\r\n  --theme-selection-background-semitransparent: rgba(128,128,128,0.2);\r\n  --theme-search-overlays-semitransparent: rgba(221, 225, 228, 0.66);\r\n  --theme-selection-color: white;\r\n  --theme-splitter-color: #aabccf;\r\n  --theme-comment: green;\r\n  --theme-comment-alt: #ccd1d5;\r\n\r\n  --theme-body-color: #18191a;\r\n  --theme-body-color-alt: #585959;\r\n  --theme-content-color1: #292e33;\r\n  --theme-content-color2: #8fa1b2;\r\n  --theme-content-color3: #667380;\r\n\r\n  --theme-highlight-green: #2cbb0f;\r\n  --theme-highlight-blue: #3455db;\r\n  --theme-highlight-bluegrey: #0072ab;\r\n  --theme-highlight-purple: #887ce6;\r\n  --theme-highlight-lightorange: #d97e00;\r\n  --theme-highlight-orange: #f13c00;\r\n  --theme-highlight-red: #e22f6f;\r\n  --theme-highlight-pink: #b82ee5;\r\n  --theme-highlight-gray: #dde1e4;\r\n\r\n  /* Colors used in Graphs, like performance tools. Similar colors to Chrome's timeline. */\r\n  --theme-graphs-green: #85d175;\r\n  --theme-graphs-blue: #83b7f6;\r\n  --theme-graphs-bluegrey: #0072ab;\r\n  --theme-graphs-purple: #b693eb;\r\n  --theme-graphs-yellow: #efc052;\r\n  --theme-graphs-orange: #d97e00;\r\n  --theme-graphs-red: #e57180;\r\n  --theme-graphs-grey: #cccccc;\r\n  --theme-graphs-full-red: #f00;\r\n  --theme-graphs-full-blue: #00f;\r\n\r\n  /* Images */\r\n  /* --theme-pane-collapse-image: url(chrome://devtools/skin/images/firebug/pane-collapse.svg); */\r\n  /* --theme-pane-expand-image: url(chrome://devtools/skin/images/firebug/pane-expand.svg); */\r\n\r\n  /* Font size */\r\n  --theme-toolbar-font-size: 12px;\r\n\r\n  /* Header */\r\n  --theme-header-background: #F0F0F0 linear-gradient(to top,\r\n                                                     rgba(0, 0, 0, 0.1),\r\n                                                     transparent) repeat-x;\r\n\r\n  /* Command line */\r\n  /* --theme-command-line-image: url(chrome://devtools/skin/images/firebug/commandline-icon.svg); */\r\n  /* --theme-command-line-image-focus: url(chrome://devtools/skin/images/firebug/commandline-icon.svg#focus); */\r\n}\r\n\r\n:root {\r\n  --theme-focus-border-color-textbox: #0675d3;\r\n  --theme-textbox-box-shadow: rgba(97,181,255,.75);\r\n\r\n  /* For accessibility purposes we want to enhance the focus styling. This\r\n   * should improve keyboard navigation usability. */\r\n  --theme-focus-outline: 1px dotted var(--theme-focus-outline-color);\r\n  --theme-focus-box-shadow-textbox: 0 0 0 1px var(--theme-textbox-box-shadow);\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 409 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	exports.i(__webpack_require__(410), "");
+	
+	// module
+	exports.push([module.id, "/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n:root {\r\n  font: message-box;\r\n  --monospace-font-family: Menlo, monospace;\r\n}\r\n\r\n:root[platform=\"mac\"] {\r\n  --monospace-font-family: Menlo, monospace;\r\n}\r\n\r\n:root[platform=\"win\"] {\r\n  --monospace-font-family: Consolas, monospace;\r\n}\r\n\r\n:root[platform=\"linux\"],\r\n:root.theme-firebug {\r\n  --monospace-font-family: monospace;\r\n}\r\n\r\n:root.theme-firebug {\r\n  --proportional-font-family: Lucida Grande, Tahoma, sans-serif;\r\n}\r\n\r\n.devtools-monospace {\r\n  font-family: var(--monospace-font-family);\r\n}\r\n\r\n:root[platform=\"linux\"] .devtools-monospace {\r\n  font-size: 80%;\r\n}\r\n\r\n\r\n/* Autocomplete Popup */\r\n\r\n.devtools-autocomplete-popup {\r\n  box-shadow: 0 1px 0 hsla(209,29%,72%,.25) inset;\r\n  background-color: transparent;\r\n  border-radius: 3px;\r\n  overflow-x: hidden;\r\n  max-height: 20rem;\r\n\r\n  /* Devtools autocompletes display technical english keywords and should be displayed\r\n     using LTR direction. */\r\n  direction: ltr !important;\r\n}\r\n\r\n/* Reset list styles. */\r\n.devtools-autocomplete-popup ul {\r\n  list-style: none;\r\n}\r\n\r\n.devtools-autocomplete-popup ul,\r\n.devtools-autocomplete-popup li {\r\n  margin: 0;\r\n}\r\n\r\n:root[platform=\"linux\"] .devtools-autocomplete-popup {\r\n  /* Root font size is bigger on Linux, adjust rem-based values. */\r\n  max-height: 16rem;\r\n}\r\n\r\n.devtools-autocomplete-listbox {\r\n  -moz-appearance: none !important;\r\n  background-color: transparent;\r\n  border-width: 0px !important;\r\n  margin: 0;\r\n  padding: 2px;\r\n}\r\n\r\n.devtools-autocomplete-listbox .autocomplete-item {\r\n  width: 100%;\r\n  background-color: transparent;\r\n  border-radius: 4px;\r\n  padding: 1px 0;\r\n}\r\n\r\n.devtools-autocomplete-listbox .autocomplete-selected {\r\n  background-color: rgba(0,0,0,0.2);\r\n}\r\n\r\n.devtools-autocomplete-listbox.dark-theme .autocomplete-selected,\r\n.devtools-autocomplete-listbox.dark-theme .autocomplete-item:hover {\r\n  background-color: rgba(0,0,0,0.5);\r\n}\r\n\r\n.devtools-autocomplete-listbox.dark-theme .autocomplete-selected > .autocomplete-value,\r\n.devtools-autocomplete-listbox:focus.dark-theme .autocomplete-selected > .initial-value {\r\n  color: hsl(208,100%,60%);\r\n}\r\n\r\n.devtools-autocomplete-listbox.dark-theme .autocomplete-selected > span {\r\n  color: #eee;\r\n}\r\n\r\n.devtools-autocomplete-listbox.dark-theme .autocomplete-item > span {\r\n  color: #ccc;\r\n}\r\n\r\n.devtools-autocomplete-listbox .autocomplete-item > .initial-value,\r\n.devtools-autocomplete-listbox .autocomplete-item > .autocomplete-value {\r\n  margin: 0;\r\n  padding: 0;\r\n  cursor: default;\r\n}\r\n\r\n.devtools-autocomplete-listbox .autocomplete-item > .autocomplete-count {\r\n  text-align: end;\r\n}\r\n\r\n/* Rest of the dark and light theme */\r\n\r\n.devtools-autocomplete-popup,\r\n.theme-dark .CodeMirror-hints,\r\n.theme-dark .CodeMirror-Tern-tooltip {\r\n  border: 1px solid hsl(210,11%,10%);\r\n  background-image: linear-gradient(to bottom, hsla(209,18%,18%,0.9), hsl(210,11%,16%));\r\n}\r\n\r\n.devtools-autocomplete-popup.light-theme,\r\n.light-theme .CodeMirror-hints,\r\n.light-theme .CodeMirror-Tern-tooltip {\r\n  border: 1px solid hsl(210,24%,90%);\r\n  background-image: linear-gradient(to bottom, hsla(209,18%,100%,0.9), hsl(210,24%,95%));\r\n}\r\n\r\n.devtools-autocomplete-popup.light-theme {\r\n  box-shadow: 0 1px 0 hsla(209,29%,90%,.25) inset;\r\n}\r\n\r\n.theme-firebug .devtools-autocomplete-popup {\r\n  border-color: var(--theme-splitter-color);\r\n  border-radius: 5px;\r\n  font-size: var(--theme-autompletion-font-size);\r\n}\r\n\r\n.devtools-autocomplete-popup.firebug-theme {\r\n  background: var(--theme-body-background);\r\n}\r\n\r\n.devtools-autocomplete-listbox.firebug-theme .autocomplete-selected,\r\n.devtools-autocomplete-listbox.firebug-theme .autocomplete-item:hover,\r\n.devtools-autocomplete-listbox.light-theme .autocomplete-selected,\r\n.devtools-autocomplete-listbox.light-theme .autocomplete-item:hover {\r\n  background-color: rgba(128,128,128,0.3);\r\n}\r\n\r\n.devtools-autocomplete-listbox.firebug-theme .autocomplete-selected > .autocomplete-value,\r\n.devtools-autocomplete-listbox:focus.firebug-theme .autocomplete-selected > .initial-value,\r\n.devtools-autocomplete-listbox.light-theme .autocomplete-selected > .autocomplete-value,\r\n.devtools-autocomplete-listbox:focus.light-theme .autocomplete-selected > .initial-value {\r\n  color: #222;\r\n}\r\n\r\n.devtools-autocomplete-listbox.firebug-theme .autocomplete-item > span,\r\n.devtools-autocomplete-listbox.light-theme .autocomplete-item > span {\r\n  color: #666;\r\n}\r\n\r\n/* Autocomplete list clone used for accessibility. */\r\n\r\n.devtools-autocomplete-list-aria-clone {\r\n  /* Cannot use display:none or visibility:hidden : screen readers ignore the element. */\r\n  position: fixed;\r\n  overflow: hidden;\r\n  margin: 0;\r\n  width: 0;\r\n  height: 0;\r\n}\r\n\r\n.devtools-autocomplete-list-aria-clone li {\r\n  /* Prevent screen readers from prefacing every item with 'bullet'. */\r\n  list-style-type: none;\r\n}\r\n\r\n/* links to source code, like displaying `myfile.js:45` */\r\n\r\n.devtools-source-link {\r\n  font-family: var(--monospace-font-family);\r\n  color: var(--theme-highlight-blue);\r\n  cursor: pointer;\r\n  white-space: nowrap;\r\n  display: flex;\r\n  text-decoration: none;\r\n  font-size: 11px;\r\n  width: 12em; /* probably should be changed for each tool */\r\n}\r\n\r\n.devtools-source-link:hover {\r\n  text-decoration: underline;\r\n}\r\n\r\n.devtools-source-link > .filename {\r\n  text-overflow: ellipsis;\r\n  text-align: end;\r\n  overflow: hidden;\r\n  margin: 2px 0px;\r\n  cursor: pointer;\r\n}\r\n\r\n.devtools-source-link > .line-number {\r\n  flex: none;\r\n  margin: 2px 0px;\r\n  cursor: pointer;\r\n}\r\n\r\n/* Keyboard focus highlight styles */\r\n\r\n:-moz-focusring {\r\n  outline: var(--theme-focus-outline);\r\n  outline-offset: -1px;\r\n}\r\n\r\ntextbox[focused=\"true\"] {\r\n  border-color: var(--theme-focus-border-color-textbox);\r\n  box-shadow: var(--theme-focus-box-shadow-textbox);\r\n  transition: all 0.2s ease-in-out\r\n}\r\n\r\ntextbox :-moz-focusring {\r\n  box-shadow: none;\r\n  outline: none;\r\n}\r\n\r\n/* Form fields should already have box-shadow hightlight */\r\nselect:-moz-focusring,\r\ninput[type=\"radio\"]:-moz-focusring,\r\ninput[type=\"checkbox\"]:-moz-focusring,\r\ncheckbox:-moz-focusring {\r\n  outline: none;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 410 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n/* This file is loaded by both browser.xul and toolbox.xul. Therefore, rules\r\n   defined here can not rely on toolbox.xul variables. */\r\n\r\n/* Splitters */\r\n\r\n:root {\r\n  /* Define the widths of the draggable areas on each side of a splitter. top\r\n     and bottom widths are used for horizontal splitters, inline-start and\r\n     inline-end for side splitters.*/\r\n\r\n  --devtools-splitter-top-width: 2px;\r\n  --devtools-splitter-bottom-width: 2px;\r\n\r\n  /* Small draggable area on inline-start to avoid overlaps on scrollbars.*/\r\n  --devtools-splitter-inline-start-width: 1px;\r\n  --devtools-splitter-inline-end-width: 4px;\r\n}\r\n\r\n:root[devtoolstheme=\"light\"] {\r\n  /* These variables are used in browser.xul but inside the toolbox they are overridden by --theme-splitter-color */\r\n  --devtools-splitter-color: #dde1e4;\r\n}\r\n\r\n:root[devtoolstheme=\"dark\"],\r\n:root[devtoolstheme=\"firebug\"] {\r\n  --devtools-splitter-color: #42484f;\r\n}\r\n\r\n.devtools-horizontal-splitter,\r\n.devtools-side-splitter {\r\n  -moz-appearance: none;\r\n  background-image: none;\r\n  border: 0;\r\n  border-style: solid;\r\n  border-color: transparent;\r\n  background-color: var(--devtools-splitter-color);\r\n  background-clip: content-box;\r\n  position: relative;\r\n\r\n  box-sizing: border-box;\r\n\r\n  /* Positive z-index positions the splitter on top of its siblings and makes\r\n     it clickable on both sides. */\r\n  z-index: 1;\r\n}\r\n\r\n.devtools-horizontal-splitter {\r\n  min-height: calc(var(--devtools-splitter-top-width) +\r\n    var(--devtools-splitter-bottom-width) + 1px);\r\n\r\n  border-top-width: var(--devtools-splitter-top-width);\r\n  border-bottom-width: var(--devtools-splitter-bottom-width);\r\n\r\n  margin-top: calc(-1 * var(--devtools-splitter-top-width) - 1px);\r\n  margin-bottom: calc(-1 * var(--devtools-splitter-bottom-width));\r\n\r\n  cursor: n-resize;\r\n}\r\n\r\n.devtools-side-splitter {\r\n  min-width: calc(var(--devtools-splitter-inline-start-width) +\r\n    var(--devtools-splitter-inline-end-width) + 1px);\r\n\r\n  border-inline-start-width: var(--devtools-splitter-inline-start-width);\r\n  border-inline-end-width: var(--devtools-splitter-inline-end-width);\r\n\r\n  margin-inline-start: calc(-1 * var(--devtools-splitter-inline-start-width) - 1px);\r\n  margin-inline-end: calc(-1 * var(--devtools-splitter-inline-end-width));\r\n\r\n  cursor: e-resize;\r\n}\r\n\r\n.devtools-horizontal-splitter.disabled,\r\n.devtools-side-splitter.disabled {\r\n  pointer-events: none;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 411 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n/* CSS Variables specific to the devtools toolbar that aren't defined by the themes */\r\n.theme-light {\r\n  --toolbar-tab-hover: rgba(170, 170, 170, .2);\r\n  --toolbar-tab-hover-active: rgba(170, 170, 170, .4);\r\n  --searchbox-background-color: #ffee99;\r\n  --searchbox-border-color: #ffbf00;\r\n  --searcbox-no-match-background-color: #ffe5e5;\r\n  --searcbox-no-match-border-color: #e52e2e;\r\n  /* --magnifying-glass-image: url(images/search.svg); */\r\n  /* --filter-image: url(images/filter.svg); */\r\n  /* --tool-options-image: url(images/tool-options.svg); */\r\n  --icon-filter: none;\r\n  /* --checked-icon-filter: url(images/filters.svg#checked-icon-state); */\r\n  --toolbar-button-border-color: rgba(170, 170, 170, .5);\r\n}\r\n\r\n.theme-dark {\r\n  --toolbar-tab-hover: hsla(206, 37%, 4%, .2);\r\n  --toolbar-tab-hover-active: hsla(206, 37%, 4%, .4);\r\n  --searchbox-background-color: #4d4222;\r\n  --searchbox-border-color: #d99f2b;\r\n  --searcbox-no-match-background-color: #402325;\r\n  --searcbox-no-match-border-color: #cc3d3d;\r\n  /* --magnifying-glass-image: url(images/search.svg); */\r\n  /* --filter-image: url(images/filter.svg); */\r\n  /* --tool-options-image: url(images/tool-options.svg); */\r\n  --icon-filter: invert(1);\r\n  /* --checked-icon-filter: url(images/filters.svg#dark-theme-checked-icon-state); */\r\n  --toolbar-button-border-color: rgba(0, 0, 0, .4);\r\n}\r\n\r\n.theme-firebug {\r\n  /* --magnifying-glass-image: url(images/search.svg); */\r\n  /* --tool-options-image: url(images/firebug/tool-options.svg); */\r\n  --icon-filter: none;\r\n  --checked-icon-filter: none;\r\n  --toolbar-button-border-color: rgba(170, 170, 170, .5);\r\n}\r\n\r\n\r\n/* Toolbars */\r\n.devtools-toolbar,\r\n.devtools-sidebar-tabs tabs {\r\n  -moz-appearance: none;\r\n  padding: 0;\r\n  border-width: 0;\r\n  border-bottom-width: 1px;\r\n  border-style: solid;\r\n  height: 24px;\r\n  line-height: 24px;\r\n  box-sizing: border-box;\r\n}\r\n\r\n.devtools-toolbar {\r\n  padding: 0 3px;\r\n}\r\n\r\n.devtools-toolbar checkbox {\r\n  margin: 0 2px;\r\n  padding: 0;\r\n  line-height: -moz-block-height;\r\n}\r\n.devtools-toolbar checkbox .checkbox-check {\r\n  margin: 0;\r\n  padding: 0;\r\n  vertical-align: bottom;\r\n}\r\n.devtools-toolbar checkbox .checkbox-label-box {\r\n  border: none !important; /* overrides .checkbox-label-box from checkbox.css */\r\n}\r\n.devtools-toolbar checkbox .checkbox-label-box .checkbox-label {\r\n  margin: 0 6px !important; /* overrides .checkbox-label from checkbox.css */\r\n  padding: 0;\r\n}\r\n\r\n.devtools-separator {\r\n  margin: 0 2px;\r\n  width: 2px;\r\n  background-image: linear-gradient(transparent 15%, var(--theme-splitter-color) 15%, var(--theme-splitter-color) 85%, transparent 85%);\r\n  background-size: 1px 100%;\r\n  background-repeat: no-repeat;\r\n  background-position: 0, 1px, 2px;\r\n}\r\n\r\n/* Toolbar buttons */\r\n\r\n.devtools-menulist,\r\n.devtools-toolbarbutton,\r\n.devtools-button {\r\n  -moz-appearance: none;\r\n  background: transparent;\r\n  min-height: 18px;\r\n  text-shadow: none;\r\n  border: none;\r\n  border-radius: 0;\r\n  color: var(--theme-body-color);\r\n  transition: background 0.05s ease-in-out;\r\n}\r\n\r\n.devtools-menulist,\r\n.devtools-toolbarbutton {\r\n  -moz-box-align: center;\r\n  min-width: 78px;\r\n  padding: 1px;\r\n  margin: 2px 1px;\r\n}\r\n\r\n.devtools-toolbarbutton:not([label]) > .toolbarbutton-icon,\r\n.devtools-button::before {\r\n  width: 16px;\r\n  height: 16px;\r\n  transition: opacity 0.05s ease-in-out;\r\n}\r\n\r\n/* HTML buttons */\r\n.devtools-button {\r\n  margin: 2px 1px;\r\n  padding: 1px;\r\n  min-width: 32px;\r\n  /* The icon is absolutely positioned in the button using ::before */\r\n  position: relative;\r\n}\r\n\r\n.devtools-button::before {\r\n  content: \"\";\r\n  display: block;\r\n  position: absolute;\r\n  left: 50%;\r\n  top: 50%;\r\n  margin: -8px 0 0 -8px;\r\n  background-size: cover;\r\n  background-repeat: no-repeat;\r\n  transition: opacity 0.05s ease-in-out;\r\n}\r\n\r\n.devtools-button:-moz-focusring {\r\n  outline: none;\r\n}\r\n\r\n/* Standalone buttons */\r\n.devtools-button[standalone],\r\n.devtools-button[data-standalone],\r\n.devtools-toolbarbutton[standalone],\r\n.devtools-toolbarbutton[data-standalone] {\r\n  border-width: 1px;\r\n  border-style: solid;\r\n  min-height: 32px;\r\n  background-color: var(--theme-toolbar-background);\r\n}\r\n\r\n.devtools-toolbarbutton[standalone], .devtools-toolbarbutton[data-standalone] {\r\n  margin-inline-end: 5px;\r\n}\r\n\r\n.devtools-toolbarbutton[label][standalone] {\r\n  min-height: 2em;\r\n}\r\n\r\n.devtools-menulist,\r\n.devtools-toolbarbutton,\r\n.devtools-button {\r\n  border-color: var(--toolbar-button-border-color);\r\n}\r\n\r\n/* Icon button styles */\r\n.devtools-toolbarbutton:not([label]),\r\n.devtools-toolbarbutton[text-as-image] {\r\n  min-width: 32px;\r\n}\r\n\r\n/* Set flex attribute to Toolbox buttons and Picker container so,\r\n   they don't overlapp with the tab bar */\r\n#toolbox-buttons {\r\n  display: flex;\r\n}\r\n\r\n#toolbox-picker-container {\r\n  display: flex;\r\n}\r\n\r\n.devtools-toolbarbutton:not([label]) > .toolbarbutton-text {\r\n  display: none;\r\n}\r\n\r\n.devtools-toolbarbutton > .toolbarbutton-icon {\r\n  margin: 0;\r\n}\r\n\r\n/* Menu button styles (eg. web console filters) */\r\n.devtools-toolbarbutton[type=menu-button] > .toolbarbutton-menubutton-button {\r\n  -moz-appearance: none;\r\n  color: inherit;\r\n  border-width: 0;\r\n  -moz-box-orient: horizontal;\r\n  padding: 0;\r\n}\r\n\r\n.devtools-toolbarbutton[type=menu-button] {\r\n  padding: 0 1px;\r\n  -moz-box-align: stretch;\r\n}\r\n\r\n.devtools-toolbarbutton > .toolbarbutton-menubutton-button > .toolbarbutton-icon {\r\n  margin-inline-end: 4px;\r\n}\r\n\r\n.devtools-menulist > .menulist-dropmarker {\r\n  -moz-appearance: none;\r\n  display: -moz-box;\r\n  /* list-style-image: url(\"chrome://devtools/skin/images/dropmarker.svg\"); */\r\n  -moz-box-align: center;\r\n  min-width: 16px;\r\n}\r\n\r\n.devtools-toolbarbutton[type=menu] > .toolbarbutton-menu-dropmarker,\r\n.devtools-toolbarbutton[type=menu-button] > .toolbarbutton-menubutton-dropmarker {\r\n  -moz-appearance: none !important;\r\n  /* list-style-image: url(\"chrome://devtools/skin/images/dropmarker.svg\"); */\r\n  -moz-box-align: center;\r\n  padding: 0 3px;\r\n}\r\n\r\n/* Icon-only buttons */\r\n.devtools-button:empty::before,\r\n.devtools-toolbarbutton:not([label]):not([disabled]) > image {\r\n  opacity: 0.8;\r\n}\r\n\r\n.devtools-button:hover:empty::before,\r\n.devtools-button[checked]:empty::before,\r\n.devtools-button[open]:empty::before,\r\n.devtools-toolbarbutton:not([label]):hover > image,\r\n.devtools-toolbarbutton:not([label])[checked=true] > image,\r\n.devtools-toolbarbutton:not([label])[open=true] > image {\r\n  opacity: 1;\r\n}\r\n\r\n.devtools-button:disabled,\r\n.devtools-button[disabled],\r\n.devtools-toolbarbutton[disabled] {\r\n  opacity: 0.5 !important;\r\n}\r\n\r\n.devtools-button[checked]:empty::before,\r\n.devtools-button[open]:empty::before,\r\n.devtools-button.checked::before,\r\n.devtools-toolbarbutton:not([label])[checked=true] > image,\r\n.devtools-toolbarbutton:not([label])[open=true] > image {\r\n  filter: var(--checked-icon-filter);\r\n}\r\n\r\n/* Icon-and-text buttons */\r\n.devtools-toolbarbutton.icon-and-text .toolbarbutton-text {\r\n  margin-inline-start: .5em !important;\r\n  font-weight: 600;\r\n}\r\n\r\n/* Text-only buttons */\r\n.theme-light .devtools-toolbarbutton[label]:not([text-as-image]):not([type=menu-button]),\r\n.theme-light .devtools-toolbarbutton[data-text-only] {\r\n  background-color: var(--toolbar-tab-hover);\r\n}\r\n.theme-dark .devtools-toolbarbutton[label]:not([text-as-image]):not([type=menu-button]),\r\n.theme-dark .devtools-toolbarbutton[data-text-only] {\r\n  background-color: rgba(0, 0, 0, .2); /* Splitter */\r\n}\r\n\r\n/* Text-only button states */\r\n.theme-dark .devtools-button:not(:empty):not([disabled]):hover,\r\n.theme-dark .devtools-toolbarbutton:not(:-moz-any([checked=true],[disabled],[text-as-image]))[label]:hover {\r\n  background: rgba(0, 0, 0, .3); /* Splitters */\r\n}\r\n.theme-light .devtools-button:not(:empty):not([disabled]):hover,\r\n.theme-light .devtools-toolbarbutton:not(:-moz-any([checked=true],[disabled],[text-as-image]))[label]:hover {\r\n  background: rgba(170, 170, 170, .3); /* Splitters */\r\n}\r\n\r\n.theme-dark .devtools-button:not(:empty):not([disabled]):hover:active,\r\n.theme-dark .devtools-toolbarbutton:not(:-moz-any([checked=true],[disabled],[text-as-image]))[label]:hover:active {\r\n  background: rgba(0, 0, 0, .4); /* Splitters */\r\n}\r\n.theme-light .devtools-button:not(:empty):not([disabled]):hover:active,\r\n.theme-light .devtools-toolbarbutton:not(:-moz-any([checked=true],[disabled],[text-as-image]))[label]:hover:active {\r\n  background: var(--toolbar-tab-hover-active);\r\n}\r\n\r\n.theme-dark .devtools-toolbarbutton:not([disabled])[label][checked=true],\r\n.theme-dark .devtools-toolbarbutton:not([disabled])[label][open],\r\n.theme-dark .devtools-button:not(:empty)[checked=true] {\r\n  background: var(--theme-selection-background-semitransparent);\r\n  color: var(--theme-selection-color);\r\n}\r\n.theme-light .devtools-toolbarbutton:not([disabled])[label][checked=true],\r\n.theme-light .devtools-toolbarbutton:not([disabled])[label][open],\r\n.theme-light .devtools-button:not(:empty)[checked=true] {\r\n  background: rgba(76, 158, 217, .3); /* Select highlight blue */\r\n}\r\n\r\n:root {\r\n  /* --clear-icon-url: url(\"chrome://devtools/skin/images/clear.svg\"); */\r\n}\r\n\r\n.devtools-button.devtools-clear-icon::before {\r\n  background-image: var(--clear-icon-url);\r\n}\r\n\r\n.devtools-button.devtools-filter-icon::before {\r\n  background-image: var(--filter-image);\r\n}\r\n\r\n.devtools-toolbarbutton.devtools-clear-icon {\r\n  list-style-image: var(--clear-icon-url);\r\n}\r\n\r\n.devtools-option-toolbarbutton {\r\n  list-style-image: var(--tool-options-image);\r\n}\r\n\r\n.devtools-toolbarbutton-group > .devtools-toolbarbutton:last-child {\r\n  margin-inline-end: 0;\r\n}\r\n\r\n.devtools-toolbarbutton-group + .devtools-toolbarbutton {\r\n  margin-inline-start: 3px;\r\n}\r\n\r\n.devtools-separator + .devtools-toolbarbutton {\r\n  margin-inline-start: 1px;\r\n}\r\n\r\n/* Text input */\r\n\r\n.devtools-textinput,\r\n.devtools-searchinput,\r\n.devtools-filterinput {\r\n  -moz-appearance: none;\r\n  margin: 1px 3px;\r\n  border: 1px solid;\r\n  border-radius: 2px;\r\n  padding: 4px 6px;\r\n  border-color: var(--theme-splitter-color);\r\n  font: message-box;\r\n}\r\n\r\n:root[platform=\"mac\"] .devtools-textinput,\r\n:root[platform=\"mac\"] .devtools-searchinput,\r\n:root[platform=\"mac\"] .devtools-filterinput {\r\n  border-radius: 20px;\r\n}\r\n\r\n.devtools-searchinput,\r\n.devtools-filterinput {\r\n  padding: 0;\r\n  padding-inline-start: 22px;\r\n  padding-inline-end: 4px;\r\n  background-position: 8px center;\r\n  background-size: 11px 11px;\r\n  background-repeat: no-repeat;\r\n  font-size: inherit;\r\n}\r\n\r\n.devtools-searchinput {\r\n  background-image: var(--magnifying-glass-image);\r\n}\r\n\r\n.devtools-filterinput {\r\n  /* background-image: url(images/filter.svg#filterinput); */\r\n}\r\n\r\n.devtools-searchinput:-moz-locale-dir(rtl),\r\n.devtools-searchinput:dir(rtl),\r\n.devtools-filterinput:-moz-locale-dir(rtl),\r\n.devtools-filterinput:dir(rtl) {\r\n  background-position: calc(100% - 8px) center;\r\n}\r\n\r\n.devtools-searchinput > .textbox-input-box > .textbox-search-icons > .textbox-search-icon,\r\n.devtools-filterinput > .textbox-input-box > .textbox-search-icons > .textbox-search-icon {\r\n  visibility: hidden;\r\n}\r\n\r\n.devtools-searchinput .textbox-input::-moz-placeholder,\r\n.devtools-filterinput .textbox-input::-moz-placeholder {\r\n  font-style: normal;\r\n}\r\n\r\n.devtools-plaininput {\r\n  border-color: transparent;\r\n  background-color: transparent;\r\n}\r\n\r\n.theme-dark .devtools-plaininput {\r\n  color: var(--theme-highlight-gray);\r\n}\r\n\r\n/* Searchbox is a div container element for a search input element */\r\n.devtools-searchbox {\r\n  display: flex;\r\n  flex: 1;\r\n  height: 23px;\r\n  position: relative;\r\n  padding: 0 3px;\r\n}\r\n\r\n/* The spacing is accomplished with a padding on the searchbox */\r\n.devtools-searchbox > .devtools-textinput,\r\n.devtools-searchbox > .devtools-searchinput,\r\n.devtools-searchbox > .devtools-filterinput {\r\n  margin-left: 0;\r\n  margin-right: 0;\r\n}\r\n\r\n.devtools-searchbox > .devtools-textinput:-moz-focusring,\r\n.devtools-searchbox > .devtools-searchinput:-moz-focusring,\r\n.devtools-searchbox > .devtools-filterinput:-moz-focusring {\r\n  border-color: var(--theme-focus-border-color-textbox);\r\n  box-shadow: var(--theme-focus-box-shadow-textbox);\r\n  transition: all 0.2s ease-in-out;\r\n  outline: none;\r\n}\r\n\r\n/* Don't add 'double spacing' for inputs that are at beginning / end\r\n   of a toolbar (since the toolbar has it's own spacing). */\r\n.devtools-toolbar > .devtools-textinput:first-child,\r\n.devtools-toolbar > .devtools-searchinput:first-child,\r\n.devtools-toolbar > .devtools-filterinput:first-child {\r\n  margin-inline-start: 0;\r\n}\r\n.devtools-toolbar > .devtools-textinput:last-child,\r\n.devtools-toolbar > .devtools-searchinput:last-child,\r\n.devtools-toolbar > .devtools-filterinput:last-child {\r\n  margin-inline-end: 0;\r\n}\r\n.devtools-toolbar > .devtools-searchbox:first-child {\r\n  padding-inline-start: 0;\r\n}\r\n.devtools-toolbar > .devtools-searchbox:last-child {\r\n  padding-inline-end: 0;\r\n}\r\n\r\n.devtools-rule-searchbox {\r\n  -moz-box-flex: 1;\r\n  width: 100%;\r\n}\r\n\r\n.devtools-rule-searchbox[filled] {\r\n  background-color: var(--searchbox-background-color);\r\n  border-color: var(--searchbox-border-color);\r\n  padding-inline-end: 23px;\r\n}\r\n\r\n.devtools-style-searchbox-no-match {\r\n  background-color: var(--searcbox-no-match-background-color) !important;\r\n  border-color: var(--searcbox-no-match-border-color) !important;\r\n}\r\n\r\n.devtools-searchinput-clear {\r\n  position: absolute;\r\n  top: 3.5px;\r\n  right: 7px;\r\n  padding: 0;\r\n  border: 0;\r\n  width: 16px;\r\n  height: 16px;\r\n  background-position: 0 0;\r\n  background-repeat: no-repeat;\r\n  background-color: transparent;\r\n}\r\n\r\n.devtools-searchinput-clear:dir(rtl) {\r\n  right: unset;\r\n  left: 7px;\r\n}\r\n\r\n.theme-dark .devtools-searchinput-clear {\r\n  /* background-image: url(\"chrome://devtools/skin/images/search-clear-dark.svg\"); */\r\n}\r\n\r\n.theme-light .devtools-searchinput-clear {\r\n  /* background-image: url(\"chrome://devtools/skin/images/search-clear-light.svg\"); */\r\n}\r\n\r\n.devtools-style-searchbox-no-match + .devtools-searchinput-clear {\r\n  /* background-image: url(\"chrome://devtools/skin/images/search-clear-failed.svg\") !important; */\r\n}\r\n\r\n.devtools-searchinput-clear:hover {\r\n  background-position: -16px 0;\r\n}\r\n\r\n.theme-dark .devtools-searchinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear,\r\n.theme-dark .devtools-filterinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear {\r\n  /* list-style-image: url(\"chrome://devtools/skin/images/search-clear-dark.svg\"); */\r\n  -moz-image-region: rect(0, 16px, 16px, 0);\r\n}\r\n\r\n.theme-light .devtools-searchinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear,\r\n.theme-light .devtools-filterinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear {\r\n  /* list-style-image: url(\"chrome://devtools/skin/images/search-clear-light.svg\"); */\r\n  -moz-image-region: rect(0, 16px, 16px, 0);\r\n}\r\n\r\n.devtools-searchinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear,\r\n.devtools-filterinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear {\r\n  margin-bottom: 0;\r\n}\r\n\r\n.devtools-searchinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear:hover,\r\n.devtools-filterinput > .textbox-input-box > .textbox-search-icons > .textbox-search-clear:hover {\r\n  -moz-image-region: rect(0, 32px, 16px, 16px);\r\n}\r\n\r\n/* In-tools sidebar */\r\n.devtools-sidebar-tabs {\r\n  -moz-appearance: none;\r\n  margin: 0;\r\n  height: 100%;\r\n}\r\n\r\n.devtools-sidebar-tabs > tabpanels {\r\n  -moz-appearance: none;\r\n  background: transparent;\r\n  padding: 0;\r\n  border: 0;\r\n}\r\n\r\n.theme-light .devtools-sidebar-tabs > tabpanels {\r\n  background: var(--theme-sidebar-background);\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n.devtools-sidebar-tabs tabs {\r\n  position: static;\r\n  font: inherit;\r\n  margin-bottom: 0;\r\n  overflow: hidden;\r\n}\r\n\r\n.devtools-sidebar-alltabs {\r\n  -moz-appearance: none;\r\n  height: 24px;\r\n  line-height: 24px;\r\n  padding: 0 4px;\r\n  margin: 0;\r\n  border-width: 0 0 1px 0;\r\n  border-inline-start-width: 1px;\r\n  border-style: solid;\r\n}\r\n\r\n.devtools-sidebar-alltabs .toolbarbutton-icon {\r\n  display: none;\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > .tabs-right,\r\n.devtools-sidebar-tabs tabs > .tabs-left {\r\n  display: none;\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab {\r\n  -moz-appearance: none;\r\n  /* We want to match the height of a toolbar with a toolbarbutton\r\n   * First, we need to replicated the padding of toolbar (4px),\r\n   * then we need to take the border of the buttons into account (1px).\r\n   */\r\n  padding: 0 3px;\r\n  margin: 0;\r\n  min-width: 78px;\r\n  text-align: center;\r\n  background-color: transparent;\r\n  color: inherit;\r\n  -moz-box-flex: 1;\r\n  border-width: 0;\r\n  border-inline-start-width: 1px;\r\n  border-style: solid;\r\n  border-radius: 0;\r\n  position: static;\r\n  text-shadow: none;\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab {\r\n  border-image: linear-gradient(transparent 15%, var(--theme-splitter-color) 15%, var(--theme-splitter-color) 85%, transparent 85%) 1 1;\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab[selected],\r\n.devtools-sidebar-tabs tabs > tab[selected] + tab {\r\n  border-image: linear-gradient(var(--theme-splitter-color), var(--theme-splitter-color)) 1 1;\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab:first-child {\r\n  border-inline-start-width: 0;\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab:hover {\r\n  background: rgba(0, 0, 0, 0.12);\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab:hover:active {\r\n  background: rgba(0, 0, 0, 0.2);\r\n}\r\n\r\n.devtools-sidebar-tabs tabs > tab[selected],\r\n.devtools-sidebar-tabs tabs > tab[selected]:hover:active {\r\n  color: var(--theme-selection-color);\r\n  background: var(--theme-selection-background);\r\n}\r\n\r\n/* Invert the colors of certain light theme images for displaying\r\n * inside of the dark theme.\r\n */\r\n.devtools-tab[icon-invertable] > image,\r\n.devtools-toolbarbutton > image,\r\n.devtools-button::before,\r\n#breadcrumb-separator-normal,\r\n.scrollbutton-up > .toolbarbutton-icon,\r\n.scrollbutton-down > .toolbarbutton-icon,\r\n#black-boxed-message-button .button-icon,\r\n#requests-menu-perf-notice-button .button-icon,\r\n#canvas-debugging-empty-notice-button .button-icon,\r\n#toggle-breakpoints[checked] > image,\r\n.event-tooltip-debugger-icon {\r\n  filter: var(--icon-filter);\r\n}\r\n\r\n.hidden-labels-box:not(.visible) > label,\r\n.hidden-labels-box.visible ~ .hidden-labels-box > label:last-child {\r\n  display: none;\r\n}\r\n\r\n.devtools-invisible-splitter {\r\n  border-color: transparent;\r\n  background-color: transparent;\r\n}\r\n\r\n.devtools-horizontal-splitter,\r\n.devtools-side-splitter {\r\n  background-color: var(--theme-splitter-color);\r\n}\r\n\r\n/* Throbbers */\r\n.devtools-throbber::before {\r\n  content: \"\";\r\n  display: inline-block;\r\n  vertical-align: bottom;\r\n  margin-inline-end: 0.5em;\r\n  width: 1em;\r\n  height: 1em;\r\n  border: 2px solid currentColor;\r\n  border-right-color: transparent;\r\n  border-radius: 50%;\r\n  animation: 1.1s linear throbber-spin infinite;\r\n}\r\n\r\n@keyframes throbber-spin {\r\n  from {\r\n    transform: none;\r\n  }\r\n  to {\r\n    transform: rotate(360deg);\r\n  }\r\n}\r\n\r\n/*\r\n * Filter buttons\r\n * @TODO : Fix when https://bugzilla.mozilla.org/show_bug.cgi?id=1255116 lands\r\n */\r\n.menu-filter-button {\r\n  -moz-appearance: none;\r\n  background: rgba(128,128,128,0.1);\r\n  border: none;\r\n  border-radius: 2px;\r\n  min-width: 0;\r\n  padding: 0 5px;\r\n  margin: 2px;\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n.menu-filter-button:hover {\r\n  background: rgba(128,128,128,0.2);\r\n}\r\n\r\n.menu-filter-button:hover:active {\r\n  background-color: var(--theme-selection-background-semitransparent);\r\n}\r\n\r\n.menu-filter-button:not(:active).checked {\r\n  background-color: var(--theme-selection-background);\r\n  color: var(--theme-selection-color);\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 412 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n/* Tooltip specific theme variables */\r\n\r\n.theme-dark {\r\n  --bezier-diagonal-color: #eee;\r\n  --bezier-grid-color: rgba(0, 0, 0, 0.2);\r\n}\r\n\r\n.theme-light {\r\n  --bezier-diagonal-color: rgba(0, 0, 0, 0.2);\r\n  --bezier-grid-color: rgba(0, 0, 0, 0.05);\r\n}\r\n\r\n/* Tooltip widget (see devtools/client/shared/widgets/Tooltip.js) */\r\n\r\n.devtools-tooltip .panel-arrowcontent {\r\n  padding: 4px;\r\n}\r\n\r\n.devtools-tooltip .panel-arrowcontainer {\r\n  /* Reseting the transition used when panels are shown */\r\n  transition: none;\r\n  /* Panels slide up/down/left/right when they appear using a transform.\r\n  Since we want to remove the transition, we don't need to transform anymore\r\n  plus it can interfeer by causing mouseleave events on the underlying nodes */\r\n  transform: none;\r\n}\r\n\r\n.devtools-tooltip[clamped-dimensions] {\r\n  min-height: 100px;\r\n  max-height: 400px;\r\n  min-width: 100px;\r\n  max-width: 400px;\r\n}\r\n.devtools-tooltip[clamped-dimensions-no-min-height] {\r\n  min-height: 0;\r\n  max-height: 400px;\r\n  min-width: 100px;\r\n  max-width: 400px;\r\n}\r\n.devtools-tooltip[clamped-dimensions-no-max-or-min-height] {\r\n  min-width: 400px;\r\n  max-width: 400px;\r\n}\r\n.devtools-tooltip[clamped-dimensions] .panel-arrowcontent,\r\n.devtools-tooltip[clamped-dimensions-no-min-height] .panel-arrowcontent,\r\n.devtools-tooltip[clamped-dimensions-no-max-or-min-height] .panel-arrowcontent {\r\n  overflow: hidden;\r\n}\r\n.devtools-tooltip[wide] {\r\n  max-width: 600px;\r\n}\r\n\r\n/* Tooltip: Simple Text */\r\n\r\n.devtools-tooltip-simple-text {\r\n  max-width: 400px;\r\n  margin: 0 -4px; /* Compensate for the .panel-arrowcontent padding. */\r\n  padding: 8px 12px;\r\n  white-space: pre-wrap;\r\n}\r\n\r\n.devtools-tooltip-simple-text:first-child {\r\n  margin-top: -4px;\r\n}\r\n\r\n.devtools-tooltip-simple-text:last-child {\r\n  margin-bottom: -4px;\r\n}\r\n\r\n/* Tooltip: Alert Icon */\r\n\r\n.devtools-tooltip-alert-icon {\r\n  width: 32px;\r\n  height: 32px;\r\n  margin: 6px;\r\n  margin-inline-end: 20px;\r\n}\r\n\r\n.devtools-tooltip-alert-icon {\r\n  /* list-style-image: url(\"chrome://global/skin/icons/warning-32.png\"); */\r\n}\r\n\r\n/* Tooltip: Variables View */\r\n\r\n.devtools-tooltip-variables-view-box {\r\n  margin: -4px; /* Compensate for the .panel-arrowcontent padding. */\r\n}\r\n\r\n.devtools-tooltip-variables-view-box .variable-or-property > .title {\r\n  padding-inline-end: 6px;\r\n}\r\n\r\n/* Tooltip: Tiles */\r\n\r\n.devtools-tooltip-tiles {\r\n  background-color: #eee;\r\n  background-image: linear-gradient(45deg, #ccc 25%, transparent 25%, transparent 75%, #ccc 75%, #ccc),\r\n    linear-gradient(45deg, #ccc 25%, transparent 25%, transparent 75%, #ccc 75%, #ccc);\r\n  background-size: 20px 20px;\r\n  background-position: 0 0, 10px 10px;\r\n}\r\n\r\n.devtools-tooltip-iframe {\r\n  border: none;\r\n  background: transparent;\r\n}\r\n\r\n.tooltip-container {\r\n  display: none;\r\n  position: fixed;\r\n  z-index: 9999;\r\n  display: none;\r\n  background: transparent;\r\n  pointer-events: none;\r\n  overflow: hidden;\r\n  filter: drop-shadow(0 3px 4px var(--theme-tooltip-shadow));\r\n}\r\n\r\n.tooltip-xul-wrapper {\r\n  -moz-appearance: none;\r\n  background: transparent;\r\n  overflow: visible;\r\n  border-style: none;\r\n}\r\n\r\n.tooltip-xul-wrapper .tooltip-container {\r\n  position: absolute;\r\n}\r\n\r\n.tooltip-top {\r\n  flex-direction: column;\r\n}\r\n\r\n.tooltip-bottom {\r\n  flex-direction: column-reverse;\r\n}\r\n\r\n.tooltip-panel{\r\n  background-color: var(--theme-tooltip-background);\r\n  pointer-events: all;\r\n  flex-grow: 1;\r\n}\r\n\r\n.tooltip-visible {\r\n  display: flex;\r\n}\r\n\r\n.tooltip-hidden {\r\n  display: flex;\r\n  visibility: hidden;\r\n}\r\n\r\n/* Tooltip : flexible height styles */\r\n\r\n.tooltip-flexible-height .tooltip-panel {\r\n  /* In flexible mode the tooltip panel should only grow according to its content. */\r\n  flex-grow: 0;\r\n}\r\n\r\n.tooltip-flexible-height .tooltip-filler {\r\n  /* In flexible mode the filler should grow as much as possible. */\r\n  flex-grow: 1;\r\n}\r\n\r\n/* type=\"arrow\" overrides: remove arrow decorations for the xul <panel> wrapper */\r\n\r\n.tooltip-xul-wrapper[type=\"arrow\"] {\r\n  margin: 0;\r\n}\r\n\r\n/* The arrow image is hidden because the panel is opened using openPopupAtScreen(). */\r\n\r\n/* Remove all decorations on .panel-arrowcontent is the tooltip content container. */\r\n.tooltip-xul-wrapper[type=\"arrow\"] .panel-arrowcontent {\r\n  margin: 0;\r\n  padding: 0;\r\n  background: transparent;\r\n  border: none;\r\n  box-shadow: none;\r\n}\r\n\r\n/* Tooltip : arrow style */\r\n\r\n.tooltip-xul-wrapper .tooltip-container {\r\n  /* When displayed in a XUL panel the drop shadow would be abruptly cut by the panel */\r\n  filter: none;\r\n}\r\n\r\n.tooltip-container[type=\"arrow\"] > .tooltip-panel {\r\n  position: relative;\r\n  min-height: 10px;\r\n  box-sizing: border-box;\r\n  width: 100%;\r\n\r\n  border: 3px solid var(--theme-tooltip-border);\r\n  border-radius: 5px;\r\n}\r\n\r\n.tooltip-top[type=\"arrow\"] .tooltip-panel {\r\n  top: 0;\r\n}\r\n\r\n.tooltip-bottom[type=\"arrow\"] .tooltip-panel {\r\n  bottom: 0;\r\n}\r\n\r\n.tooltip-arrow {\r\n  position: relative;\r\n  height: 16px;\r\n  width: 32px;\r\n  overflow: hidden;\r\n  flex-shrink: 0;\r\n}\r\n\r\n/* In RTL locales, only use RTL on the tooltip content, keep LTR for positioning */\r\n.tooltip-container:-moz-locale-dir(rtl) {\r\n  direction: ltr;\r\n}\r\n\r\n.tooltip-panel:-moz-locale-dir(rtl) {\r\n  direction: rtl;\r\n}\r\n\r\n.tooltip-top .tooltip-arrow {\r\n  margin-top: -3px;\r\n}\r\n\r\n.tooltip-bottom .tooltip-arrow {\r\n  margin-bottom: -3px;\r\n}\r\n\r\n.tooltip-arrow:before {\r\n  content: \"\";\r\n  position: absolute;\r\n  width: 21px;\r\n  height: 21px;\r\n  margin-left: 4px;\r\n  background: linear-gradient(-45deg,\r\n    var(--theme-tooltip-background) 50%, transparent 50%);\r\n  border-color: var(--theme-tooltip-border);\r\n  border-style: solid;\r\n  border-width: 0px 3px 3px 0px;\r\n  border-radius: 3px;\r\n  pointer-events: all;\r\n}\r\n\r\n.tooltip-bottom .tooltip-arrow:before {\r\n  margin-top: 4px;\r\n  transform: rotate(225deg);\r\n}\r\n\r\n.tooltip-top .tooltip-arrow:before {\r\n  margin-top: -12px;\r\n  transform: rotate(45deg);\r\n}\r\n\r\n/* Tooltip: Events */\r\n\r\n.event-header {\r\n  display: flex;\r\n  align-items: center;\r\n  cursor: pointer;\r\n  overflow: hidden;\r\n}\r\n\r\n.event-header:first-child {\r\n  border-width: 0;\r\n}\r\n\r\n.event-header:not(:first-child) {\r\n  border-width: 1px 0 0 0;\r\n}\r\n\r\n.devtools-tooltip-events-container {\r\n  height: 100%;\r\n  overflow-y: auto;\r\n}\r\n\r\n.event-tooltip-event-type,\r\n.event-tooltip-filename,\r\n.event-tooltip-attributes {\r\n  margin-inline-start: 0;\r\n  flex-shrink: 0;\r\n  cursor: pointer;\r\n}\r\n\r\n.event-tooltip-event-type {\r\n  font-weight: bold;\r\n  font-size: 13px;\r\n}\r\n\r\n.event-tooltip-filename {\r\n  margin: 0 5px;\r\n  font-size: 100%;\r\n  flex-shrink: 1;\r\n  white-space: nowrap;\r\n  overflow: hidden;\r\n  text-overflow: ellipsis;\r\n  /* Force ellipsis to be displayed on the left */\r\n  direction: rtl;\r\n}\r\n\r\n.event-tooltip-debugger-icon {\r\n  width: 16px;\r\n  height: 16px;\r\n  margin-inline-end: 4px;\r\n  opacity: 0.6;\r\n  flex-shrink: 0;\r\n}\r\n\r\n.event-tooltip-debugger-icon:hover {\r\n  opacity: 1;\r\n}\r\n\r\n.event-tooltip-content-box {\r\n  display: none;\r\n  height: 100px;\r\n  overflow: hidden;\r\n  margin-inline-end: 0;\r\n  border: 1px solid var(--theme-splitter-color);\r\n  border-width: 1px 0 0 0;\r\n}\r\n\r\n.event-toolbox-content-box iframe {\r\n  height: 100%;\r\n  border-style: none;\r\n}\r\n\r\n.event-tooltip-content-box[open] {\r\n  display: block;\r\n}\r\n\r\n.event-tooltip-source-container {\r\n  margin-top: 5px;\r\n  margin-bottom: 10px;\r\n  margin-inline-start: 5px;\r\n  margin-inline-end: 0;\r\n}\r\n\r\n.event-tooltip-source {\r\n  margin-bottom: 0;\r\n}\r\n\r\n.event-tooltip-attributes-container {\r\n  display: flex;\r\n  flex-shrink: 0;\r\n  flex-grow: 1;\r\n  justify-content: flex-end;\r\n}\r\n\r\n.event-tooltip-attributes-box {\r\n  display: flex;\r\n  flex-shrink: 0;\r\n  align-items: center;\r\n  height: 14px;\r\n  border-radius: 3px;\r\n  padding: 2px;\r\n  margin-inline-start: 5px;\r\n  background-color: var(--theme-body-color-alt);\r\n  color: var(--theme-toolbar-background);\r\n}\r\n\r\n.event-tooltip-attributes {\r\n  margin: 0;\r\n  font-size: 9px;\r\n  padding-top: 2px;\r\n}\r\n\r\n/*\r\n * Tooltip: JS stack traces\r\n */\r\n\r\n.stack-trace-tooltip {\r\n  direction: ltr;\r\n  height: 100%;\r\n  overflow-y: auto;\r\n}\r\n\r\n.stack-trace-tooltip > .stack-frame {\r\n  margin-left: 5px;\r\n  margin-right: 5px;\r\n}\r\n\r\n.stack-trace-tooltip > .stack-frame:first-child {\r\n  margin-top: 5px;\r\n}\r\n\r\n.stack-trace-tooltip > .stack-frame:last-child {\r\n  margin-bottom: 5px;\r\n}\r\n\r\n.stack-frame-call {\r\n  color: var(--theme-body-color-alt);\r\n  cursor: pointer;\r\n  display: flex;\r\n}\r\n\r\n.stack-frame-call:hover {\r\n  background-color: var(--theme-selection-background-semitransparent);\r\n}\r\n\r\n.stack-frame-async {\r\n  color: var(--theme-body-color-inactive);\r\n}\r\n\r\n.stack-frame-function-name {\r\n  color: var(--theme-highlight-blue);\r\n  max-width: 50%;\r\n  margin-inline-end: 1em;\r\n  white-space: nowrap;\r\n  overflow: hidden;\r\n  text-overflow: ellipsis;\r\n}\r\n\r\n.stack-frame-source-name {\r\n  flex: 1 1;\r\n  /* Makes the file name truncated (and ellipsis shown) on the left side */\r\n  direction: rtl;\r\n  text-align: right;\r\n  white-space: nowrap;\r\n  overflow: hidden;\r\n  text-overflow: ellipsis;\r\n}\r\n\r\n/* Enforce LTR direction for the file name - fixes bug 1290056 */\r\n.stack-frame-source-name-inner {\r\n  direction: ltr;\r\n  unicode-bidi: embed;\r\n}\r\n\r\n.stack-frame-line {\r\n  color: var(--theme-highlight-orange);\r\n}\r\n\r\n/* Tooltip: HTML Search */\r\n\r\n#searchbox-panel-listbox {\r\n  width: 250px;\r\n  max-width: 250px;\r\n  overflow-x: hidden;\r\n}\r\n\r\n#searchbox-panel-listbox .autocomplete-item,\r\n#searchbox-panel-listbox .autocomplete-item[selected] {\r\n  overflow-x: hidden;\r\n}\r\n\r\n#searchbox-panel-listbox .autocomplete-item > .initial-value {\r\n  max-width: 130px;\r\n  margin-left: 15px;\r\n}\r\n\r\n#searchbox-panel-listbox .autocomplete-item > .autocomplete-value {\r\n  max-width: 150px;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 413 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var ImPropTypes = __webpack_require__(365);
+	
+	var _require = __webpack_require__(2);
+	
+	var bindActionCreators = _require.bindActionCreators;
+	
+	var _require2 = __webpack_require__(16);
+	
+	var connect = _require2.connect;
+	
+	var _require3 = __webpack_require__(367);
+	
+	var cmdString = _require3.cmdString;
+	
+	var SourcesTree = React.createFactory(__webpack_require__(414));
+	var actions = __webpack_require__(369);
+	
+	var _require4 = __webpack_require__(358);
+	
+	var getSelectedSource = _require4.getSelectedSource;
+	var getSources = _require4.getSources;
+	
+	
+	__webpack_require__(515);
+	
+	var Sources = React.createClass({
+	  propTypes: {
+	    sources: ImPropTypes.map.isRequired,
+	    selectSource: PropTypes.func.isRequired
+	  },
+	
+	  displayName: "Sources",
+	
+	  render() {
+	    var _props = this.props;
+	    var sources = _props.sources;
+	    var selectSource = _props.selectSource;
+	
+	
+	    return dom.div({ className: "sources-panel" }, dom.div({ className: "sources-header" }, "Sources", dom.span({ className: "sources-header-info" }, `${ cmdString() }+P to search`)), SourcesTree({ sources, selectSource }));
+	  }
+	});
+	
+	module.exports = connect(state => ({ selectedSource: getSelectedSource(state),
+	  sources: getSources(state) }), dispatch => bindActionCreators(actions, dispatch))(Sources);
+
+/***/ },
+/* 414 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var classnames = __webpack_require__(360);
+	var ImPropTypes = __webpack_require__(365);
+	
+	var _require = __webpack_require__(352);
+	
+	var Set = _require.Set;
+	
+	var _require2 = __webpack_require__(415);
+	
+	var nodeHasChildren = _require2.nodeHasChildren;
+	var createParentMap = _require2.createParentMap;
+	var addToTree = _require2.addToTree;
+	var collapseTree = _require2.collapseTree;
+	var createTree = _require2.createTree;
+	
+	var ManagedTree = React.createFactory(__webpack_require__(487));
+	var Svg = __webpack_require__(491);
+	
+	var _require3 = __webpack_require__(342);
+	
+	var throttle = _require3.throttle;
+	
+	
+	var SourcesTree = React.createClass({
+	  propTypes: {
+	    sources: ImPropTypes.map.isRequired,
+	    selectSource: PropTypes.func.isRequired
+	  },
+	
+	  displayName: "SourcesTree",
+	
+	  getInitialState() {
+	    return createTree(this.props.sources);
+	  },
+	
+	  queueUpdate: throttle(function () {
+	    if (!this.isMounted()) {
+	      return;
+	    }
+	
+	    this.forceUpdate();
+	  }, 50),
+	
+	  shouldComponentUpdate() {
+	    this.queueUpdate();
+	    return false;
+	  },
+	
+	  componentWillReceiveProps(nextProps) {
+	    if (nextProps.sources === this.props.sources) {
+	      return;
+	    }
+	
+	    if (nextProps.sources.size === 0) {
+	      this.setState(createTree(nextProps.sources));
+	      return;
+	    }
+	
+	    var next = Set(nextProps.sources.valueSeq());
+	    var prev = Set(this.props.sources.valueSeq());
+	    var newSet = next.subtract(prev);
+	
+	    var uncollapsedTree = this.state.uncollapsedTree;
+	    for (var source of newSet) {
+	      addToTree(uncollapsedTree, source);
+	    }
+	
+	    // TODO: recreating the tree every time messes with the expanded
+	    // state of ManagedTree, because it depends on item instances
+	    // being the same. The result is that if a source is added at a
+	    // later time, all expanded state is lost.
+	    var sourceTree = newSet.size > 0 ? collapseTree(uncollapsedTree) : this.state.sourceTree;
+	
+	    this.setState({ uncollapsedTree,
+	      sourceTree,
+	      parentMap: createParentMap(sourceTree) });
+	  },
+	
+	  focusItem(item) {
+	    this.setState({ focusedItem: item });
+	  },
+	
+	  selectItem(item) {
+	    if (!nodeHasChildren(item)) {
+	      this.props.selectSource(item.contents.get("id"));
+	    }
+	  },
+	
+	  getIcon(item, depth) {
+	    if (depth === 0) {
+	      return new Svg("domain");
+	    }
+	
+	    if (!nodeHasChildren(item)) {
+	      return new Svg("file");
+	    }
+	
+	    return new Svg("folder");
+	  },
+	
+	  renderItem(item, depth, focused, _, expanded, _ref) {
+	    var setExpanded = _ref.setExpanded;
+	
+	    var arrow = new Svg("arrow", {
+	      className: classnames({ expanded: expanded,
+	        hidden: !nodeHasChildren(item) }),
+	      onClick: e => {
+	        e.stopPropagation();
+	        setExpanded(item, !expanded);
+	      }
+	    });
+	
+	    var icon = this.getIcon(item, depth);
+	
+	    return dom.div({
+	      className: classnames("node", { focused }),
+	      style: { paddingLeft: depth * 15 + "px" },
+	      key: item.path,
+	      onClick: () => this.selectItem(item),
+	      onDoubleClick: e => setExpanded(item, !expanded)
+	    }, dom.div(null, arrow, icon, item.name));
+	  },
+	
+	  render: function () {
+	    var _state = this.state;
+	    var focusedItem = _state.focusedItem;
+	    var sourceTree = _state.sourceTree;
+	    var parentMap = _state.parentMap;
+	
+	
+	    var tree = ManagedTree({
+	      getParent: item => {
+	        return parentMap.get(item);
+	      },
+	      getChildren: item => {
+	        if (nodeHasChildren(item)) {
+	          return item.contents;
+	        }
+	        return [];
+	      },
+	      getRoots: () => sourceTree.contents,
+	      getKey: (item, i) => item.path,
+	      itemHeight: 30,
+	      autoExpandDepth: 2,
+	      onFocus: this.focusItem,
+	      renderItem: this.renderItem
+	    });
+	
+	    return dom.div({
+	      className: "sources-list",
+	      onKeyDown: e => {
+	        if (e.keyCode === 13 && focusedItem) {
+	          this.selectItem(focusedItem);
+	        }
+	      }
+	    }, tree);
+	  }
+	});
+	
+	module.exports = SourcesTree;
+
+/***/ },
+/* 415 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var _require = __webpack_require__(372);
+	
+	var parse = _require.parse;
+	
+	var _require2 = __webpack_require__(344);
+	
+	var assert = _require2.assert;
+	
+	var _require3 = __webpack_require__(393);
+	
+	var isPretty = _require3.isPretty;
+	
+	var merge = __webpack_require__(416);
+	
+	var IGNORED_URLS = ["debugger eval code", "XStringBundle"];
+	
+	/**
+	 * Temporary Source type to be used only within this module
+	 * TODO: Replace with real Source type definition when refactoring types
+	 */
+	
+	
+	// TODO: createNode is exported so this type could be useful to other modules
+	
+	
+	function nodeHasChildren(item) {
+	  return Array.isArray(item.contents);
+	}
+	
+	function createNode(name, path, contents) {
+	  return {
+	    name,
+	    path,
+	    contents: contents || null
+	  };
+	}
+	
+	function createParentMap(tree) {
+	  var map = new WeakMap();
+	
+	  function _traverse(subtree) {
+	    if (nodeHasChildren(subtree)) {
+	      for (var child of subtree.contents) {
+	        map.set(child, subtree);
+	        _traverse(child);
+	      }
+	    }
+	  }
+	
+	  // Don't link each top-level path to the "root" node because the
+	  // user never sees the root
+	  tree.contents.forEach(_traverse);
+	  return map;
+	}
+	
+	function getURL(source) {
+	  var url = source.get("url");
+	  var def = { path: "", group: "" };
+	  if (!url) {
+	    return def;
+	  }
+	
+	  var _parse = parse(url);
+	
+	  var pathname = _parse.pathname;
+	  var protocol = _parse.protocol;
+	  var host = _parse.host;
+	  var path = _parse.path;
+	
+	
+	  switch (protocol) {
+	    case "javascript:":
+	      // Ignore `javascript:` URLs for now
+	      return def;
+	
+	    case "about:":
+	      // An about page is a special case
+	      return merge(def, {
+	        path: "/",
+	        group: url
+	      });
+	
+	    case null:
+	      if (pathname && pathname.startsWith("/")) {
+	        // If it's just a URL like "/foo/bar.js", resolve it to the file
+	        // protocol
+	        return merge(def, {
+	          path: path,
+	          group: "file://"
+	        });
+	      } else if (host === null) {
+	        // We don't know what group to put this under, and it's a script
+	        // with a weird URL. Just group them all under an anonymous group.
+	        return merge(def, {
+	          path: url,
+	          group: "(no domain)"
+	        });
+	      }
+	      break;
+	
+	    case "http:":
+	    case "https:":
+	      return merge(def, {
+	        path: pathname,
+	        group: host
+	      });
+	  }
+	
+	  return merge(def, {
+	    path: path,
+	    group: protocol ? protocol + "//" : ""
+	  });
+	}
+	
+	function addToTree(tree, source) {
+	  var url = getURL(source);
+	
+	  if (IGNORED_URLS.indexOf(url) != -1 || !source.get("url") || isPretty(source.toJS())) {
+	    return;
+	  }
+	
+	  url.path = decodeURIComponent(url.path);
+	
+	  var parts = url.path.split("/").filter(p => p !== "");
+	  var isDir = parts.length === 0 || parts[parts.length - 1].indexOf(".") === -1;
+	  parts.unshift(url.group);
+	
+	  var path = "";
+	  var subtree = tree;
+	
+	  var _loop = function (part) {
+	    // Currently we assume that we are descending into a node with
+	    // children. This will fail if a path has a directory named the
+	    // same as another file, like `foo/bar.js/file.js`.
+	    //
+	    // TODO: Be smarter about this, which we'll probably do when we
+	    // are smarter about folders and collapsing empty ones.
+	    assert(nodeHasChildren(subtree), `${ subtree.name } should have children`);
+	    var subpaths = subtree.contents;
+	
+	    // We want to sort alphabetically, so find the index where we
+	    // should insert this part.
+	    var idx = subpaths.findIndex(subpath => {
+	      return subpath.name.localeCompare(part) >= 0;
+	    });
+	
+	    if (idx >= 0 && subpaths[idx].name === part) {
+	      // A node with the same name already exists, simply traverse
+	      // into it.
+	      subtree = subpaths[idx];
+	    } else {
+	      // No node with this name exists, so insert a new one in the
+	      // place that is alphabetically sorted.
+	      var node = createNode(part, path + "/" + part, []);
+	      var where = idx === -1 ? subpaths.length : idx;
+	      subpaths.splice(where, 0, node);
+	      subtree = subpaths[where];
+	    }
+	
+	    // Keep track of the subpaths so we can tag each node with them.
+	    path = path + "/" + part;
+	  };
+	
+	  for (var part of parts) {
+	    _loop(part);
+	  }
+	
+	  // Overwrite the contents of the final node to store the source
+	  // there.
+	  if (isDir) {
+	    subtree.contents.unshift(createNode("(index)", source.get("url"), source));
+	  } else {
+	    subtree.contents = source;
+	  }
+	}
+	
+	/**
+	 * Take an existing source tree, and return a new one with collapsed nodes.
+	 */
+	function collapseTree(node) {
+	  var depth = arguments.length <= 1 || arguments[1] === undefined ? 0 : arguments[1];
+	
+	  // Node is a folder.
+	  if (nodeHasChildren(node)) {
+	    // Node is not a root/domain node, and only contains 1 item.
+	    if (depth > 1 && node.contents.length === 1) {
+	      var next = node.contents[0];
+	      // Do not collapse if the next node is a leaf node.
+	      if (nodeHasChildren(next)) {
+	        return collapseTree(createNode(`${ node.name }/${ next.name }`, next.path, next.contents), depth + 1);
+	      }
+	    }
+	    // Map the contents.
+	    return createNode(node.name, node.path, node.contents.map(next => collapseTree(next, depth + 1)));
+	  }
+	  // Node is a leaf, not a folder, do not modify it.
+	  return node;
+	}
+	
+	function createTree(sources) {
+	  var uncollapsedTree = createNode("root", "", []);
+	  for (var source of sources.valueSeq()) {
+	    addToTree(uncollapsedTree, source);
+	  }
+	  var sourceTree = collapseTree(uncollapsedTree);
+	
+	  return { uncollapsedTree,
+	    sourceTree,
+	    parentMap: createParentMap(sourceTree),
+	    focusedItem: null };
+	}
+	
+	module.exports = {
+	  createNode,
+	  nodeHasChildren,
+	  createParentMap,
+	  addToTree,
+	  collapseTree,
+	  createTree
+	};
+
+/***/ },
+/* 416 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseMerge = __webpack_require__(417),
+	    createAssigner = __webpack_require__(483);
+	
+	/**
+	 * This method is like `_.assign` except that it recursively merges own and
+	 * inherited enumerable string keyed properties of source objects into the
+	 * destination object. Source properties that resolve to `undefined` are
+	 * skipped if a destination value exists. Array and plain object properties
+	 * are merged recursively. Other objects and value types are overridden by
+	 * assignment. Source objects are applied from left to right. Subsequent
+	 * sources overwrite property assignments of previous sources.
+	 *
+	 * **Note:** This method mutates `object`.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.5.0
+	 * @category Object
+	 * @param {Object} object The destination object.
+	 * @param {...Object} [sources] The source objects.
+	 * @returns {Object} Returns `object`.
+	 * @example
+	 *
+	 * var object = {
+	 *   'a': [{ 'b': 2 }, { 'd': 4 }]
+	 * };
+	 *
+	 * var other = {
+	 *   'a': [{ 'c': 3 }, { 'e': 5 }]
+	 * };
+	 *
+	 * _.merge(object, other);
+	 * // => { 'a': [{ 'b': 2, 'c': 3 }, { 'd': 4, 'e': 5 }] }
+	 */
+	var merge = createAssigner(function(object, source, srcIndex) {
+	  baseMerge(object, source, srcIndex);
+	});
+	
+	module.exports = merge;
+
+
+/***/ },
+/* 417 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Stack = __webpack_require__(418),
+	    arrayEach = __webpack_require__(424),
+	    assignMergeValue = __webpack_require__(425),
+	    baseKeysIn = __webpack_require__(426),
+	    baseMergeDeep = __webpack_require__(429),
+	    isArray = __webpack_require__(207),
+	    isObject = __webpack_require__(218),
+	    isTypedArray = __webpack_require__(477);
+	
+	/**
+	 * The base implementation of `_.merge` without support for multiple sources.
+	 *
+	 * @private
+	 * @param {Object} object The destination object.
+	 * @param {Object} source The source object.
+	 * @param {number} srcIndex The index of `source`.
+	 * @param {Function} [customizer] The function to customize merged values.
+	 * @param {Object} [stack] Tracks traversed source values and their merged
+	 *  counterparts.
+	 */
+	function baseMerge(object, source, srcIndex, customizer, stack) {
+	  if (object === source) {
+	    return;
+	  }
+	  if (!(isArray(source) || isTypedArray(source))) {
+	    var props = baseKeysIn(source);
+	  }
+	  arrayEach(props || source, function(srcValue, key) {
+	    if (props) {
+	      key = srcValue;
+	      srcValue = source[key];
+	    }
+	    if (isObject(srcValue)) {
+	      stack || (stack = new Stack);
+	      baseMergeDeep(object, source, key, srcIndex, baseMerge, customizer, stack);
+	    }
+	    else {
+	      var newValue = customizer
+	        ? customizer(object[key], srcValue, (key + ''), object, source, stack)
+	        : undefined;
+	
+	      if (newValue === undefined) {
+	        newValue = srcValue;
+	      }
+	      assignMergeValue(object, key, newValue);
+	    }
+	  });
+	}
+	
+	module.exports = baseMerge;
+
+
+/***/ },
+/* 418 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var ListCache = __webpack_require__(229),
+	    stackClear = __webpack_require__(419),
+	    stackDelete = __webpack_require__(420),
+	    stackGet = __webpack_require__(421),
+	    stackHas = __webpack_require__(422),
+	    stackSet = __webpack_require__(423);
+	
+	/**
+	 * Creates a stack cache object to store key-value pairs.
+	 *
+	 * @private
+	 * @constructor
+	 * @param {Array} [entries] The key-value pairs to cache.
+	 */
+	function Stack(entries) {
+	  this.__data__ = new ListCache(entries);
+	}
+	
+	// Add methods to `Stack`.
+	Stack.prototype.clear = stackClear;
+	Stack.prototype['delete'] = stackDelete;
+	Stack.prototype.get = stackGet;
+	Stack.prototype.has = stackHas;
+	Stack.prototype.set = stackSet;
+	
+	module.exports = Stack;
+
+
+/***/ },
+/* 419 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var ListCache = __webpack_require__(229);
+	
+	/**
+	 * Removes all key-value entries from the stack.
+	 *
+	 * @private
+	 * @name clear
+	 * @memberOf Stack
+	 */
+	function stackClear() {
+	  this.__data__ = new ListCache;
+	}
+	
+	module.exports = stackClear;
+
+
+/***/ },
+/* 420 */
+/***/ function(module, exports) {
+
+	/**
+	 * Removes `key` and its value from the stack.
+	 *
+	 * @private
+	 * @name delete
+	 * @memberOf Stack
+	 * @param {string} key The key of the value to remove.
+	 * @returns {boolean} Returns `true` if the entry was removed, else `false`.
+	 */
+	function stackDelete(key) {
+	  return this.__data__['delete'](key);
+	}
+	
+	module.exports = stackDelete;
+
+
+/***/ },
+/* 421 */
+/***/ function(module, exports) {
+
+	/**
+	 * Gets the stack value for `key`.
+	 *
+	 * @private
+	 * @name get
+	 * @memberOf Stack
+	 * @param {string} key The key of the value to get.
+	 * @returns {*} Returns the entry value.
+	 */
+	function stackGet(key) {
+	  return this.__data__.get(key);
+	}
+	
+	module.exports = stackGet;
+
+
+/***/ },
+/* 422 */
+/***/ function(module, exports) {
+
+	/**
+	 * Checks if a stack value for `key` exists.
+	 *
+	 * @private
+	 * @name has
+	 * @memberOf Stack
+	 * @param {string} key The key of the entry to check.
+	 * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
+	 */
+	function stackHas(key) {
+	  return this.__data__.has(key);
+	}
+	
+	module.exports = stackHas;
+
+
+/***/ },
+/* 423 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var ListCache = __webpack_require__(229),
+	    Map = __webpack_require__(237),
+	    MapCache = __webpack_require__(210);
+	
+	/** Used as the size to enable large array optimizations. */
+	var LARGE_ARRAY_SIZE = 200;
+	
+	/**
+	 * Sets the stack `key` to `value`.
+	 *
+	 * @private
+	 * @name set
+	 * @memberOf Stack
+	 * @param {string} key The key of the value to set.
+	 * @param {*} value The value to set.
+	 * @returns {Object} Returns the stack cache instance.
+	 */
+	function stackSet(key, value) {
+	  var cache = this.__data__;
+	  if (cache instanceof ListCache) {
+	    var pairs = cache.__data__;
+	    if (!Map || (pairs.length < LARGE_ARRAY_SIZE - 1)) {
+	      pairs.push([key, value]);
+	      return this;
+	    }
+	    cache = this.__data__ = new MapCache(pairs);
+	  }
+	  cache.set(key, value);
+	  return this;
+	}
+	
+	module.exports = stackSet;
+
+
+/***/ },
+/* 424 */
+/***/ function(module, exports) {
+
+	/**
+	 * A specialized version of `_.forEach` for arrays without support for
+	 * iteratee shorthands.
+	 *
+	 * @private
+	 * @param {Array} [array] The array to iterate over.
+	 * @param {Function} iteratee The function invoked per iteration.
+	 * @returns {Array} Returns `array`.
+	 */
+	function arrayEach(array, iteratee) {
+	  var index = -1,
+	      length = array ? array.length : 0;
+	
+	  while (++index < length) {
+	    if (iteratee(array[index], index, array) === false) {
+	      break;
+	    }
+	  }
+	  return array;
+	}
+	
+	module.exports = arrayEach;
+
+
+/***/ },
+/* 425 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var eq = __webpack_require__(233);
+	
+	/**
+	 * This function is like `assignValue` except that it doesn't assign
+	 * `undefined` values.
+	 *
+	 * @private
+	 * @param {Object} object The object to modify.
+	 * @param {string} key The key of the property to assign.
+	 * @param {*} value The value to assign.
+	 */
+	function assignMergeValue(object, key, value) {
+	  if ((value !== undefined && !eq(object[key], value)) ||
+	      (typeof key == 'number' && value === undefined && !(key in object))) {
+	    object[key] = value;
+	  }
+	}
+	
+	module.exports = assignMergeValue;
+
+
+/***/ },
+/* 426 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isObject = __webpack_require__(218),
+	    isPrototype = __webpack_require__(427),
+	    nativeKeysIn = __webpack_require__(428);
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * The base implementation of `_.keysIn` which doesn't treat sparse arrays as dense.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of property names.
+	 */
+	function baseKeysIn(object) {
+	  if (!isObject(object)) {
+	    return nativeKeysIn(object);
+	  }
+	  var isProto = isPrototype(object),
+	      result = [];
+	
+	  for (var key in object) {
+	    if (!(key == 'constructor' && (isProto || !hasOwnProperty.call(object, key)))) {
+	      result.push(key);
+	    }
+	  }
+	  return result;
+	}
+	
+	module.exports = baseKeysIn;
+
+
+/***/ },
+/* 427 */
+/***/ function(module, exports) {
+
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/**
+	 * Checks if `value` is likely a prototype object.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.
+	 */
+	function isPrototype(value) {
+	  var Ctor = value && value.constructor,
+	      proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto;
+	
+	  return value === proto;
+	}
+	
+	module.exports = isPrototype;
+
+
+/***/ },
+/* 428 */
+/***/ function(module, exports) {
+
+	/**
+	 * This function is like
+	 * [`Object.keys`](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)
+	 * except that it includes inherited enumerable properties.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of property names.
+	 */
+	function nativeKeysIn(object) {
+	  var result = [];
+	  if (object != null) {
+	    for (var key in Object(object)) {
+	      result.push(key);
+	    }
+	  }
+	  return result;
+	}
+	
+	module.exports = nativeKeysIn;
+
+
+/***/ },
+/* 429 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assignMergeValue = __webpack_require__(425),
+	    baseClone = __webpack_require__(430),
+	    copyArray = __webpack_require__(445),
+	    isArguments = __webpack_require__(437),
+	    isArray = __webpack_require__(207),
+	    isArrayLikeObject = __webpack_require__(438),
+	    isFunction = __webpack_require__(217),
+	    isObject = __webpack_require__(218),
+	    isPlainObject = __webpack_require__(4),
+	    isTypedArray = __webpack_require__(477),
+	    toPlainObject = __webpack_require__(481);
+	
+	/**
+	 * A specialized version of `baseMerge` for arrays and objects which performs
+	 * deep merges and tracks traversed objects enabling objects with circular
+	 * references to be merged.
+	 *
+	 * @private
+	 * @param {Object} object The destination object.
+	 * @param {Object} source The source object.
+	 * @param {string} key The key of the value to merge.
+	 * @param {number} srcIndex The index of `source`.
+	 * @param {Function} mergeFunc The function to merge values.
+	 * @param {Function} [customizer] The function to customize assigned values.
+	 * @param {Object} [stack] Tracks traversed source values and their merged
+	 *  counterparts.
+	 */
+	function baseMergeDeep(object, source, key, srcIndex, mergeFunc, customizer, stack) {
+	  var objValue = object[key],
+	      srcValue = source[key],
+	      stacked = stack.get(srcValue);
+	
+	  if (stacked) {
+	    assignMergeValue(object, key, stacked);
+	    return;
+	  }
+	  var newValue = customizer
+	    ? customizer(objValue, srcValue, (key + ''), object, source, stack)
+	    : undefined;
+	
+	  var isCommon = newValue === undefined;
+	
+	  if (isCommon) {
+	    newValue = srcValue;
+	    if (isArray(srcValue) || isTypedArray(srcValue)) {
+	      if (isArray(objValue)) {
+	        newValue = objValue;
+	      }
+	      else if (isArrayLikeObject(objValue)) {
+	        newValue = copyArray(objValue);
+	      }
+	      else {
+	        isCommon = false;
+	        newValue = baseClone(srcValue, true);
+	      }
+	    }
+	    else if (isPlainObject(srcValue) || isArguments(srcValue)) {
+	      if (isArguments(objValue)) {
+	        newValue = toPlainObject(objValue);
+	      }
+	      else if (!isObject(objValue) || (srcIndex && isFunction(objValue))) {
+	        isCommon = false;
+	        newValue = baseClone(srcValue, true);
+	      }
+	      else {
+	        newValue = objValue;
+	      }
+	    }
+	    else {
+	      isCommon = false;
+	    }
+	  }
+	  if (isCommon) {
+	    // Recursively merge objects and arrays (susceptible to call stack limits).
+	    stack.set(srcValue, newValue);
+	    mergeFunc(newValue, srcValue, srcIndex, customizer, stack);
+	    stack['delete'](srcValue);
+	  }
+	  assignMergeValue(object, key, newValue);
+	}
+	
+	module.exports = baseMergeDeep;
+
+
+/***/ },
+/* 430 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Stack = __webpack_require__(418),
+	    arrayEach = __webpack_require__(424),
+	    assignValue = __webpack_require__(431),
+	    baseAssign = __webpack_require__(432),
+	    cloneBuffer = __webpack_require__(444),
+	    copyArray = __webpack_require__(445),
+	    copySymbols = __webpack_require__(446),
+	    getAllKeys = __webpack_require__(449),
+	    getTag = __webpack_require__(452),
+	    initCloneArray = __webpack_require__(458),
+	    initCloneByTag = __webpack_require__(459),
+	    initCloneObject = __webpack_require__(473),
+	    isArray = __webpack_require__(207),
+	    isBuffer = __webpack_require__(475),
+	    isHostObject = __webpack_require__(7),
+	    isObject = __webpack_require__(218),
+	    keys = __webpack_require__(434);
+	
+	/** `Object#toString` result references. */
+	var argsTag = '[object Arguments]',
+	    arrayTag = '[object Array]',
+	    boolTag = '[object Boolean]',
+	    dateTag = '[object Date]',
+	    errorTag = '[object Error]',
+	    funcTag = '[object Function]',
+	    genTag = '[object GeneratorFunction]',
+	    mapTag = '[object Map]',
+	    numberTag = '[object Number]',
+	    objectTag = '[object Object]',
+	    regexpTag = '[object RegExp]',
+	    setTag = '[object Set]',
+	    stringTag = '[object String]',
+	    symbolTag = '[object Symbol]',
+	    weakMapTag = '[object WeakMap]';
+	
+	var arrayBufferTag = '[object ArrayBuffer]',
+	    dataViewTag = '[object DataView]',
+	    float32Tag = '[object Float32Array]',
+	    float64Tag = '[object Float64Array]',
+	    int8Tag = '[object Int8Array]',
+	    int16Tag = '[object Int16Array]',
+	    int32Tag = '[object Int32Array]',
+	    uint8Tag = '[object Uint8Array]',
+	    uint8ClampedTag = '[object Uint8ClampedArray]',
+	    uint16Tag = '[object Uint16Array]',
+	    uint32Tag = '[object Uint32Array]';
+	
+	/** Used to identify `toStringTag` values supported by `_.clone`. */
+	var cloneableTags = {};
+	cloneableTags[argsTag] = cloneableTags[arrayTag] =
+	cloneableTags[arrayBufferTag] = cloneableTags[dataViewTag] =
+	cloneableTags[boolTag] = cloneableTags[dateTag] =
+	cloneableTags[float32Tag] = cloneableTags[float64Tag] =
+	cloneableTags[int8Tag] = cloneableTags[int16Tag] =
+	cloneableTags[int32Tag] = cloneableTags[mapTag] =
+	cloneableTags[numberTag] = cloneableTags[objectTag] =
+	cloneableTags[regexpTag] = cloneableTags[setTag] =
+	cloneableTags[stringTag] = cloneableTags[symbolTag] =
+	cloneableTags[uint8Tag] = cloneableTags[uint8ClampedTag] =
+	cloneableTags[uint16Tag] = cloneableTags[uint32Tag] = true;
+	cloneableTags[errorTag] = cloneableTags[funcTag] =
+	cloneableTags[weakMapTag] = false;
+	
+	/**
+	 * The base implementation of `_.clone` and `_.cloneDeep` which tracks
+	 * traversed objects.
+	 *
+	 * @private
+	 * @param {*} value The value to clone.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @param {boolean} [isFull] Specify a clone including symbols.
+	 * @param {Function} [customizer] The function to customize cloning.
+	 * @param {string} [key] The key of `value`.
+	 * @param {Object} [object] The parent object of `value`.
+	 * @param {Object} [stack] Tracks traversed objects and their clone counterparts.
+	 * @returns {*} Returns the cloned value.
+	 */
+	function baseClone(value, isDeep, isFull, customizer, key, object, stack) {
+	  var result;
+	  if (customizer) {
+	    result = object ? customizer(value, key, object, stack) : customizer(value);
+	  }
+	  if (result !== undefined) {
+	    return result;
+	  }
+	  if (!isObject(value)) {
+	    return value;
+	  }
+	  var isArr = isArray(value);
+	  if (isArr) {
+	    result = initCloneArray(value);
+	    if (!isDeep) {
+	      return copyArray(value, result);
+	    }
+	  } else {
+	    var tag = getTag(value),
+	        isFunc = tag == funcTag || tag == genTag;
+	
+	    if (isBuffer(value)) {
+	      return cloneBuffer(value, isDeep);
+	    }
+	    if (tag == objectTag || tag == argsTag || (isFunc && !object)) {
+	      if (isHostObject(value)) {
+	        return object ? value : {};
+	      }
+	      result = initCloneObject(isFunc ? {} : value);
+	      if (!isDeep) {
+	        return copySymbols(value, baseAssign(result, value));
+	      }
+	    } else {
+	      if (!cloneableTags[tag]) {
+	        return object ? value : {};
+	      }
+	      result = initCloneByTag(value, tag, baseClone, isDeep);
+	    }
+	  }
+	  // Check for circular references and return its corresponding clone.
+	  stack || (stack = new Stack);
+	  var stacked = stack.get(value);
+	  if (stacked) {
+	    return stacked;
+	  }
+	  stack.set(value, result);
+	
+	  if (!isArr) {
+	    var props = isFull ? getAllKeys(value) : keys(value);
+	  }
+	  arrayEach(props || value, function(subValue, key) {
+	    if (props) {
+	      key = subValue;
+	      subValue = value[key];
+	    }
+	    // Recursively populate clone (susceptible to call stack limits).
+	    assignValue(result, key, baseClone(subValue, isDeep, isFull, customizer, key, value, stack));
+	  });
+	  return result;
+	}
+	
+	module.exports = baseClone;
+
+
+/***/ },
+/* 431 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var eq = __webpack_require__(233);
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * Assigns `value` to `key` of `object` if the existing value is not equivalent
+	 * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
+	 * for equality comparisons.
+	 *
+	 * @private
+	 * @param {Object} object The object to modify.
+	 * @param {string} key The key of the property to assign.
+	 * @param {*} value The value to assign.
+	 */
+	function assignValue(object, key, value) {
+	  var objValue = object[key];
+	  if (!(hasOwnProperty.call(object, key) && eq(objValue, value)) ||
+	      (value === undefined && !(key in object))) {
+	    object[key] = value;
+	  }
+	}
+	
+	module.exports = assignValue;
+
+
+/***/ },
+/* 432 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var copyObject = __webpack_require__(433),
+	    keys = __webpack_require__(434);
+	
+	/**
+	 * The base implementation of `_.assign` without support for multiple sources
+	 * or `customizer` functions.
+	 *
+	 * @private
+	 * @param {Object} object The destination object.
+	 * @param {Object} source The source object.
+	 * @returns {Object} Returns `object`.
+	 */
+	function baseAssign(object, source) {
+	  return object && copyObject(source, keys(source), object);
+	}
+	
+	module.exports = baseAssign;
+
+
+/***/ },
+/* 433 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var assignValue = __webpack_require__(431);
+	
+	/**
+	 * Copies properties of `source` to `object`.
+	 *
+	 * @private
+	 * @param {Object} source The object to copy properties from.
+	 * @param {Array} props The property identifiers to copy.
+	 * @param {Object} [object={}] The object to copy properties to.
+	 * @param {Function} [customizer] The function to customize copied values.
+	 * @returns {Object} Returns `object`.
+	 */
+	function copyObject(source, props, object, customizer) {
+	  object || (object = {});
+	
+	  var index = -1,
+	      length = props.length;
+	
+	  while (++index < length) {
+	    var key = props[index];
+	
+	    var newValue = customizer
+	      ? customizer(object[key], source[key], key, object, source)
+	      : undefined;
+	
+	    assignValue(object, key, newValue === undefined ? source[key] : newValue);
+	  }
+	  return object;
+	}
+	
+	module.exports = copyObject;
+
+
+/***/ },
+/* 434 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var arrayLikeKeys = __webpack_require__(435),
+	    baseKeys = __webpack_require__(442),
+	    isArrayLike = __webpack_require__(439);
+	
+	/**
+	 * Creates an array of the own enumerable property names of `object`.
+	 *
+	 * **Note:** Non-object values are coerced to objects. See the
+	 * [ES spec](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)
+	 * for more details.
+	 *
+	 * @static
+	 * @since 0.1.0
+	 * @memberOf _
+	 * @category Object
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of property names.
+	 * @example
+	 *
+	 * function Foo() {
+	 *   this.a = 1;
+	 *   this.b = 2;
+	 * }
+	 *
+	 * Foo.prototype.c = 3;
+	 *
+	 * _.keys(new Foo);
+	 * // => ['a', 'b'] (iteration order is not guaranteed)
+	 *
+	 * _.keys('hi');
+	 * // => ['0', '1']
+	 */
+	function keys(object) {
+	  return isArrayLike(object) ? arrayLikeKeys(object) : baseKeys(object);
+	}
+	
+	module.exports = keys;
+
+
+/***/ },
+/* 435 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseTimes = __webpack_require__(436),
+	    isArguments = __webpack_require__(437),
+	    isArray = __webpack_require__(207),
+	    isIndex = __webpack_require__(441);
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * Creates an array of the enumerable property names of the array-like `value`.
+	 *
+	 * @private
+	 * @param {*} value The value to query.
+	 * @param {boolean} inherited Specify returning inherited property names.
+	 * @returns {Array} Returns the array of property names.
+	 */
+	function arrayLikeKeys(value, inherited) {
+	  // Safari 8.1 makes `arguments.callee` enumerable in strict mode.
+	  // Safari 9 makes `arguments.length` enumerable in strict mode.
+	  var result = (isArray(value) || isArguments(value))
+	    ? baseTimes(value.length, String)
+	    : [];
+	
+	  var length = result.length,
+	      skipIndexes = !!length;
+	
+	  for (var key in value) {
+	    if ((inherited || hasOwnProperty.call(value, key)) &&
+	        !(skipIndexes && (key == 'length' || isIndex(key, length)))) {
+	      result.push(key);
+	    }
+	  }
+	  return result;
+	}
+	
+	module.exports = arrayLikeKeys;
+
+
+/***/ },
+/* 436 */
+/***/ function(module, exports) {
+
+	/**
+	 * The base implementation of `_.times` without support for iteratee shorthands
+	 * or max array length checks.
+	 *
+	 * @private
+	 * @param {number} n The number of times to invoke `iteratee`.
+	 * @param {Function} iteratee The function invoked per iteration.
+	 * @returns {Array} Returns the array of results.
+	 */
+	function baseTimes(n, iteratee) {
+	  var index = -1,
+	      result = Array(n);
+	
+	  while (++index < n) {
+	    result[index] = iteratee(index);
+	  }
+	  return result;
+	}
+	
+	module.exports = baseTimes;
+
+
+/***/ },
+/* 437 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isArrayLikeObject = __webpack_require__(438);
+	
+	/** `Object#toString` result references. */
+	var argsTag = '[object Arguments]';
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/** Built-in value references. */
+	var propertyIsEnumerable = objectProto.propertyIsEnumerable;
+	
+	/**
+	 * Checks if `value` is likely an `arguments` object.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 0.1.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is an `arguments` object,
+	 *  else `false`.
+	 * @example
+	 *
+	 * _.isArguments(function() { return arguments; }());
+	 * // => true
+	 *
+	 * _.isArguments([1, 2, 3]);
+	 * // => false
+	 */
+	function isArguments(value) {
+	  // Safari 8.1 makes `arguments.callee` enumerable in strict mode.
+	  return isArrayLikeObject(value) && hasOwnProperty.call(value, 'callee') &&
+	    (!propertyIsEnumerable.call(value, 'callee') || objectToString.call(value) == argsTag);
+	}
+	
+	module.exports = isArguments;
+
+
+/***/ },
+/* 438 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isArrayLike = __webpack_require__(439),
+	    isObjectLike = __webpack_require__(8);
+	
+	/**
+	 * This method is like `_.isArrayLike` except that it also checks if `value`
+	 * is an object.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is an array-like object,
+	 *  else `false`.
+	 * @example
+	 *
+	 * _.isArrayLikeObject([1, 2, 3]);
+	 * // => true
+	 *
+	 * _.isArrayLikeObject(document.body.children);
+	 * // => true
+	 *
+	 * _.isArrayLikeObject('abc');
+	 * // => false
+	 *
+	 * _.isArrayLikeObject(_.noop);
+	 * // => false
+	 */
+	function isArrayLikeObject(value) {
+	  return isObjectLike(value) && isArrayLike(value);
+	}
+	
+	module.exports = isArrayLikeObject;
+
+
+/***/ },
+/* 439 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isFunction = __webpack_require__(217),
+	    isLength = __webpack_require__(440);
+	
+	/**
+	 * Checks if `value` is array-like. A value is considered array-like if it's
+	 * not a function and has a `value.length` that's an integer greater than or
+	 * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is array-like, else `false`.
+	 * @example
+	 *
+	 * _.isArrayLike([1, 2, 3]);
+	 * // => true
+	 *
+	 * _.isArrayLike(document.body.children);
+	 * // => true
+	 *
+	 * _.isArrayLike('abc');
+	 * // => true
+	 *
+	 * _.isArrayLike(_.noop);
+	 * // => false
+	 */
+	function isArrayLike(value) {
+	  return value != null && isLength(value.length) && !isFunction(value);
+	}
+	
+	module.exports = isArrayLike;
+
+
+/***/ },
+/* 440 */
+/***/ function(module, exports) {
+
+	/** Used as references for various `Number` constants. */
+	var MAX_SAFE_INTEGER = 9007199254740991;
+	
+	/**
+	 * Checks if `value` is a valid array-like length.
+	 *
+	 * **Note:** This method is loosely based on
+	 * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.
+	 * @example
+	 *
+	 * _.isLength(3);
+	 * // => true
+	 *
+	 * _.isLength(Number.MIN_VALUE);
+	 * // => false
+	 *
+	 * _.isLength(Infinity);
+	 * // => false
+	 *
+	 * _.isLength('3');
+	 * // => false
+	 */
+	function isLength(value) {
+	  return typeof value == 'number' &&
+	    value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;
+	}
+	
+	module.exports = isLength;
+
+
+/***/ },
+/* 441 */
+/***/ function(module, exports) {
+
+	/** Used as references for various `Number` constants. */
+	var MAX_SAFE_INTEGER = 9007199254740991;
+	
+	/** Used to detect unsigned integer values. */
+	var reIsUint = /^(?:0|[1-9]\d*)$/;
+	
+	/**
+	 * Checks if `value` is a valid array-like index.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.
+	 * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.
+	 */
+	function isIndex(value, length) {
+	  length = length == null ? MAX_SAFE_INTEGER : length;
+	  return !!length &&
+	    (typeof value == 'number' || reIsUint.test(value)) &&
+	    (value > -1 && value % 1 == 0 && value < length);
+	}
+	
+	module.exports = isIndex;
+
+
+/***/ },
+/* 442 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isPrototype = __webpack_require__(427),
+	    nativeKeys = __webpack_require__(443);
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * The base implementation of `_.keys` which doesn't treat sparse arrays as dense.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of property names.
+	 */
+	function baseKeys(object) {
+	  if (!isPrototype(object)) {
+	    return nativeKeys(object);
+	  }
+	  var result = [];
+	  for (var key in Object(object)) {
+	    if (hasOwnProperty.call(object, key) && key != 'constructor') {
+	      result.push(key);
+	    }
+	  }
+	  return result;
+	}
+	
+	module.exports = baseKeys;
+
+
+/***/ },
+/* 443 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var overArg = __webpack_require__(6);
+	
+	/* Built-in method references for those with the same name as other `lodash` methods. */
+	var nativeKeys = overArg(Object.keys, Object);
+	
+	module.exports = nativeKeys;
+
+
+/***/ },
+/* 444 */
+/***/ function(module, exports) {
+
+	/**
+	 * Creates a clone of  `buffer`.
+	 *
+	 * @private
+	 * @param {Buffer} buffer The buffer to clone.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @returns {Buffer} Returns the cloned buffer.
+	 */
+	function cloneBuffer(buffer, isDeep) {
+	  if (isDeep) {
+	    return buffer.slice();
+	  }
+	  var result = new buffer.constructor(buffer.length);
+	  buffer.copy(result);
+	  return result;
+	}
+	
+	module.exports = cloneBuffer;
+
+
+/***/ },
+/* 445 */
+/***/ function(module, exports) {
+
+	/**
+	 * Copies the values of `source` to `array`.
+	 *
+	 * @private
+	 * @param {Array} source The array to copy values from.
+	 * @param {Array} [array=[]] The array to copy values to.
+	 * @returns {Array} Returns `array`.
+	 */
+	function copyArray(source, array) {
+	  var index = -1,
+	      length = source.length;
+	
+	  array || (array = Array(length));
+	  while (++index < length) {
+	    array[index] = source[index];
+	  }
+	  return array;
+	}
+	
+	module.exports = copyArray;
+
+
+/***/ },
+/* 446 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var copyObject = __webpack_require__(433),
+	    getSymbols = __webpack_require__(447);
+	
+	/**
+	 * Copies own symbol properties of `source` to `object`.
+	 *
+	 * @private
+	 * @param {Object} source The object to copy symbols from.
+	 * @param {Object} [object={}] The object to copy symbols to.
+	 * @returns {Object} Returns `object`.
+	 */
+	function copySymbols(source, object) {
+	  return copyObject(source, getSymbols(source), object);
+	}
+	
+	module.exports = copySymbols;
+
+
+/***/ },
+/* 447 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var overArg = __webpack_require__(6),
+	    stubArray = __webpack_require__(448);
+	
+	/* Built-in method references for those with the same name as other `lodash` methods. */
+	var nativeGetSymbols = Object.getOwnPropertySymbols;
+	
+	/**
+	 * Creates an array of the own enumerable symbol properties of `object`.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of symbols.
+	 */
+	var getSymbols = nativeGetSymbols ? overArg(nativeGetSymbols, Object) : stubArray;
+	
+	module.exports = getSymbols;
+
+
+/***/ },
+/* 448 */
+/***/ function(module, exports) {
+
+	/**
+	 * This method returns a new empty array.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.13.0
+	 * @category Util
+	 * @returns {Array} Returns the new empty array.
+	 * @example
+	 *
+	 * var arrays = _.times(2, _.stubArray);
+	 *
+	 * console.log(arrays);
+	 * // => [[], []]
+	 *
+	 * console.log(arrays[0] === arrays[1]);
+	 * // => false
+	 */
+	function stubArray() {
+	  return [];
+	}
+	
+	module.exports = stubArray;
+
+
+/***/ },
+/* 449 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseGetAllKeys = __webpack_require__(450),
+	    getSymbols = __webpack_require__(447),
+	    keys = __webpack_require__(434);
+	
+	/**
+	 * Creates an array of own enumerable property names and symbols of `object`.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of property names and symbols.
+	 */
+	function getAllKeys(object) {
+	  return baseGetAllKeys(object, keys, getSymbols);
+	}
+	
+	module.exports = getAllKeys;
+
+
+/***/ },
+/* 450 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var arrayPush = __webpack_require__(451),
+	    isArray = __webpack_require__(207);
+	
+	/**
+	 * The base implementation of `getAllKeys` and `getAllKeysIn` which uses
+	 * `keysFunc` and `symbolsFunc` to get the enumerable property names and
+	 * symbols of `object`.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @param {Function} keysFunc The function to get the keys of `object`.
+	 * @param {Function} symbolsFunc The function to get the symbols of `object`.
+	 * @returns {Array} Returns the array of property names and symbols.
+	 */
+	function baseGetAllKeys(object, keysFunc, symbolsFunc) {
+	  var result = keysFunc(object);
+	  return isArray(object) ? result : arrayPush(result, symbolsFunc(object));
+	}
+	
+	module.exports = baseGetAllKeys;
+
+
+/***/ },
+/* 451 */
+/***/ function(module, exports) {
+
+	/**
+	 * Appends the elements of `values` to `array`.
+	 *
+	 * @private
+	 * @param {Array} array The array to modify.
+	 * @param {Array} values The values to append.
+	 * @returns {Array} Returns `array`.
+	 */
+	function arrayPush(array, values) {
+	  var index = -1,
+	      length = values.length,
+	      offset = array.length;
+	
+	  while (++index < length) {
+	    array[offset + index] = values[index];
+	  }
+	  return array;
+	}
+	
+	module.exports = arrayPush;
+
+
+/***/ },
+/* 452 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var DataView = __webpack_require__(453),
+	    Map = __webpack_require__(237),
+	    Promise = __webpack_require__(454),
+	    Set = __webpack_require__(455),
+	    WeakMap = __webpack_require__(456),
+	    baseGetTag = __webpack_require__(457),
+	    toSource = __webpack_require__(223);
+	
+	/** `Object#toString` result references. */
+	var mapTag = '[object Map]',
+	    objectTag = '[object Object]',
+	    promiseTag = '[object Promise]',
+	    setTag = '[object Set]',
+	    weakMapTag = '[object WeakMap]';
+	
+	var dataViewTag = '[object DataView]';
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/** Used to detect maps, sets, and weakmaps. */
+	var dataViewCtorString = toSource(DataView),
+	    mapCtorString = toSource(Map),
+	    promiseCtorString = toSource(Promise),
+	    setCtorString = toSource(Set),
+	    weakMapCtorString = toSource(WeakMap);
+	
+	/**
+	 * Gets the `toStringTag` of `value`.
+	 *
+	 * @private
+	 * @param {*} value The value to query.
+	 * @returns {string} Returns the `toStringTag`.
+	 */
+	var getTag = baseGetTag;
+	
+	// Fallback for data views, maps, sets, and weak maps in IE 11,
+	// for data views in Edge < 14, and promises in Node.js.
+	if ((DataView && getTag(new DataView(new ArrayBuffer(1))) != dataViewTag) ||
+	    (Map && getTag(new Map) != mapTag) ||
+	    (Promise && getTag(Promise.resolve()) != promiseTag) ||
+	    (Set && getTag(new Set) != setTag) ||
+	    (WeakMap && getTag(new WeakMap) != weakMapTag)) {
+	  getTag = function(value) {
+	    var result = objectToString.call(value),
+	        Ctor = result == objectTag ? value.constructor : undefined,
+	        ctorString = Ctor ? toSource(Ctor) : undefined;
+	
+	    if (ctorString) {
+	      switch (ctorString) {
+	        case dataViewCtorString: return dataViewTag;
+	        case mapCtorString: return mapTag;
+	        case promiseCtorString: return promiseTag;
+	        case setCtorString: return setTag;
+	        case weakMapCtorString: return weakMapTag;
+	      }
+	    }
+	    return result;
+	  };
+	}
+	
+	module.exports = getTag;
+
+
+/***/ },
+/* 453 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getNative = __webpack_require__(215),
+	    root = __webpack_require__(221);
+	
+	/* Built-in method references that are verified to be native. */
+	var DataView = getNative(root, 'DataView');
+	
+	module.exports = DataView;
+
+
+/***/ },
+/* 454 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getNative = __webpack_require__(215),
+	    root = __webpack_require__(221);
+	
+	/* Built-in method references that are verified to be native. */
+	var Promise = getNative(root, 'Promise');
+	
+	module.exports = Promise;
+
+
+/***/ },
+/* 455 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getNative = __webpack_require__(215),
+	    root = __webpack_require__(221);
+	
+	/* Built-in method references that are verified to be native. */
+	var Set = getNative(root, 'Set');
+	
+	module.exports = Set;
+
+
+/***/ },
+/* 456 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var getNative = __webpack_require__(215),
+	    root = __webpack_require__(221);
+	
+	/* Built-in method references that are verified to be native. */
+	var WeakMap = getNative(root, 'WeakMap');
+	
+	module.exports = WeakMap;
+
+
+/***/ },
+/* 457 */
+/***/ function(module, exports) {
+
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/**
+	 * The base implementation of `getTag`.
+	 *
+	 * @private
+	 * @param {*} value The value to query.
+	 * @returns {string} Returns the `toStringTag`.
+	 */
+	function baseGetTag(value) {
+	  return objectToString.call(value);
+	}
+	
+	module.exports = baseGetTag;
+
+
+/***/ },
+/* 458 */
+/***/ function(module, exports) {
+
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/** Used to check objects for own properties. */
+	var hasOwnProperty = objectProto.hasOwnProperty;
+	
+	/**
+	 * Initializes an array clone.
+	 *
+	 * @private
+	 * @param {Array} array The array to clone.
+	 * @returns {Array} Returns the initialized clone.
+	 */
+	function initCloneArray(array) {
+	  var length = array.length,
+	      result = array.constructor(length);
+	
+	  // Add properties assigned by `RegExp#exec`.
+	  if (length && typeof array[0] == 'string' && hasOwnProperty.call(array, 'index')) {
+	    result.index = array.index;
+	    result.input = array.input;
+	  }
+	  return result;
+	}
+	
+	module.exports = initCloneArray;
+
+
+/***/ },
+/* 459 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var cloneArrayBuffer = __webpack_require__(460),
+	    cloneDataView = __webpack_require__(462),
+	    cloneMap = __webpack_require__(463),
+	    cloneRegExp = __webpack_require__(467),
+	    cloneSet = __webpack_require__(468),
+	    cloneSymbol = __webpack_require__(471),
+	    cloneTypedArray = __webpack_require__(472);
+	
+	/** `Object#toString` result references. */
+	var boolTag = '[object Boolean]',
+	    dateTag = '[object Date]',
+	    mapTag = '[object Map]',
+	    numberTag = '[object Number]',
+	    regexpTag = '[object RegExp]',
+	    setTag = '[object Set]',
+	    stringTag = '[object String]',
+	    symbolTag = '[object Symbol]';
+	
+	var arrayBufferTag = '[object ArrayBuffer]',
+	    dataViewTag = '[object DataView]',
+	    float32Tag = '[object Float32Array]',
+	    float64Tag = '[object Float64Array]',
+	    int8Tag = '[object Int8Array]',
+	    int16Tag = '[object Int16Array]',
+	    int32Tag = '[object Int32Array]',
+	    uint8Tag = '[object Uint8Array]',
+	    uint8ClampedTag = '[object Uint8ClampedArray]',
+	    uint16Tag = '[object Uint16Array]',
+	    uint32Tag = '[object Uint32Array]';
+	
+	/**
+	 * Initializes an object clone based on its `toStringTag`.
+	 *
+	 * **Note:** This function only supports cloning values with tags of
+	 * `Boolean`, `Date`, `Error`, `Number`, `RegExp`, or `String`.
+	 *
+	 * @private
+	 * @param {Object} object The object to clone.
+	 * @param {string} tag The `toStringTag` of the object to clone.
+	 * @param {Function} cloneFunc The function to clone values.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @returns {Object} Returns the initialized clone.
+	 */
+	function initCloneByTag(object, tag, cloneFunc, isDeep) {
+	  var Ctor = object.constructor;
+	  switch (tag) {
+	    case arrayBufferTag:
+	      return cloneArrayBuffer(object);
+	
+	    case boolTag:
+	    case dateTag:
+	      return new Ctor(+object);
+	
+	    case dataViewTag:
+	      return cloneDataView(object, isDeep);
+	
+	    case float32Tag: case float64Tag:
+	    case int8Tag: case int16Tag: case int32Tag:
+	    case uint8Tag: case uint8ClampedTag: case uint16Tag: case uint32Tag:
+	      return cloneTypedArray(object, isDeep);
+	
+	    case mapTag:
+	      return cloneMap(object, isDeep, cloneFunc);
+	
+	    case numberTag:
+	    case stringTag:
+	      return new Ctor(object);
+	
+	    case regexpTag:
+	      return cloneRegExp(object);
+	
+	    case setTag:
+	      return cloneSet(object, isDeep, cloneFunc);
+	
+	    case symbolTag:
+	      return cloneSymbol(object);
+	  }
+	}
+	
+	module.exports = initCloneByTag;
+
+
+/***/ },
+/* 460 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Uint8Array = __webpack_require__(461);
+	
+	/**
+	 * Creates a clone of `arrayBuffer`.
+	 *
+	 * @private
+	 * @param {ArrayBuffer} arrayBuffer The array buffer to clone.
+	 * @returns {ArrayBuffer} Returns the cloned array buffer.
+	 */
+	function cloneArrayBuffer(arrayBuffer) {
+	  var result = new arrayBuffer.constructor(arrayBuffer.byteLength);
+	  new Uint8Array(result).set(new Uint8Array(arrayBuffer));
+	  return result;
+	}
+	
+	module.exports = cloneArrayBuffer;
+
+
+/***/ },
+/* 461 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var root = __webpack_require__(221);
+	
+	/** Built-in value references. */
+	var Uint8Array = root.Uint8Array;
+	
+	module.exports = Uint8Array;
+
+
+/***/ },
+/* 462 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var cloneArrayBuffer = __webpack_require__(460);
+	
+	/**
+	 * Creates a clone of `dataView`.
+	 *
+	 * @private
+	 * @param {Object} dataView The data view to clone.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @returns {Object} Returns the cloned data view.
+	 */
+	function cloneDataView(dataView, isDeep) {
+	  var buffer = isDeep ? cloneArrayBuffer(dataView.buffer) : dataView.buffer;
+	  return new dataView.constructor(buffer, dataView.byteOffset, dataView.byteLength);
+	}
+	
+	module.exports = cloneDataView;
+
+
+/***/ },
+/* 463 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var addMapEntry = __webpack_require__(464),
+	    arrayReduce = __webpack_require__(465),
+	    mapToArray = __webpack_require__(466);
+	
+	/**
+	 * Creates a clone of `map`.
+	 *
+	 * @private
+	 * @param {Object} map The map to clone.
+	 * @param {Function} cloneFunc The function to clone values.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @returns {Object} Returns the cloned map.
+	 */
+	function cloneMap(map, isDeep, cloneFunc) {
+	  var array = isDeep ? cloneFunc(mapToArray(map), true) : mapToArray(map);
+	  return arrayReduce(array, addMapEntry, new map.constructor);
+	}
+	
+	module.exports = cloneMap;
+
+
+/***/ },
+/* 464 */
+/***/ function(module, exports) {
+
+	/**
+	 * Adds the key-value `pair` to `map`.
+	 *
+	 * @private
+	 * @param {Object} map The map to modify.
+	 * @param {Array} pair The key-value pair to add.
+	 * @returns {Object} Returns `map`.
+	 */
+	function addMapEntry(map, pair) {
+	  // Don't return `map.set` because it's not chainable in IE 11.
+	  map.set(pair[0], pair[1]);
+	  return map;
+	}
+	
+	module.exports = addMapEntry;
+
+
+/***/ },
+/* 465 */
+/***/ function(module, exports) {
+
+	/**
+	 * A specialized version of `_.reduce` for arrays without support for
+	 * iteratee shorthands.
+	 *
+	 * @private
+	 * @param {Array} [array] The array to iterate over.
+	 * @param {Function} iteratee The function invoked per iteration.
+	 * @param {*} [accumulator] The initial value.
+	 * @param {boolean} [initAccum] Specify using the first element of `array` as
+	 *  the initial value.
+	 * @returns {*} Returns the accumulated value.
+	 */
+	function arrayReduce(array, iteratee, accumulator, initAccum) {
+	  var index = -1,
+	      length = array ? array.length : 0;
+	
+	  if (initAccum && length) {
+	    accumulator = array[++index];
+	  }
+	  while (++index < length) {
+	    accumulator = iteratee(accumulator, array[index], index, array);
+	  }
+	  return accumulator;
+	}
+	
+	module.exports = arrayReduce;
+
+
+/***/ },
+/* 466 */
+/***/ function(module, exports) {
+
+	/**
+	 * Converts `map` to its key-value pairs.
+	 *
+	 * @private
+	 * @param {Object} map The map to convert.
+	 * @returns {Array} Returns the key-value pairs.
+	 */
+	function mapToArray(map) {
+	  var index = -1,
+	      result = Array(map.size);
+	
+	  map.forEach(function(value, key) {
+	    result[++index] = [key, value];
+	  });
+	  return result;
+	}
+	
+	module.exports = mapToArray;
+
+
+/***/ },
+/* 467 */
+/***/ function(module, exports) {
+
+	/** Used to match `RegExp` flags from their coerced string values. */
+	var reFlags = /\w*$/;
+	
+	/**
+	 * Creates a clone of `regexp`.
+	 *
+	 * @private
+	 * @param {Object} regexp The regexp to clone.
+	 * @returns {Object} Returns the cloned regexp.
+	 */
+	function cloneRegExp(regexp) {
+	  var result = new regexp.constructor(regexp.source, reFlags.exec(regexp));
+	  result.lastIndex = regexp.lastIndex;
+	  return result;
+	}
+	
+	module.exports = cloneRegExp;
+
+
+/***/ },
+/* 468 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var addSetEntry = __webpack_require__(469),
+	    arrayReduce = __webpack_require__(465),
+	    setToArray = __webpack_require__(470);
+	
+	/**
+	 * Creates a clone of `set`.
+	 *
+	 * @private
+	 * @param {Object} set The set to clone.
+	 * @param {Function} cloneFunc The function to clone values.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @returns {Object} Returns the cloned set.
+	 */
+	function cloneSet(set, isDeep, cloneFunc) {
+	  var array = isDeep ? cloneFunc(setToArray(set), true) : setToArray(set);
+	  return arrayReduce(array, addSetEntry, new set.constructor);
+	}
+	
+	module.exports = cloneSet;
+
+
+/***/ },
+/* 469 */
+/***/ function(module, exports) {
+
+	/**
+	 * Adds `value` to `set`.
+	 *
+	 * @private
+	 * @param {Object} set The set to modify.
+	 * @param {*} value The value to add.
+	 * @returns {Object} Returns `set`.
+	 */
+	function addSetEntry(set, value) {
+	  // Don't return `set.add` because it's not chainable in IE 11.
+	  set.add(value);
+	  return set;
+	}
+	
+	module.exports = addSetEntry;
+
+
+/***/ },
+/* 470 */
+/***/ function(module, exports) {
+
+	/**
+	 * Converts `set` to an array of its values.
+	 *
+	 * @private
+	 * @param {Object} set The set to convert.
+	 * @returns {Array} Returns the values.
+	 */
+	function setToArray(set) {
+	  var index = -1,
+	      result = Array(set.size);
+	
+	  set.forEach(function(value) {
+	    result[++index] = value;
+	  });
+	  return result;
+	}
+	
+	module.exports = setToArray;
+
+
+/***/ },
+/* 471 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var Symbol = __webpack_require__(246);
+	
+	/** Used to convert symbols to primitives and strings. */
+	var symbolProto = Symbol ? Symbol.prototype : undefined,
+	    symbolValueOf = symbolProto ? symbolProto.valueOf : undefined;
+	
+	/**
+	 * Creates a clone of the `symbol` object.
+	 *
+	 * @private
+	 * @param {Object} symbol The symbol object to clone.
+	 * @returns {Object} Returns the cloned symbol object.
+	 */
+	function cloneSymbol(symbol) {
+	  return symbolValueOf ? Object(symbolValueOf.call(symbol)) : {};
+	}
+	
+	module.exports = cloneSymbol;
+
+
+/***/ },
+/* 472 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var cloneArrayBuffer = __webpack_require__(460);
+	
+	/**
+	 * Creates a clone of `typedArray`.
+	 *
+	 * @private
+	 * @param {Object} typedArray The typed array to clone.
+	 * @param {boolean} [isDeep] Specify a deep clone.
+	 * @returns {Object} Returns the cloned typed array.
+	 */
+	function cloneTypedArray(typedArray, isDeep) {
+	  var buffer = isDeep ? cloneArrayBuffer(typedArray.buffer) : typedArray.buffer;
+	  return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length);
+	}
+	
+	module.exports = cloneTypedArray;
+
+
+/***/ },
+/* 473 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseCreate = __webpack_require__(474),
+	    getPrototype = __webpack_require__(5),
+	    isPrototype = __webpack_require__(427);
+	
+	/**
+	 * Initializes an object clone.
+	 *
+	 * @private
+	 * @param {Object} object The object to clone.
+	 * @returns {Object} Returns the initialized clone.
+	 */
+	function initCloneObject(object) {
+	  return (typeof object.constructor == 'function' && !isPrototype(object))
+	    ? baseCreate(getPrototype(object))
+	    : {};
+	}
+	
+	module.exports = initCloneObject;
+
+
+/***/ },
+/* 474 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isObject = __webpack_require__(218);
+	
+	/** Built-in value references. */
+	var objectCreate = Object.create;
+	
+	/**
+	 * The base implementation of `_.create` without support for assigning
+	 * properties to the created object.
+	 *
+	 * @private
+	 * @param {Object} prototype The object to inherit from.
+	 * @returns {Object} Returns the new object.
+	 */
+	function baseCreate(proto) {
+	  return isObject(proto) ? objectCreate(proto) : {};
+	}
+	
+	module.exports = baseCreate;
+
+
+/***/ },
+/* 475 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(module) {var root = __webpack_require__(221),
+	    stubFalse = __webpack_require__(476);
+	
+	/** Detect free variable `exports`. */
+	var freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports;
+	
+	/** Detect free variable `module`. */
+	var freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module;
+	
+	/** Detect the popular CommonJS extension `module.exports`. */
+	var moduleExports = freeModule && freeModule.exports === freeExports;
+	
+	/** Built-in value references. */
+	var Buffer = moduleExports ? root.Buffer : undefined;
+	
+	/* Built-in method references for those with the same name as other `lodash` methods. */
+	var nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined;
+	
+	/**
+	 * Checks if `value` is a buffer.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.3.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a buffer, else `false`.
+	 * @example
+	 *
+	 * _.isBuffer(new Buffer(2));
+	 * // => true
+	 *
+	 * _.isBuffer(new Uint8Array(2));
+	 * // => false
+	 */
+	var isBuffer = nativeIsBuffer || stubFalse;
+	
+	module.exports = isBuffer;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module)))
+
+/***/ },
+/* 476 */
+/***/ function(module, exports) {
+
+	/**
+	 * This method returns `false`.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.13.0
+	 * @category Util
+	 * @returns {boolean} Returns `false`.
+	 * @example
+	 *
+	 * _.times(2, _.stubFalse);
+	 * // => [false, false]
+	 */
+	function stubFalse() {
+	  return false;
+	}
+	
+	module.exports = stubFalse;
+
+
+/***/ },
+/* 477 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseIsTypedArray = __webpack_require__(478),
+	    baseUnary = __webpack_require__(479),
+	    nodeUtil = __webpack_require__(480);
+	
+	/* Node.js helper references. */
+	var nodeIsTypedArray = nodeUtil && nodeUtil.isTypedArray;
+	
+	/**
+	 * Checks if `value` is classified as a typed array.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 3.0.0
+	 * @category Lang
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.
+	 * @example
+	 *
+	 * _.isTypedArray(new Uint8Array);
+	 * // => true
+	 *
+	 * _.isTypedArray([]);
+	 * // => false
+	 */
+	var isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray;
+	
+	module.exports = isTypedArray;
+
+
+/***/ },
+/* 478 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var isLength = __webpack_require__(440),
+	    isObjectLike = __webpack_require__(8);
+	
+	/** `Object#toString` result references. */
+	var argsTag = '[object Arguments]',
+	    arrayTag = '[object Array]',
+	    boolTag = '[object Boolean]',
+	    dateTag = '[object Date]',
+	    errorTag = '[object Error]',
+	    funcTag = '[object Function]',
+	    mapTag = '[object Map]',
+	    numberTag = '[object Number]',
+	    objectTag = '[object Object]',
+	    regexpTag = '[object RegExp]',
+	    setTag = '[object Set]',
+	    stringTag = '[object String]',
+	    weakMapTag = '[object WeakMap]';
+	
+	var arrayBufferTag = '[object ArrayBuffer]',
+	    dataViewTag = '[object DataView]',
+	    float32Tag = '[object Float32Array]',
+	    float64Tag = '[object Float64Array]',
+	    int8Tag = '[object Int8Array]',
+	    int16Tag = '[object Int16Array]',
+	    int32Tag = '[object Int32Array]',
+	    uint8Tag = '[object Uint8Array]',
+	    uint8ClampedTag = '[object Uint8ClampedArray]',
+	    uint16Tag = '[object Uint16Array]',
+	    uint32Tag = '[object Uint32Array]';
+	
+	/** Used to identify `toStringTag` values of typed arrays. */
+	var typedArrayTags = {};
+	typedArrayTags[float32Tag] = typedArrayTags[float64Tag] =
+	typedArrayTags[int8Tag] = typedArrayTags[int16Tag] =
+	typedArrayTags[int32Tag] = typedArrayTags[uint8Tag] =
+	typedArrayTags[uint8ClampedTag] = typedArrayTags[uint16Tag] =
+	typedArrayTags[uint32Tag] = true;
+	typedArrayTags[argsTag] = typedArrayTags[arrayTag] =
+	typedArrayTags[arrayBufferTag] = typedArrayTags[boolTag] =
+	typedArrayTags[dataViewTag] = typedArrayTags[dateTag] =
+	typedArrayTags[errorTag] = typedArrayTags[funcTag] =
+	typedArrayTags[mapTag] = typedArrayTags[numberTag] =
+	typedArrayTags[objectTag] = typedArrayTags[regexpTag] =
+	typedArrayTags[setTag] = typedArrayTags[stringTag] =
+	typedArrayTags[weakMapTag] = false;
+	
+	/** Used for built-in method references. */
+	var objectProto = Object.prototype;
+	
+	/**
+	 * Used to resolve the
+	 * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
+	 * of values.
+	 */
+	var objectToString = objectProto.toString;
+	
+	/**
+	 * The base implementation of `_.isTypedArray` without Node.js optimizations.
+	 *
+	 * @private
+	 * @param {*} value The value to check.
+	 * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.
+	 */
+	function baseIsTypedArray(value) {
+	  return isObjectLike(value) &&
+	    isLength(value.length) && !!typedArrayTags[objectToString.call(value)];
+	}
+	
+	module.exports = baseIsTypedArray;
+
+
+/***/ },
+/* 479 */
+/***/ function(module, exports) {
+
+	/**
+	 * The base implementation of `_.unary` without support for storing metadata.
+	 *
+	 * @private
+	 * @param {Function} func The function to cap arguments for.
+	 * @returns {Function} Returns the new capped function.
+	 */
+	function baseUnary(func) {
+	  return function(value) {
+	    return func(value);
+	  };
+	}
+	
+	module.exports = baseUnary;
+
+
+/***/ },
+/* 480 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(module) {var freeGlobal = __webpack_require__(222);
+	
+	/** Detect free variable `exports`. */
+	var freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports;
+	
+	/** Detect free variable `module`. */
+	var freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module;
+	
+	/** Detect the popular CommonJS extension `module.exports`. */
+	var moduleExports = freeModule && freeModule.exports === freeExports;
+	
+	/** Detect free variable `process` from Node.js. */
+	var freeProcess = moduleExports && freeGlobal.process;
+	
+	/** Used to access faster Node.js helpers. */
+	var nodeUtil = (function() {
+	  try {
+	    return freeProcess && freeProcess.binding('util');
+	  } catch (e) {}
+	}());
+	
+	module.exports = nodeUtil;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(256)(module)))
+
+/***/ },
+/* 481 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var copyObject = __webpack_require__(433),
+	    keysIn = __webpack_require__(482);
+	
+	/**
+	 * Converts `value` to a plain object flattening inherited enumerable string
+	 * keyed properties of `value` to own properties of the plain object.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 3.0.0
+	 * @category Lang
+	 * @param {*} value The value to convert.
+	 * @returns {Object} Returns the converted plain object.
+	 * @example
+	 *
+	 * function Foo() {
+	 *   this.b = 2;
+	 * }
+	 *
+	 * Foo.prototype.c = 3;
+	 *
+	 * _.assign({ 'a': 1 }, new Foo);
+	 * // => { 'a': 1, 'b': 2 }
+	 *
+	 * _.assign({ 'a': 1 }, _.toPlainObject(new Foo));
+	 * // => { 'a': 1, 'b': 2, 'c': 3 }
+	 */
+	function toPlainObject(value) {
+	  return copyObject(value, keysIn(value));
+	}
+	
+	module.exports = toPlainObject;
+
+
+/***/ },
+/* 482 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var arrayLikeKeys = __webpack_require__(435),
+	    baseKeysIn = __webpack_require__(426),
+	    isArrayLike = __webpack_require__(439);
+	
+	/**
+	 * Creates an array of the own and inherited enumerable property names of `object`.
+	 *
+	 * **Note:** Non-object values are coerced to objects.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 3.0.0
+	 * @category Object
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the array of property names.
+	 * @example
+	 *
+	 * function Foo() {
+	 *   this.a = 1;
+	 *   this.b = 2;
+	 * }
+	 *
+	 * Foo.prototype.c = 3;
+	 *
+	 * _.keysIn(new Foo);
+	 * // => ['a', 'b', 'c'] (iteration order is not guaranteed)
+	 */
+	function keysIn(object) {
+	  return isArrayLike(object) ? arrayLikeKeys(object, true) : baseKeysIn(object);
+	}
+	
+	module.exports = keysIn;
+
+
+/***/ },
+/* 483 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseRest = __webpack_require__(484),
+	    isIterateeCall = __webpack_require__(486);
+	
+	/**
+	 * Creates a function like `_.assign`.
+	 *
+	 * @private
+	 * @param {Function} assigner The function to assign values.
+	 * @returns {Function} Returns the new assigner function.
+	 */
+	function createAssigner(assigner) {
+	  return baseRest(function(object, sources) {
+	    var index = -1,
+	        length = sources.length,
+	        customizer = length > 1 ? sources[length - 1] : undefined,
+	        guard = length > 2 ? sources[2] : undefined;
+	
+	    customizer = (assigner.length > 3 && typeof customizer == 'function')
+	      ? (length--, customizer)
+	      : undefined;
+	
+	    if (guard && isIterateeCall(sources[0], sources[1], guard)) {
+	      customizer = length < 3 ? undefined : customizer;
+	      length = 1;
+	    }
+	    object = Object(object);
+	    while (++index < length) {
+	      var source = sources[index];
+	      if (source) {
+	        assigner(object, source, index, customizer);
+	      }
+	    }
+	    return object;
+	  });
+	}
+	
+	module.exports = createAssigner;
+
+
+/***/ },
+/* 484 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var apply = __webpack_require__(485);
+	
+	/* Built-in method references for those with the same name as other `lodash` methods. */
+	var nativeMax = Math.max;
+	
+	/**
+	 * The base implementation of `_.rest` which doesn't validate or coerce arguments.
+	 *
+	 * @private
+	 * @param {Function} func The function to apply a rest parameter to.
+	 * @param {number} [start=func.length-1] The start position of the rest parameter.
+	 * @returns {Function} Returns the new function.
+	 */
+	function baseRest(func, start) {
+	  start = nativeMax(start === undefined ? (func.length - 1) : start, 0);
+	  return function() {
+	    var args = arguments,
+	        index = -1,
+	        length = nativeMax(args.length - start, 0),
+	        array = Array(length);
+	
+	    while (++index < length) {
+	      array[index] = args[start + index];
+	    }
+	    index = -1;
+	    var otherArgs = Array(start + 1);
+	    while (++index < start) {
+	      otherArgs[index] = args[index];
+	    }
+	    otherArgs[start] = array;
+	    return apply(func, this, otherArgs);
+	  };
+	}
+	
+	module.exports = baseRest;
+
+
+/***/ },
+/* 485 */
+/***/ function(module, exports) {
+
+	/**
+	 * A faster alternative to `Function#apply`, this function invokes `func`
+	 * with the `this` binding of `thisArg` and the arguments of `args`.
+	 *
+	 * @private
+	 * @param {Function} func The function to invoke.
+	 * @param {*} thisArg The `this` binding of `func`.
+	 * @param {Array} args The arguments to invoke `func` with.
+	 * @returns {*} Returns the result of `func`.
+	 */
+	function apply(func, thisArg, args) {
+	  switch (args.length) {
+	    case 0: return func.call(thisArg);
+	    case 1: return func.call(thisArg, args[0]);
+	    case 2: return func.call(thisArg, args[0], args[1]);
+	    case 3: return func.call(thisArg, args[0], args[1], args[2]);
+	  }
+	  return func.apply(thisArg, args);
+	}
+	
+	module.exports = apply;
+
+
+/***/ },
+/* 486 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var eq = __webpack_require__(233),
+	    isArrayLike = __webpack_require__(439),
+	    isIndex = __webpack_require__(441),
+	    isObject = __webpack_require__(218);
+	
+	/**
+	 * Checks if the given arguments are from an iteratee call.
+	 *
+	 * @private
+	 * @param {*} value The potential iteratee value argument.
+	 * @param {*} index The potential iteratee index or key argument.
+	 * @param {*} object The potential iteratee object argument.
+	 * @returns {boolean} Returns `true` if the arguments are from an iteratee call,
+	 *  else `false`.
+	 */
+	function isIterateeCall(value, index, object) {
+	  if (!isObject(object)) {
+	    return false;
+	  }
+	  var type = typeof index;
+	  if (type == 'number'
+	        ? (isArrayLike(object) && isIndex(index, object.length))
+	        : (type == 'string' && index in object)
+	      ) {
+	    return eq(object[index], value);
+	  }
+	  return false;
+	}
+	
+	module.exports = isIterateeCall;
+
+
+/***/ },
+/* 487 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var Tree = React.createFactory(__webpack_require__(488));
+	__webpack_require__(489);
+	
+	var ManagedTree = React.createClass({
+	  propTypes: Tree.propTypes,
+	
+	  displayName: "ManagedTree",
+	
+	  getInitialState() {
+	    return { expanded: new Set(),
+	      focusedItem: null };
+	  },
+	
+	  setExpanded(item, isExpanded) {
+	    var expanded = this.state.expanded;
+	    var key = this.props.getKey(item);
+	    if (isExpanded) {
+	      expanded.add(key);
+	    } else {
+	      expanded.delete(key);
+	    }
+	    this.setState({ expanded });
+	
+	    if (isExpanded && this.props.onExpand) {
+	      this.props.onExpand(item);
+	    } else if (!expanded && this.props.onCollapse) {
+	      this.props.onCollapse(item);
+	    }
+	  },
+	
+	  focusItem(item) {
+	    if (!this.props.disabledFocus && this.state.focusedItem !== item) {
+	      this.setState({ focusedItem: item });
+	
+	      if (this.props.onFocus) {
+	        this.props.onFocus(item);
+	      }
+	    }
+	  },
+	
+	  render() {
+	    var _this = this;
+	
+	    var _state = this.state;
+	    var expanded = _state.expanded;
+	    var focusedItem = _state.focusedItem;
+	
+	
+	    var props = Object.assign({}, this.props, {
+	      isExpanded: item => expanded.has(this.props.getKey(item)),
+	      focused: focusedItem,
+	
+	      onExpand: item => this.setExpanded(item, true),
+	      onCollapse: item => this.setExpanded(item, false),
+	      onFocus: this.focusItem,
+	
+	      renderItem: function () {
+	        var _props;
+	
+	        for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {
+	          args[_key] = arguments[_key];
+	        }
+	
+	        return (_props = _this.props).renderItem.apply(_props, args.concat([{
+	          setExpanded: _this.setExpanded
+	        }]));
+	      }
+	    });
+	
+	    return Tree(props);
+	  }
+	});
+	
+	module.exports = ManagedTree;
+
+/***/ },
+/* 488 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this file,
+	 * You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	const { DOM: dom, createClass, createFactory, PropTypes } = __webpack_require__(18);
+	// const { ViewHelpers } =
+	// require("resource://devtools/client/shared/widgets/ViewHelpers.jsm");
+	// let { VirtualScroll } = require("react-virtualized");
+	// VirtualScroll = createFactory(VirtualScroll);
+	
+	const AUTO_EXPAND_DEPTH = 0; // depth
+	
+	/**
+	 * An arrow that displays whether its node is expanded (▼) or collapsed
+	 * (▶). When its node has no children, it is hidden.
+	 */
+	const ArrowExpander = createFactory(createClass({
+	  displayName: "ArrowExpander",
+	
+	  shouldComponentUpdate(nextProps, nextState) {
+	    return this.props.item !== nextProps.item
+	      || this.props.visible !== nextProps.visible
+	      || this.props.expanded !== nextProps.expanded;
+	  },
+	
+	  render() {
+	    const attrs = {
+	      className: "arrow theme-twisty",
+	      onClick: this.props.expanded
+	        ? () => this.props.onCollapse(this.props.item)
+	        : e => this.props.onExpand(this.props.item, e.altKey)
+	    };
+	
+	    if (this.props.expanded) {
+	      attrs.className += " open";
+	    }
+	
+	    if (!this.props.visible) {
+	      attrs.style = Object.assign({}, this.props.style || {}, {
+	        visibility: "hidden"
+	      });
+	    }
+	
+	    return dom.div(attrs, this.props.children);
+	  }
+	}));
+	
+	const TreeNode = createFactory(createClass({
+	  displayName: "TreeNode",
+	
+	  componentDidMount() {
+	    if (this.props.focused) {
+	      this.refs.button.focus();
+	    }
+	  },
+	
+	  componentDidUpdate() {
+	    if (this.props.focused) {
+	      this.refs.button.focus();
+	    }
+	  },
+	
+	  shouldComponentUpdate(nextProps) {
+	    return this.props.item !== nextProps.item ||
+	      this.props.focused !== nextProps.focused ||
+	      this.props.expanded !== nextProps.expanded;
+	  },
+	
+	  render() {
+	    const arrow = ArrowExpander({
+	      item: this.props.item,
+	      expanded: this.props.expanded,
+	      visible: this.props.hasChildren,
+	      onExpand: this.props.onExpand,
+	      onCollapse: this.props.onCollapse,
+	    });
+	
+	    let isOddRow = this.props.index % 2;
+	    return dom.div(
+	      {
+	        className: `tree-node div ${isOddRow ? "tree-node-odd" : ""}`,
+	        onFocus: this.props.onFocus,
+	        onClick: this.props.onFocus,
+	        onBlur: this.props.onBlur,
+	        style: {
+	          padding: 0,
+	          margin: 0
+	        }
+	      },
+	
+	      this.props.renderItem(this.props.item,
+	                            this.props.depth,
+	                            this.props.focused,
+	                            arrow,
+	                            this.props.expanded),
+	
+	      // XXX: OSX won't focus/blur regular elements even if you set tabindex
+	      // unless there is an input/button child.
+	      dom.button(this._buttonAttrs)
+	    );
+	  },
+	
+	  _buttonAttrs: {
+	    ref: "button",
+	    style: {
+	      opacity: 0,
+	      width: "0 !important",
+	      height: "0 !important",
+	      padding: "0 !important",
+	      outline: "none",
+	      MozAppearance: "none",
+	      // XXX: Despite resetting all of the above properties (and margin), the
+	      // button still ends up with ~79px width, so we set a large negative
+	      // margin to completely hide it.
+	      MozMarginStart: "-1000px !important",
+	    }
+	  }
+	}));
+	
+	/**
+	 * Create a function that calls the given function `fn` only once per animation
+	 * frame.
+	 *
+	 * @param {Function} fn
+	 * @returns {Function}
+	 */
+	function oncePerAnimationFrame(fn) {
+	  let animationId = null;
+	  let argsToPass = null;
+	  return function (...args) {
+	    argsToPass = args;
+	    if (animationId !== null) {
+	      return;
+	    }
+	
+	    animationId = requestAnimationFrame(() => {
+	      fn.call(this, ...argsToPass);
+	      animationId = null;
+	      argsToPass = null;
+	    });
+	  };
+	}
+	
+	const NUMBER_OF_OFFSCREEN_ITEMS = 1;
+	
+	/**
+	 * A generic tree component. See propTypes for the public API.
+	 *
+	 * @see `devtools/client/memory/components/test/mochitest/head.js` for usage
+	 * @see `devtools/client/memory/components/heap.js` for usage
+	 */
+	const Tree = module.exports = createClass({
+	  displayName: "Tree",
+	
+	  propTypes: {
+	    // Required props
+	
+	    // A function to get an item's parent, or null if it is a root.
+	    getParent: PropTypes.func.isRequired,
+	    // A function to get an item's children.
+	    getChildren: PropTypes.func.isRequired,
+	    // A function which takes an item and ArrowExpander and returns a
+	    // component.
+	    renderItem: PropTypes.func.isRequired,
+	    // A function which returns the roots of the tree (forest).
+	    getRoots: PropTypes.func.isRequired,
+	    // A function to get a unique key for the given item.
+	    getKey: PropTypes.func.isRequired,
+	    // A function to get whether an item is expanded or not. If an item is not
+	    // expanded, then it must be collapsed.
+	    isExpanded: PropTypes.func.isRequired,
+	    // The height of an item in the tree including margin and padding, in
+	    // pixels.
+	    itemHeight: PropTypes.number.isRequired,
+	
+	    // Optional props
+	
+	    // The currently focused item, if any such item exists.
+	    focused: PropTypes.any,
+	    // Handle when a new item is focused.
+	    onFocus: PropTypes.func,
+	    // The depth to which we should automatically expand new items.
+	    autoExpandDepth: PropTypes.number,
+	    // Optional event handlers for when items are expanded or collapsed.
+	    onExpand: PropTypes.func,
+	    onCollapse: PropTypes.func,
+	  },
+	
+	  getDefaultProps() {
+	    return {
+	      autoExpandDepth: AUTO_EXPAND_DEPTH,
+	    };
+	  },
+	
+	  getInitialState() {
+	    return {
+	      scroll: 0,
+	      height: window.innerHeight,
+	      seen: new Set(),
+	    };
+	  },
+	
+	  componentDidMount() {
+	    window.addEventListener("resize", this._updateHeight);
+	    this._autoExpand(this.props);
+	    this._updateHeight();
+	  },
+	
+	  componentWillUnmount() {
+	    window.removeEventListener("resize", this._updateHeight);
+	  },
+	
+	  componentWillReceiveProps(nextProps) {
+	    this._autoExpand(nextProps);
+	    this._updateHeight();
+	  },
+	
+	  _autoExpand(props) {
+	    if (!props.autoExpandDepth) {
+	      return;
+	    }
+	
+	    // Automatically expand the first autoExpandDepth levels for new items. Do
+	    // not use the usual DFS infrastructure because we don't want to ignore
+	    // collapsed nodes.
+	    const autoExpand = (item, currentDepth) => {
+	      if (currentDepth >= props.autoExpandDepth ||
+	          this.state.seen.has(item)) {
+	        return;
+	      }
+	
+	      props.onExpand(item);
+	      this.state.seen.add(item);
+	
+	      const children = props.getChildren(item);
+	      const length = children.length;
+	      for (let i = 0; i < length; i++) {
+	        autoExpand(children[i], currentDepth + 1);
+	      }
+	    };
+	
+	    const roots = props.getRoots();
+	    const length = roots.length;
+	    for (let i = 0; i < length; i++) {
+	      autoExpand(roots[i], 0);
+	    }
+	  },
+	
+	  render() {
+	    const traversal = this._dfsFromRoots();
+	
+	    // Remove `NUMBER_OF_OFFSCREEN_ITEMS` from `begin` and add `2 *
+	    // NUMBER_OF_OFFSCREEN_ITEMS` to `end` so that the top and bottom of the
+	    // page are filled with the `NUMBER_OF_OFFSCREEN_ITEMS` previous and next
+	    // items respectively, rather than whitespace if the item is not in full
+	    // view.
+	    // const begin = Math.max(((this.state.scroll / this.props.itemHeight) | 0) - NUMBER_OF_OFFSCREEN_ITEMS, 0);
+	    // const end = begin + (2 * NUMBER_OF_OFFSCREEN_ITEMS) + ((this.state.height / this.props.itemHeight) | 0);
+	    // const toRender = traversal;
+	
+	    // const nodes = [
+	    //   dom.div({
+	    //     key: "top-spacer",
+	    //     style: {
+	    //       padding: 0,
+	    //       margin: 0,
+	    //       height: begin * this.props.itemHeight + "px"
+	    //     }
+	    //   })
+	    // ];
+	
+	    const renderItem = i => {
+	      let { item, depth } = traversal[i];
+	      return TreeNode({
+	        key: this.props.getKey(item, i),
+	        index: i,
+	        item: item,
+	        depth: depth,
+	        renderItem: this.props.renderItem,
+	        focused: this.props.focused === item,
+	        expanded: this.props.isExpanded(item),
+	        hasChildren: !!this.props.getChildren(item).length,
+	        onExpand: this._onExpand,
+	        onCollapse: this._onCollapse,
+	        onFocus: () => this._focus(i, item),
+	      });
+	    }
+	
+	    // nodes.push(dom.div({
+	    //   key: "bottom-spacer",
+	    //   style: {
+	    //     padding: 0,
+	    //     margin: 0,
+	    //     height: (traversal.length - 1 - end) * this.props.itemHeight + "px"
+	    //   }
+	    // }));
+	
+	    const style = Object.assign({}, this.props.style || {}, {
+	      padding: 0,
+	      margin: 0
+	    });
+	
+	    return dom.div(
+	      {
+	        className: "tree",
+	        ref: "tree",
+	        onKeyDown: this._onKeyDown,
+	        onKeyPress: this._preventArrowKeyScrolling,
+	        onKeyUp: this._preventArrowKeyScrolling,
+	        // onScroll: this._onScroll,
+	        style
+	      },
+	      // VirtualScroll({
+	      //   width: this.props.width,
+	      //   height: this.props.height,
+	      //   rowsCount: traversal.length,
+	      //   rowHeight: this.props.itemHeight,
+	      //   rowRenderer: renderItem
+	      // })
+	      traversal.map((v, i) => renderItem(i))
+	    );
+	  },
+	
+	  _preventArrowKeyScrolling(e) {
+	    switch (e.key) {
+	      case "ArrowUp":
+	      case "ArrowDown":
+	      case "ArrowLeft":
+	      case "ArrowRight":
+	        e.preventDefault();
+	        e.stopPropagation();
+	        if (e.nativeEvent) {
+	          if (e.nativeEvent.preventDefault) {
+	            e.nativeEvent.preventDefault();
+	          }
+	          if (e.nativeEvent.stopPropagation) {
+	            e.nativeEvent.stopPropagation();
+	          }
+	        }
+	    }
+	  },
+	
+	  /**
+	   * Updates the state's height based on clientHeight.
+	   */
+	  _updateHeight() {
+	    this.setState({
+	      height: this.refs.tree.clientHeight
+	    });
+	  },
+	
+	  /**
+	   * Perform a pre-order depth-first search from item.
+	   */
+	  _dfs(item, maxDepth = Infinity, traversal = [], _depth = 0) {
+	    traversal.push({ item, depth: _depth });
+	
+	    if (!this.props.isExpanded(item)) {
+	      return traversal;
+	    }
+	
+	    const nextDepth = _depth + 1;
+	
+	    if (nextDepth > maxDepth) {
+	      return traversal;
+	    }
+	
+	    const children = this.props.getChildren(item);
+	    const length = children.length;
+	    for (let i = 0; i < length; i++) {
+	      this._dfs(children[i], maxDepth, traversal, nextDepth);
+	    }
+	
+	    return traversal;
+	  },
+	
+	  /**
+	   * Perform a pre-order depth-first search over the whole forest.
+	   */
+	  _dfsFromRoots(maxDepth = Infinity) {
+	    const traversal = [];
+	
+	    const roots = this.props.getRoots();
+	    const length = roots.length;
+	    for (let i = 0; i < length; i++) {
+	      this._dfs(roots[i], maxDepth, traversal);
+	    }
+	
+	    return traversal;
+	  },
+	
+	  /**
+	   * Expands current row.
+	   *
+	   * @param {Object} item
+	   * @param {Boolean} expandAllChildren
+	   */
+	  _onExpand: oncePerAnimationFrame(function (item, expandAllChildren) {
+	    if (this.props.onExpand) {
+	      this.props.onExpand(item);
+	
+	      if (expandAllChildren) {
+	        const children = this._dfs(item);
+	        const length = children.length;
+	        for (let i = 0; i < length; i++) {
+	          this.props.onExpand(children[i].item);
+	        }
+	      }
+	    }
+	  }),
+	
+	  /**
+	   * Collapses current row.
+	   *
+	   * @param {Object} item
+	   */
+	  _onCollapse: oncePerAnimationFrame(function (item) {
+	    if (this.props.onCollapse) {
+	      this.props.onCollapse(item);
+	    }
+	  }),
+	
+	  /**
+	   * Sets the passed in item to be the focused item.
+	   *
+	   * @param {Number} index
+	   *        The index of the item in a full DFS traversal (ignoring collapsed
+	   *        nodes). Ignored if `item` is undefined.
+	   *
+	   * @param {Object|undefined} item
+	   *        The item to be focused, or undefined to focus no item.
+	   */
+	  _focus(index, item) {
+	    if (item !== undefined) {
+	      const itemStartPosition = index * this.props.itemHeight;
+	      const itemEndPosition = (index + 1) * this.props.itemHeight;
+	
+	      // Note that if the height of the viewport (this.state.height) is less than
+	      // `this.props.itemHeight`, we could accidentally try and scroll both up and
+	      // down in a futile attempt to make both the item's start and end positions
+	      // visible. Instead, give priority to the start of the item by checking its
+	      // position first, and then using an "else if", rather than a separate "if",
+	      // for the end position.
+	      if (this.state.scroll > itemStartPosition) {
+	        this.refs.tree.scrollTop = itemStartPosition;
+	      } else if ((this.state.scroll + this.state.height) < itemEndPosition) {
+	        this.refs.tree.scrollTop = itemEndPosition - this.state.height;
+	      }
+	    }
+	
+	    if (this.props.onFocus) {
+	      this.props.onFocus(item);
+	    }
+	  },
+	
+	  /**
+	   * Sets the state to have no focused item.
+	   */
+	  _onBlur() {
+	    this._focus(0, undefined);
+	  },
+	
+	  /**
+	   * Fired on a scroll within the tree's container, updates
+	   * the stored position of the view port to handle virtual view rendering.
+	   *
+	   * @param {Event} e
+	   */
+	  _onScroll: oncePerAnimationFrame(function (e) {
+	    this.setState({
+	      scroll: Math.max(this.refs.tree.scrollTop, 0),
+	      height: this.refs.tree.clientHeight
+	    });
+	  }),
+	
+	  /**
+	   * Handles key down events in the tree's container.
+	   *
+	   * @param {Event} e
+	   */
+	  _onKeyDown(e) {
+	    if (this.props.focused == null) {
+	      return;
+	    }
+	
+	    // Allow parent nodes to use navigation arrows with modifiers.
+	    if (e.altKey || e.ctrlKey || e.shiftKey || e.metaKey) {
+	      return;
+	    }
+	
+	    this._preventArrowKeyScrolling(e);
+	
+	    switch (e.key) {
+	      case "ArrowUp":
+	        this._focusPrevNode();
+	        return;
+	
+	      case "ArrowDown":
+	        this._focusNextNode();
+	        return;
+	
+	      case "ArrowLeft":
+	        if (this.props.isExpanded(this.props.focused)
+	            && this.props.getChildren(this.props.focused).length) {
+	          this._onCollapse(this.props.focused);
+	        } else {
+	          this._focusParentNode();
+	        }
+	        return;
+	
+	      case "ArrowRight":
+	        if (!this.props.isExpanded(this.props.focused)) {
+	          this._onExpand(this.props.focused);
+	        } else {
+	          this._focusNextNode();
+	        }
+	        return;
+	    }
+	  },
+	
+	  /**
+	   * Sets the previous node relative to the currently focused item, to focused.
+	   */
+	  _focusPrevNode: oncePerAnimationFrame(function () {
+	    // Start a depth first search and keep going until we reach the currently
+	    // focused node. Focus the previous node in the DFS, if it exists. If it
+	    // doesn't exist, we're at the first node already.
+	
+	    let prev;
+	    let prevIndex;
+	
+	    const traversal = this._dfsFromRoots();
+	    const length = traversal.length;
+	    for (let i = 0; i < length; i++) {
+	      const item = traversal[i].item;
+	      if (item === this.props.focused) {
+	        break;
+	      }
+	      prev = item;
+	      prevIndex = i;
+	    }
+	
+	    if (prev === undefined) {
+	      return;
+	    }
+	
+	    this._focus(prevIndex, prev);
+	  }),
+	
+	  /**
+	   * Handles the down arrow key which will focus either the next child
+	   * or sibling row.
+	   */
+	  _focusNextNode: oncePerAnimationFrame(function () {
+	    // Start a depth first search and keep going until we reach the currently
+	    // focused node. Focus the next node in the DFS, if it exists. If it
+	    // doesn't exist, we're at the last node already.
+	
+	    const traversal = this._dfsFromRoots();
+	    const length = traversal.length;
+	    let i = 0;
+	
+	    while (i < length) {
+	      if (traversal[i].item === this.props.focused) {
+	        break;
+	      }
+	      i++;
+	    }
+	
+	    if (i + 1 < traversal.length) {
+	      this._focus(i + 1, traversal[i + 1].item);
+	    }
+	  }),
+	
+	  /**
+	   * Handles the left arrow key, going back up to the current rows'
+	   * parent row.
+	   */
+	  _focusParentNode: oncePerAnimationFrame(function () {
+	    const parent = this.props.getParent(this.props.focused);
+	    if (!parent) {
+	      return;
+	    }
+	
+	    const traversal = this._dfsFromRoots();
+	    const length = traversal.length;
+	    let parentIndex = 0;
+	    for (; parentIndex < length; parentIndex++) {
+	      if (traversal[parentIndex].item === parent) {
+	        break;
+	      }
+	    }
+	
+	    this._focus(parentIndex, parent);
+	  }),
+	});
+
+
+/***/ },
+/* 489 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(490);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../../node_modules/css-loader/index.js!./ManagedTree.css", function() {
+				var newContent = require("!!./../../../../node_modules/css-loader/index.js!./ManagedTree.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 490 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".tree {\r\n  -webkit-user-select: none;\r\n  -moz-user-select: none;\r\n  -ms-user-select: none;\r\n  -o-user-select: none;\r\n  user-select: none;\r\n\r\n  flex: 1;\r\n  white-space: nowrap;\r\n  overflow: auto;\r\n}\r\n\r\n.tree button {\r\n  display: block;\r\n}\r\n\r\n.tree .node {\r\n  padding: 2px 5px;\r\n  position: relative;\r\n}\r\n\r\n.tree .node.focused {\r\n  color: white;\r\n  background-color: var(--theme-selection-background);\r\n}\r\n\r\n.tree .node > div {\r\n  margin-left: 10px;\r\n}\r\n\r\n.tree .node.focused svg {\r\n  fill: white;\r\n}\r\n\r\n.tree-node button {\r\n  position: fixed;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 491 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/**
+	 * This file maps the SVG React Components in the public/images directory.
+	 */
+	var Svg = __webpack_require__(492);
+	module.exports = Svg;
+
+/***/ },
+/* 492 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var InlineSVG = __webpack_require__(493);
+	
+	var svg = {
+	  "angle-brackets": __webpack_require__(494),
+	  "arrow": __webpack_require__(495),
+	  "blackBox": __webpack_require__(496),
+	  "breakpoint": __webpack_require__(497),
+	  "close": __webpack_require__(498),
+	  "disableBreakpoints": __webpack_require__(499),
+	  "domain": __webpack_require__(500),
+	  "file": __webpack_require__(501),
+	  "folder": __webpack_require__(502),
+	  "globe": __webpack_require__(503),
+	  "magnifying-glass": __webpack_require__(504),
+	  "pause": __webpack_require__(505),
+	  "pause-exceptions": __webpack_require__(506),
+	  "prettyPrint": __webpack_require__(507),
+	  "resume": __webpack_require__(508),
+	  "settings": __webpack_require__(509),
+	  "stepIn": __webpack_require__(510),
+	  "stepOut": __webpack_require__(511),
+	  "stepOver": __webpack_require__(512),
+	  "subSettings": __webpack_require__(513),
+	  "worker": __webpack_require__(514)
+	};
+	
+	module.exports = function (name, props) {
+	  // eslint-disable-line
+	  if (!svg[name]) {
+	    throw new Error("Unknown SVG: " + name);
+	  }
+	  var className = name;
+	  if (props && props.className) {
+	    className = `${ name } ${ props.className }`;
+	  }
+	  if (name === "subSettings") {
+	    className = "";
+	  }
+	  props = Object.assign({}, props, { className, src: svg[name] });
+	  return React.createElement(InlineSVG, props);
+	};
+
+/***/ },
+/* 493 */
+/***/ function(module, exports, __webpack_require__) {
+
+	'use strict';
+	
+	Object.defineProperty(exports, '__esModule', {
+	    value: true
+	});
+	
+	var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; };
+	
+	var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
+	
+	var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
+	
+	function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
+	
+	function _objectWithoutProperties(obj, keys) { var target = {}; for (var i in obj) { if (keys.indexOf(i) >= 0) continue; if (!Object.prototype.hasOwnProperty.call(obj, i)) continue; target[i] = obj[i]; } return target; }
+	
+	function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
+	
+	function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
+	
+	var _react = __webpack_require__(18);
+	
+	var _react2 = _interopRequireDefault(_react);
+	
+	var DOMParser = typeof window !== 'undefined' && window.DOMParser;
+	var process = process || {};
+	process.env = process.env || {};
+	var parserAvailable = typeof DOMParser !== 'undefined' && DOMParser.prototype != null && DOMParser.prototype.parseFromString != null;
+	
+	if ("production" !== process.env.NODE_ENV && !parserAvailable) {
+	    console.info('<InlineSVG />: `raw` prop works only when `window.DOMParser` exists.');
+	}
+	
+	function isParsable(src) {
+	    // kinda naive but meh, ain't gonna use full-blown parser for this
+	    return parserAvailable && typeof src === 'string' && src.trim().substr(0, 4) === '<svg';
+	}
+	
+	// parse SVG string using `DOMParser`
+	function parseFromSVGString(src) {
+	    var parser = new DOMParser();
+	    return parser.parseFromString(src, "image/svg+xml");
+	}
+	
+	// Transform DOM prop/attr names applicable to `<svg>` element but react-limited
+	function switchSVGAttrToReactProp(propName) {
+	    switch (propName) {
+	        case 'class':
+	            return 'className';
+	        default:
+	            return propName;
+	    }
+	}
+	
+	var InlineSVG = (function (_React$Component) {
+	    _inherits(InlineSVG, _React$Component);
+	
+	    _createClass(InlineSVG, null, [{
+	        key: 'defaultProps',
+	        value: {
+	            element: 'i',
+	            raw: false,
+	            src: ''
+	        },
+	        enumerable: true
+	    }, {
+	        key: 'propTypes',
+	        value: {
+	            src: _react2['default'].PropTypes.string.isRequired,
+	            element: _react2['default'].PropTypes.string,
+	            raw: _react2['default'].PropTypes.bool
+	        },
+	        enumerable: true
+	    }]);
+	
+	    function InlineSVG(props) {
+	        _classCallCheck(this, InlineSVG);
+	
+	        _get(Object.getPrototypeOf(InlineSVG.prototype), 'constructor', this).call(this, props);
+	        this._extractSVGProps = this._extractSVGProps.bind(this);
+	    }
+	
+	    // Serialize `Attr` objects in `NamedNodeMap`
+	
+	    _createClass(InlineSVG, [{
+	        key: '_serializeAttrs',
+	        value: function _serializeAttrs(map) {
+	            var ret = {};
+	            var prop = undefined;
+	            for (var i = 0; i < map.length; i++) {
+	                prop = switchSVGAttrToReactProp(map[i].name);
+	                ret[prop] = map[i].value;
+	            }
+	            return ret;
+	        }
+	
+	        // get <svg /> element props
+	    }, {
+	        key: '_extractSVGProps',
+	        value: function _extractSVGProps(src) {
+	            var map = parseFromSVGString(src).documentElement.attributes;
+	            return map.length > 0 ? this._serializeAttrs(map) : null;
+	        }
+	
+	        // get content inside <svg> element.
+	    }, {
+	        key: '_stripSVG',
+	        value: function _stripSVG(src) {
+	            return parseFromSVGString(src).documentElement.innerHTML;
+	        }
+	    }, {
+	        key: 'componentWillReceiveProps',
+	        value: function componentWillReceiveProps(_ref) {
+	            var children = _ref.children;
+	
+	            if ("production" !== process.env.NODE_ENV && children != null) {
+	                console.info('<InlineSVG />: `children` prop will be ignored.');
+	            }
+	        }
+	    }, {
+	        key: 'render',
+	        value: function render() {
+	            var Element = undefined,
+	                __html = undefined,
+	                svgProps = undefined;
+	            var _props = this.props;
+	            var element = _props.element;
+	            var raw = _props.raw;
+	            var src = _props.src;
+	
+	            var otherProps = _objectWithoutProperties(_props, ['element', 'raw', 'src']);
+	
+	            if (raw === true && isParsable(src)) {
+	                Element = 'svg';
+	                svgProps = this._extractSVGProps(src);
+	                __html = this._stripSVG(src);
+	            }
+	            __html = __html || src;
+	            Element = Element || element;
+	            svgProps = svgProps || {};
+	
+	            return _react2['default'].createElement(Element, _extends({}, svgProps, otherProps, { src: null, children: null,
+	                dangerouslySetInnerHTML: { __html: __html } }));
+	        }
+	    }]);
+	
+	    return InlineSVG;
+	})(_react2['default'].Component);
+	
+	exports['default'] = InlineSVG;
+	module.exports = exports['default'];
+
+/***/ },
+/* 494 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"-1 73 16 11\" version=\"1.1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\"><g id=\"Shape-Copy-3-+-Shape-Copy-4\" stroke=\"none\" stroke-width=\"1\" fill=\"none\" fill-rule=\"evenodd\" transform=\"translate(0.000000, 74.000000)\"><path d=\"M0.749321284,4.16081709 L4.43130681,0.242526751 C4.66815444,-0.00952143591 5.06030999,-0.0211407611 5.30721074,0.216574262 C5.55411149,0.454289284 5.56226116,0.851320812 5.32541353,1.103369 L1.95384971,4.69131519 L5.48809879,8.09407556 C5.73499955,8.33179058 5.74314922,8.72882211 5.50630159,8.9808703 C5.26945396,9.23291849 4.87729841,9.24453781 4.63039766,9.00682279 L0.827097345,5.34502101 C0.749816996,5.31670099 0.677016974,5.27216098 0.613753508,5.21125118 C0.427367989,5.03179997 0.377040713,4.7615583 0.465458792,4.53143559 C0.492371834,4.43667624 0.541703274,4.34676528 0.613628034,4.27022448 C0.654709457,4.22650651 0.70046335,4.19002189 0.749321284,4.16081709 Z\" id=\"Shape-Copy-3\" stroke=\"#FFFFFF\" stroke-width=\"0.05\" fill=\"#DDE1E4\"></path><path d=\"M13.7119065,5.44453032 L9.77062746,9.09174784 C9.51677479,9.3266604 9.12476399,9.31089603 8.89504684,9.05653714 C8.66532968,8.80217826 8.68489539,8.40554539 8.93874806,8.17063283 L12.5546008,4.82456128 L9.26827469,1.18571135 C9.03855754,0.931352463 9.05812324,0.534719593 9.31197591,0.299807038 C9.56582858,0.0648944831 9.95783938,0.0806588502 10.1875565,0.335017737 L13.72891,4.25625178 C13.8013755,4.28980469 13.8684335,4.3382578 13.9254821,4.40142604 C14.0883019,4.58171146 14.1258883,4.83347168 14.0435812,5.04846202 C14.0126705,5.15680232 13.9526426,5.2583679 13.8641331,5.34027361 C13.8174417,5.38348136 13.7660763,5.41820853 13.7119065,5.44453032 Z\" id=\"Shape-Copy-4\" stroke=\"#FFFFFF\" stroke-width=\"0.05\" fill=\"#DDE1E4\"></path></g></svg>"
+
+/***/ },
+/* 495 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" viewBox=\"0 0 16 16\"><path d=\"M8 13.4c-.5 0-.9-.2-1.2-.6L.4 5.2C0 4.7-.1 4.3.2 3.7S1 3 1.6 3h12.8c.6 0 1.2.1 1.4.7.3.6.2 1.1-.2 1.6l-6.4 7.6c-.3.4-.7.5-1.2.5z\"></path></svg>"
+
+/***/ },
+/* 496 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"##4A464C\"><g fill-rule=\"evenodd\"><circle cx=\"8\" cy=\"8.5\" r=\"1.5\"></circle><path d=\"M15.498 8.28l-.001-.03v-.002-.004l-.002-.018-.004-.031c0-.002 0-.002 0 0l-.004-.035.006.082c-.037-.296-.133-.501-.28-.661-.4-.522-.915-1.042-1.562-1.604-1.36-1.182-2.74-1.975-4.178-2.309a6.544 6.544 0 0 0-2.755-.042c-.78.153-1.565.462-2.369.91C3.252 5.147 2.207 6 1.252 7.035c-.216.233-.36.398-.499.577-.338.437-.338 1 0 1.437.428.552.941 1.072 1.59 1.635 1.359 1.181 2.739 1.975 4.177 2.308.907.21 1.829.223 2.756.043.78-.153 1.564-.462 2.369-.91 1.097-.612 2.141-1.464 3.097-2.499.217-.235.36-.398.498-.578.12-.128.216-.334.248-.554 0 .01 0 .01-.008.04l.013-.079-.001.011.003-.031.001-.017v.005l.001-.02v.008l.002-.03.001-.05-.001-.044v-.004-.004zm-.954.045v.007l.001.004V8.33v.012l-.001.01v-.005-.005l.002-.015-.001.008c-.002.014-.002.014 0 0l-.007.084c.003-.057-.004-.041-.014-.031-.143.182-.27.327-.468.543-.89.963-1.856 1.752-2.86 2.311-.724.404-1.419.677-2.095.81a5.63 5.63 0 0 1-2.374-.036c-1.273-.295-2.523-1.014-3.774-2.101-.604-.525-1.075-1.001-1.457-1.496-.054-.07-.054-.107 0-.177.117-.152.244-.298.442-.512.89-.963 1.856-1.752 2.86-2.311.724-.404 1.419-.678 2.095-.81a5.631 5.631 0 0 1 2.374.036c1.272.295 2.523 1.014 3.774 2.101.603.524 1.074 1 1.457 1.496.035.041.043.057.046.076 0 .01 0 .01.008.043l-.009-.047.003.02-.002-.013v-.008.016c0-.004 0-.004 0 0v-.004z\"></path></g></svg>"
+
+/***/ },
+/* 497 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" viewBox=\"0 0 60 12\"><path id=\"base-path\" d=\"M53.9,0H1C0.4,0,0,0.4,0,1v10c0,0.6,0.4,1,1,1h52.9c0.6,0,1.2-0.3,1.5-0.7L60,6l-4.4-5.3C55,0.3,54.5,0,53.9,0z\"></path></svg>"
+
+/***/ },
+/* 498 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 6 6\" version=\"1.1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\"><path d=\"M1.35191454,5.27895256 L5.31214367,1.35518468 C5.50830675,1.16082764 5.50977084,0.844248536 5.3154138,0.648085456 C5.12105677,0.451922377 4.80447766,0.450458288 4.60831458,0.644815324 L0.648085456,4.56858321 C0.451922377,4.76294025 0.450458288,5.07951935 0.644815324,5.27568243 C0.83917236,5.47184551 1.15575146,5.4733096 1.35191454,5.27895256 L1.35191454,5.27895256 Z\" id=\"Line\" stroke=\"none\" fill=\"#696969\" fill-rule=\"evenodd\"></path><path d=\"M5.31214367,4.56858321 L1.35191454,0.644815324 C1.15575146,0.450458288 0.83917236,0.451922377 0.644815324,0.648085456 C0.450458288,0.844248536 0.451922377,1.16082764 0.648085456,1.35518468 L4.60831458,5.27895256 C4.80447766,5.4733096 5.12105677,5.47184551 5.3154138,5.27568243 C5.50977084,5.07951935 5.50830675,4.76294025 5.31214367,4.56858321 L5.31214367,4.56858321 Z\" id=\"Line-Copy-2\" stroke=\"none\" fill=\"#696969\" fill-rule=\"evenodd\"></path></svg>"
+
+/***/ },
+/* 499 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"##4A464C\"><g fill-rule=\"evenodd\"><path d=\"M3.233 11.25l-.417 1H1.712C.763 12.25 0 11.574 0 10.747V6.503C0 5.675.755 5 1.712 5h4.127l-.417 1H1.597C1.257 6 1 6.225 1 6.503v4.244c0 .277.267.503.597.503h1.636zM7.405 11.27L7 12.306c.865.01 2.212-.024 2.315-.04.112-.016.112-.016.185-.035.075-.02.156-.046.251-.082.152-.056.349-.138.592-.244.415-.182.962-.435 1.612-.744l.138-.066a179.35 179.35 0 0 0 2.255-1.094c1.191-.546 1.191-2.074-.025-2.632l-.737-.34a3547.554 3547.554 0 0 0-3.854-1.78c-.029.11-.065.222-.11.336l-.232.596c.894.408 4.56 2.107 4.56 2.107.458.21.458.596 0 .806L9.197 11.27H7.405zM4.462 14.692l5-12a.5.5 0 1 0-.924-.384l-5 12a.5.5 0 1 0 .924.384z\"></path></g></svg>"
+
+/***/ },
+/* 500 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#DDE1E4\"><path d=\"M9.05 4.634l-2.144.003-.116.116v1.445l.92.965.492.034.116-.116v-.617L9.13 5.7l.035-.95M12.482 10.38l-1.505-1.462H9.362l-.564.516-.034 1.108.72.768 1.323.034-.117-.116v1.2l.972 1.02.315.034.116-.116v-1.154l.422-.374.034-.927-.117.117h.26l.408-.36V10.5l-.125-.124-.575-.033\"></path><path d=\"M8.47 15.073c-3.088 0-5.6-2.513-5.6-5.602V9.4v-.003c0-.018 0-.018.002-.034l.182-.088.724.587.49.033.497.543-.034.9.317.383h.47l.114.096-.032 1.9.524.553h.105l.025-.338 1.004-.95.054-.474.53-.462v-.888l-.588-.038-1.118-1.155H4.48l-.154-.09V9.01l.155-.1h1.164v-.273l.12-.115.7.033.494-.443.034-.746-.624-.655h-.724v.28l-.11.07H4.64l-.114-.09.025-.64.48-.43v-.244h-.382c-.102 0-.152-.128-.08-.2 1.04-1.01 2.428-1.59 3.903-1.59 1.374 0 2.672.5 3.688 1.39.08.068.03.198-.075.198l-1.144-.034-.81.803.52.523v.16l-.382.388h-.158l-.176-.177v-.16l.076-.074-.252-.252-.37.362.53.53c.072.072.005.194-.096.194l-.752-.005v.844h.783L9.885 8l.16-.143h.16l.62.61v.267l.58.027.003.002V8.76l.18-.03 1.234 1.24.753-.708h.382l.116.108c0 .02.003.016.003.036v.065c0 3.09-2.515 5.603-5.605 5.603M8.47 3C4.904 3 2 5.903 2 9.47c0 3.57 2.903 6.472 6.47 6.472 3.57 0 6.472-2.903 6.472-6.47C14.942 5.9 12.04 3 8.472 3\"></path></svg>"
+
+/***/ },
+/* 501 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#DDE1E4\"><path d=\"M4 2v12h9V4.775L9.888 2H4zm0-1h5.888c.246 0 .483.09.666.254l3.112 2.774c.212.19.334.462.334.747V14c0 .552-.448 1-1 1H4c-.552 0-1-.448-1-1V2c0-.552.448-1 1-1z\"></path><path d=\"M9 1.5v4c0 .325.306.564.62.485l4-1c.27-.067.432-.338.365-.606-.067-.27-.338-.432-.606-.365l-4 1L10 5.5v-4c0-.276-.224-.5-.5-.5s-.5.224-.5.5z\"></path></svg>"
+
+/***/ },
+/* 502 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#DDE1E5\"><path d=\"M2 5.193v7.652c0 .003-.002 0 .007 0H14v-7.69c0-.003.002 0-.007 0h-7.53v-2.15c0-.002-.004-.005-.01-.005H2.01C2 3 2 3 2 3.005V5.193zm-1 0V3.005C1 2.45 1.444 2 2.01 2h4.442c.558 0 1.01.45 1.01 1.005v1.15h6.53c.557 0 1.008.44 1.008 1v7.69c0 .553-.45 1-1.007 1H2.007c-.556 0-1.007-.44-1.007-1V5.193zM6.08 4.15H2v1h4.46v-1h-.38z\" fill-rule=\"evenodd\"></path></svg>"
+
+/***/ },
+/* 503 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"14 6 13 12\" version=\"1.1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\"><g id=\"world\" stroke=\"none\" stroke-width=\"1\" fill=\"none\" fill-rule=\"evenodd\" transform=\"translate(14.000000, 6.000000)\" stroke-linecap=\"round\" stroke-linejoin=\"round\"><path d=\"M6.35076107,0.354 C3.25095418,0.354 0.729,2.87582735 0.729,5.9758879 C0.729,9.07544113 3.25082735,11.5972685 6.35076107,11.5972685 C9.45044113,11.5972685 11.9723953,9.07544113 11.9723953,5.97576107 C11.9723953,2.87582735 9.45044113,0.354 6.35076107,0.354 L6.35076107,0.354 Z M6.35076107,10.8289121 C3.67445071,10.8289121 1.49722956,8.65181776 1.49722956,5.97576107 C1.49722956,5.9443064 1.49900522,5.91335907 1.49976622,5.88215806 L2.20090094,6.4213266 L2.56313696,6.4213266 L2.97268183,6.8306178 L2.97268183,7.68217686 L3.32324919,8.03287105 L3.73926255,8.03287105 L3.73926255,9.79940584 L4.27386509,10.3361645 L4.4591686,10.3361645 L4.4591686,10.000183 L5.37655417,9.08343163 L5.37655417,8.73400577 L5.85585737,8.25203907 L5.85585737,7.37206934 L5.32518666,7.37206934 L4.28439226,6.33140176 L2.82225748,6.33140176 L2.82225748,5.56938704 L3.96286973,5.56938704 L3.96286973,5.23949352 L4.65068695,5.23949352 L5.11477015,4.77667865 L5.11477015,4.03001076 L4.49087694,3.40662489 L3.75359472,3.40662489 L3.75359472,3.78725175 L2.96228149,3.78725175 L2.96228149,3.28385021 L3.42217919,2.82319151 L3.42217919,2.49786399 L2.97001833,2.49786399 C3.84466106,1.64744643 5.03714814,1.12222956 6.35063424,1.12222956 C7.57292716,1.12222956 8.69020207,1.57730759 9.54442463,2.32587797 L8.46164839,2.32587797 L7.680355,3.10666403 L8.21508437,3.64088607 L7.87238068,3.98257509 L7.7165025,3.82669692 L7.85297518,3.68946324 L7.78930484,3.62566607 L7.78943167,3.62566607 L7.56011699,3.39559038 L7.55986332,3.39571722 L7.49758815,3.33318838 L7.01904595,3.78585658 L7.55910232,4.32654712 L6.8069806,4.32198112 L6.8069806,5.25864535 L7.66716433,5.25864535 L7.6723645,4.72112565 L7.81289584,4.57996014 L8.31819988,5.08653251 L8.31819988,5.41921636 L9.00703176,5.41921636 L9.03366676,5.39321553 L9.03430093,5.39194719 L10.195587,6.55259911 L10.8637451,5.88520206 L11.2018828,5.88520206 C11.2023901,5.9153884 11.2041658,5.94532107 11.2041658,5.97563424 C11.2040389,8.65181776 9.0269446,10.8289121 6.35076107,10.8289121 L6.35076107,10.8289121 Z\" id=\"Shape\" stroke=\"#DDE1E5\" stroke-width=\"0.25\" fill=\"#DDE1E5\"></path><polygon id=\"Shape\" stroke=\"#DDE1E5\" stroke-width=\"0.25\" fill=\"#DDE1E5\" points=\"6.50676608 1.61523076 4.52892694 1.61789426 4.52892694 2.95192735 5.34560683 3.76733891 5.72496536 3.76733891 5.72496536 3.1967157 6.50676608 2.41592965\"></polygon><polygon id=\"Shape\" stroke=\"#DDE1E5\" stroke-width=\"0.25\" fill=\"#DDE1E5\" points=\"9.59959714 6.88718547 8.28623788 5.57268471 8.28623788 5.57002121 6.79607294 5.57002121 6.35101474 6.01469891 6.35101474 6.96201714 6.98429362 7.59466185 8.12909136 7.59466185 8.12909136 8.70343893 8.99434843 9.56882283 9.20971144 9.56882283 9.20971144 8.50329592 9.63029081 8.08271655 9.63029081 7.3026915 9.87025949 7.3026915 10.1711082 7.00082814 10.0558167 6.88718547\"></polygon></g></svg>"
+
+/***/ },
+/* 504 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"488 384 14 14\" version=\"1.1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\"><path d=\"M495.5,391.5 L500.200877,396.200877\" id=\"Line\" stroke=\"#4A90E2\" stroke-width=\"1.25\" stroke-linecap=\"round\" stroke-linejoin=\"round\" fill=\"none\"></path><ellipse id=\"Oval-6\" stroke=\"#4A90E2\" stroke-width=\"1.25\" fill=\"#FFFFFF\" fill-rule=\"evenodd\" cx=\"493.5\" cy=\"389.5\" rx=\"4.5\" ry=\"4.5\"></ellipse></svg>"
+
+/***/ },
+/* 505 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#4A464C\"><g fill-rule=\"evenodd\"><path d=\"M6.5 12.003l.052-9a.5.5 0 1 0-1-.006l-.052 9a.5.5 0 1 0 1 .006zM13 11.997l-.05-9a.488.488 0 0 0-.477-.497.488.488 0 0 0-.473.503l.05 9a.488.488 0 0 0 .477.497.488.488 0 0 0 .473-.503z\"></path></g></svg>"
+
+/***/ },
+/* 506 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\"><path d=\"M10.483 13.995H5.517l-3.512-3.512V5.516l3.512-3.512h4.966l3.512 3.512v4.967l-3.512 3.512zm4.37-9.042l-3.807-3.805A.503.503 0 0 0 10.691 1H5.309a.503.503 0 0 0-.356.148L1.147 4.953A.502.502 0 0 0 1 5.308v5.383c0 .134.053.262.147.356l3.806 3.806a.503.503 0 0 0 .356.147h5.382a.503.503 0 0 0 .355-.147l3.806-3.806A.502.502 0 0 0 15 10.69V5.308a.502.502 0 0 0-.147-.355z\"></path><path d=\"M10 10.5a.5.5 0 1 0 1 0v-5a.5.5 0 1 0-1 0v5zM5 10.5a.5.5 0 1 0 1 0v-5a.5.5 0 0 0-1 0v5z\"></path></svg>"
+
+/***/ },
+/* 507 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"##4A464C\"><path d=\"M4.525 13.21h-.472c-.574 0-.987-.154-1.24-.463-.253-.31-.38-.882-.38-1.719v-.573c0-.746-.097-1.265-.292-1.557-.196-.293-.51-.44-.945-.44v-.974c.435 0 .75-.146.945-.44.195-.292.293-.811.293-1.556v-.58c0-.833.126-1.404.379-1.712.253-.31.666-.464 1.24-.464h.472v.783h-.179c-.37 0-.628.08-.774.24-.145.159-.218.54-.218 1.141v.383c0 .824-.096 1.432-.287 1.823-.191.39-.516.679-.974.866.458.191.783.482.974.873.191.39.287.998.287 1.823v.382c0 .602.073.982.218 1.142.146.16.404.239.774.239h.18v.783zm9.502-4.752c-.43 0-.744.147-.942.44-.197.292-.296.811-.296 1.557v.573c0 .837-.125 1.41-.376 1.719-.251.309-.664.463-1.237.463h-.478v-.783h.185c.37 0 .628-.08.774-.24.145-.159.218-.539.218-1.14v-.383c0-.825.096-1.433.287-1.823.191-.39.516-.682.974-.873-.458-.187-.783-.476-.974-.866-.191-.391-.287-.999-.287-1.823v-.383c0-.602-.073-.982-.218-1.142-.146-.159-.404-.239-.774-.239h-.185v-.783h.478c.573 0 .986.155 1.237.464.25.308.376.88.376 1.712v.58c0 .673.088 1.174.263 1.503.176.329.5.493.975.493v.974z\" fill-rule=\"evenodd\"></path></svg>"
+
+/***/ },
+/* 508 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#696969\"><path d=\"M6.925 12.5l7.4-5-7.4-5v10zM6 12.5v-10c0-.785.8-1.264 1.415-.848l7.4 5c.58.392.58 1.304 0 1.696l-7.4 5C6.8 13.764 6 13.285 6 12.5z\" fill-rule=\"evenodd\"></path></svg>"
+
+/***/ },
+/* 509 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" viewBox=\"0 0 33 12\"><path id=\"base-path\" d=\"M27.1,0H1C0.4,0,0,0.4,0,1v10c0,0.6,0.4,1,1,1h26.1 c0.6,0,1.2-0.3,1.5-0.7L33,6l-4.4-5.3C28.2,0.3,27.7,0,27.1,0z\"></path></svg>"
+
+/***/ },
+/* 510 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#4A464C\"><g fill-rule=\"evenodd\"><path d=\"M1.5 14.042h4.095a.5.5 0 0 0 0-1H1.5a.5.5 0 1 0 0 1zM7.983 2a.5.5 0 0 1 .517.5v7.483l3.136-3.326a.5.5 0 1 1 .728.686l-4 4.243a.499.499 0 0 1-.73-.004L3.635 7.343a.5.5 0 0 1 .728-.686L7.5 9.983V3H1.536C1.24 3 1 2.776 1 2.5s.24-.5.536-.5h6.447zM10.5 14.042h4.095a.5.5 0 0 0 0-1H10.5a.5.5 0 1 0 0 1z\"></path></g></svg>"
+
+/***/ },
+/* 511 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"##4A464C\"><g fill-rule=\"evenodd\"><path d=\"M5 13.5H1a.5.5 0 1 0 0 1h4a.5.5 0 1 0 0-1zM12 13.5H8a.5.5 0 1 0 0 1h4a.5.5 0 1 0 0-1zM6.11 5.012A.427.427 0 0 1 6.21 5h7.083L9.646 1.354a.5.5 0 1 1 .708-.708l4.5 4.5a.498.498 0 0 1 0 .708l-4.5 4.5a.5.5 0 0 1-.708-.708L13.293 6H6.5v5.5a.5.5 0 1 1-1 0v-6a.5.5 0 0 1 .61-.488z\"></path></g></svg>"
+
+/***/ },
+/* 512 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#4A464C\"><g fill-rule=\"evenodd\"><path d=\"M13.297 6.912C12.595 4.39 10.167 2.5 7.398 2.5A5.898 5.898 0 0 0 1.5 8.398a.5.5 0 0 0 1 0A4.898 4.898 0 0 1 7.398 3.5c2.75 0 5.102 2.236 5.102 4.898v.004L8.669 7.029a.5.5 0 0 0-.338.942l4.462 1.598a.5.5 0 0 0 .651-.34.506.506 0 0 0 .02-.043l2-5a.5.5 0 1 0-.928-.372l-1.24 3.098z\"></path><circle cx=\"7\" cy=\"12\" r=\"1\"></circle></g></svg>"
+
+/***/ },
+/* 513 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#696969\"><path d=\"M12.219 7c.345 0 .635.117.869.352.234.234.351.524.351.869 0 .351-.118.652-.356.903-.238.25-.526.376-.864.376-.332 0-.615-.125-.85-.376a1.276 1.276 0 0 1-.351-.903A1.185 1.185 0 0 1 12.218 7zM8.234 7c.345 0 .635.117.87.352.234.234.351.524.351.869 0 .351-.119.652-.356.903-.238.25-.526.376-.865.376-.332 0-.613-.125-.844-.376a1.286 1.286 0 0 1-.347-.903c0-.352.114-.643.342-.874.228-.231.51-.347.85-.347zM4.201 7c.339 0 .627.117.864.352.238.234.357.524.357.869 0 .351-.119.652-.357.903-.237.25-.525.376-.864.376-.338 0-.623-.125-.854-.376A1.286 1.286 0 0 1 3 8.221 1.185 1.185 0 0 1 4.201 7z\" fill-rule=\"evenodd\"></path></svg>"
+
+/***/ },
+/* 514 */
+/***/ function(module, exports) {
+
+	module.exports = "<!-- This Source Code Form is subject to the terms of the Mozilla Public - License, v. 2.0. If a copy of the MPL was not distributed with this - file, You can obtain one at http://mozilla.org/MPL/2.0/. --><svg viewBox=\"0 0 16 16\" xmlns=\"http://www.w3.org/2000/svg\" fill=\"#DDE1E4\"><path fill-rule=\"evenodd\" d=\"M8.5 8.793L5.854 6.146l-.04-.035L7.5 4.426c.2-.2.3-.4.3-.6 0-.2-.1-.4-.2-.6l-1-1c-.4-.3-.9-.3-1.2 0l-4.1 4.1c-.2.2-.3.4-.3.6 0 .2.1.4.2.6l1 1c.3.3.9.3 1.2 0l1.71-1.71.036.04L7.793 9.5l-3.647 3.646c-.195.196-.195.512 0 .708.196.195.512.195.708 0L8.5 10.207l3.646 3.647c.196.195.512.195.708 0 .195-.196.195-.512 0-.708L9.207 9.5l2.565-2.565L13.3 8.5c.1.1 2.3 1.1 2.7.7.4-.4-.3-2.7-.5-2.9l-1.1-1.1c.1-.1.2-.4.2-.6 0-.2-.1-.4-.2-.6l-.4-.4c-.3-.3-.8-.3-1.1 0l-1.5-1.4c-.2-.2-.3-.2-.5-.2s-.3.1-.5.2L9.2 3.4c-.2.1-.2.2-.2.4s.1.4.2.5l1.874 1.92L8.5 8.792z\"></path></svg>"
+
+/***/ },
+/* 515 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(516);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Sources.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Sources.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 516 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".sources-panel {\r\n  flex: 1;\r\n  display: flex;\r\n  flex-direction: column;\r\n  overflow: hidden;\r\n}\r\n\r\n.sources-header {\r\n  height: 30px;\r\n  border-bottom: 1px solid var(--theme-splitter-color);\r\n  padding: 0 10px;\r\n  line-height: 30px;\r\n  font-size: 1.2em;\r\n  display: flex;\r\n  align-items: baseline;\r\n  justify-content: space-between;\r\n}\r\n\r\n.sources-header-info {\r\n  font-size: 12px;\r\n  color: var(--theme-comment-alt);\r\n  font-weight: lighter;\r\n  white-space: nowrap;\r\n}\r\n\r\n.sources-list {\r\n  flex: 1;\r\n  display: flex;\r\n  overflow: hidden;\r\n}\r\n\r\nul.sources-list {\r\n  list-style: none;\r\n  margin: 20px 0;\r\n  padding: 0;\r\n  padding-left: 10px;\r\n  flex: 1;\r\n  white-space: nowrap;\r\n}\r\n\r\n.sources-list ul {\r\n  list-style: none;\r\n  margin: 0.5em 0;\r\n  padding: 0;\r\n}\r\n\r\n.sources-list .source-item {\r\n  list-style: none;\r\n  white-space: nowrap;\r\n}\r\n\r\n.sources-list .label {\r\n  font-size: 1em;\r\n  padding-left: 10px;\r\n  color: var(--theme-comment);\r\n}\r\n\r\n.sources-list .source-item.selected {\r\n  background-color: var(--theme-selection-background);\r\n}\r\n\r\n.sources-list .source-item.selected .label {\r\n  color: var(--theme-selection-color);\r\n}\r\n\r\n.arrow,\r\n.folder,\r\n.domain,\r\n.file,\r\n.worker {\r\n  fill: var(--theme-splitter-color);\r\n}\r\n\r\n.domain,\r\n.file,\r\n.worker {\r\n  position: relative;\r\n  top: 1px;\r\n}\r\n\r\n.worker,\r\n.folder {\r\n  position: relative;\r\n  top: 2px;\r\n}\r\n\r\n.domain svg,\r\n.folder svg,\r\n.worker svg {\r\n  width: 15px;\r\n  margin-right: 5px;\r\n}\r\n\r\n.file svg {\r\n  width: 13px;\r\n  margin-right: 5px;\r\n}\r\n\r\n.tree {\r\n  -webkit-user-select: none;\r\n  -moz-user-select: none;\r\n  -ms-user-select: none;\r\n  -o-user-select: none;\r\n  user-select: none;\r\n\r\n  flex: 1;\r\n  white-space: nowrap;\r\n  overflow: auto;\r\n}\r\n\r\n.tree button {\r\n  display: block;\r\n}\r\n\r\n.tree .node {\r\n  padding: 2px 5px;\r\n  position: relative;\r\n  cursor: pointer;\r\n}\r\n\r\n.tree .node:hover {\r\n  background: var(--theme-tab-toolbar-background);\r\n}\r\n\r\n.tree .node.focused {\r\n  color: white;\r\n  background-color: var(--theme-selection-background);\r\n}\r\n\r\n.tree .node > div {\r\n  margin-left: 10px;\r\n}\r\n\r\n.tree .node.focused svg {\r\n  fill: white;\r\n}\r\n\r\n.sources-list .tree-node button {\r\n  position: fixed;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 517 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	var createFactory = React.createFactory;
+	
+	
+	var ReactDOM = __webpack_require__(181);
+	var ImPropTypes = __webpack_require__(365);
+	
+	var _require = __webpack_require__(2);
+	
+	var bindActionCreators = _require.bindActionCreators;
+	
+	var _require2 = __webpack_require__(16);
+	
+	var connect = _require2.connect;
+	
+	var SourceEditor = __webpack_require__(518);
+	var SourceFooter = createFactory(__webpack_require__(529));
+	
+	var _require3 = __webpack_require__(200);
+	
+	var debugGlobal = _require3.debugGlobal;
+	
+	var _require4 = __webpack_require__(358);
+	
+	var getSourceText = _require4.getSourceText;
+	var getBreakpointsForSource = _require4.getBreakpointsForSource;
+	var getSelectedLocation = _require4.getSelectedLocation;
+	var getSelectedFrame = _require4.getSelectedFrame;
+	
+	var _require5 = __webpack_require__(354);
+	
+	var makeLocationId = _require5.makeLocationId;
+	
+	var actions = __webpack_require__(369);
+	var Breakpoint = React.createFactory(__webpack_require__(533));
+	
+	var _require6 = __webpack_require__(397);
+	
+	var getDocument = _require6.getDocument;
+	var setDocument = _require6.setDocument;
+	
+	var _require7 = __webpack_require__(201);
+	
+	var isEnabled = _require7.isEnabled;
+	
+	
+	__webpack_require__(534);
+	
+	function isTextForSource(sourceText) {
+	  return !sourceText.get("loading") && !sourceText.get("error");
+	}
+	
+	/**
+	 * Forces the breakpoint gutter to be the same size as the line
+	 * numbers gutter. Editor CSS will absolutely position the gutter
+	 * beneath the line numbers. This makes it easy to be flexible with
+	 * how we overlay breakpoints.
+	 */
+	function resizeBreakpointGutter(editor) {
+	  var gutters = editor.display.gutters;
+	  var lineNumbers = gutters.querySelector(".CodeMirror-linenumbers");
+	  var breakpoints = gutters.querySelector(".breakpoints");
+	  breakpoints.style.width = lineNumbers.clientWidth + "px";
+	}
+	
+	var Editor = React.createClass({
+	  propTypes: {
+	    breakpoints: ImPropTypes.map.isRequired,
+	    selectedLocation: PropTypes.object,
+	    sourceText: PropTypes.object,
+	    addBreakpoint: PropTypes.func,
+	    removeBreakpoint: PropTypes.func,
+	    selectedFrame: PropTypes.object
+	  },
+	
+	  displayName: "Editor",
+	
+	  onGutterClick(cm, line, gutter, ev) {
+	    var bp = this.props.breakpoints.find(b => {
+	      return b.location.line === line + 1;
+	    });
+	
+	    if (bp && bp.loading) {
+	      return;
+	    }
+	
+	    if (bp) {
+	      this.props.removeBreakpoint({
+	        sourceId: this.props.selectedLocation.sourceId,
+	        line: line + 1
+	      });
+	    } else {
+	      this.props.addBreakpoint({ sourceId: this.props.selectedLocation.sourceId,
+	        line: line + 1 },
+	      // Pass in a function to get line text because the breakpoint
+	      // may slide and it needs to compute the value at the new
+	      // line.
+	      { getTextForLine: l => cm.getLine(l - 1).trim() });
+	    }
+	  },
+	
+	  updateDebugLine(prevProps, nextProps) {
+	    if (prevProps.selectedFrame) {
+	      var line = prevProps.selectedFrame.location.line;
+	      this.editor.codeMirror.removeLineClass(line - 1, "line", "debug-line");
+	    }
+	    if (nextProps.selectedFrame) {
+	      var _line = nextProps.selectedFrame.location.line;
+	      this.editor.codeMirror.addLineClass(_line - 1, "line", "debug-line");
+	    }
+	  },
+	
+	  highlightLine() {
+	    if (!this.pendingJumpLine) {
+	      return;
+	    }
+	
+	    // If the location has changed and a specific line is requested,
+	    // move to that line and flash it.
+	    var codeMirror = this.editor.codeMirror;
+	
+	    // Make sure to clean up after ourselves. Not only does this
+	    // cancel any existing animation, but it avoids it from
+	    // happening ever again (in case CodeMirror re-applies the
+	    // class, etc).
+	    if (this.lastJumpLine) {
+	      codeMirror.removeLineClass(this.lastJumpLine - 1, "line", "highlight-line");
+	    }
+	
+	    var line = this.pendingJumpLine;
+	    this.editor.alignLine(line);
+	
+	    // We only want to do the flashing animation if it's not a debug
+	    // line, which has it's own styling.
+	    if (!this.props.selectedFrame || this.props.selectedFrame.location.line !== line) {
+	      this.editor.codeMirror.addLineClass(line - 1, "line", "highlight-line");
+	    }
+	
+	    this.lastJumpLine = line;
+	    this.pendingJumpLine = null;
+	  },
+	
+	  setText(text) {
+	    if (!text || !this.editor) {
+	      return;
+	    }
+	
+	    this.editor.setText(text);
+	  },
+	
+	  setMode(sourceText) {
+	    var contentType = sourceText.get("contentType");
+	
+	    if (contentType.includes("javascript")) {
+	      this.editor.setMode({ name: "javascript" });
+	    } else if (contentType === "text/wasm") {
+	      this.editor.setMode({ name: "wasm" });
+	    } else if (sourceText.get("text").match(/^\s*</)) {
+	      // Use HTML mode for files in which the first non whitespace
+	      // character is `<` regardless of extension.
+	      this.editor.setMode({ name: "htmlmixed" });
+	    } else {
+	      this.editor.setMode({ name: "text" });
+	    }
+	  },
+	
+	  componentDidMount() {
+	    var extraKeys = isEnabled("search") ? { "Cmd-F": () => {} } : {};
+	
+	    this.editor = new SourceEditor({
+	      mode: "javascript",
+	      readOnly: true,
+	      lineNumbers: true,
+	      theme: "mozilla",
+	      lineWrapping: false,
+	      matchBrackets: true,
+	      showAnnotationRuler: true,
+	      enableCodeFolding: false,
+	      gutters: ["breakpoints"],
+	      value: " ",
+	      extraKeys
+	    });
+	
+	    this.editor.appendToLocalElement(ReactDOM.findDOMNode(this).querySelector(".editor-mount"));
+	
+	    this.editor.codeMirror.on("gutterClick", this.onGutterClick);
+	    resizeBreakpointGutter(this.editor.codeMirror);
+	    debugGlobal("cm", this.editor.codeMirror);
+	
+	    if (this.props.sourceText) {
+	      this.setText(this.props.sourceText.get("text"));
+	    }
+	  },
+	
+	  componentWillUnmount() {
+	    this.editor.destroy();
+	    this.editor = null;
+	  },
+	
+	  componentWillReceiveProps(nextProps) {
+	    // This lifecycle method is responsible for updating the editor
+	    // text.
+	    var sourceText = nextProps.sourceText;
+	    var selectedLocation = nextProps.selectedLocation;
+	
+	
+	    if (!sourceText) {
+	      this.showMessage("");
+	    } else if (!isTextForSource(sourceText)) {
+	      this.showMessage(sourceText.get("error") || "Loading...");
+	    } else if (this.props.sourceText !== sourceText) {
+	      this.showSourceText(sourceText, selectedLocation);
+	    }
+	
+	    resizeBreakpointGutter(this.editor.codeMirror);
+	  },
+	
+	  showMessage(msg) {
+	    this.editor.replaceDocument(this.editor.createDocument());
+	    this.setText(msg);
+	    this.editor.setMode({ name: "text" });
+	  },
+	
+	  /**
+	   * Handle getting the source document or creating a new
+	   * document with the correct mode and text.
+	   *
+	   */
+	  showSourceText(sourceText, selectedLocation) {
+	    var doc = getDocument(selectedLocation.sourceId);
+	    if (doc) {
+	      this.editor.replaceDocument(doc);
+	      return doc;
+	    }
+	
+	    doc = this.editor.createDocument();
+	    setDocument(selectedLocation.sourceId, doc);
+	    this.editor.replaceDocument(doc);
+	
+	    this.setText(sourceText.get("text"));
+	    this.setMode(sourceText);
+	  },
+	
+	  componentDidUpdate(prevProps) {
+	    // This is in `componentDidUpdate` so helper functions can expect
+	    // `this.props` to be the current props. This lifecycle method is
+	    // responsible for updating the editor annotations.
+	    var selectedLocation = this.props.selectedLocation;
+	
+	    // If the location is different and a new line is requested,
+	    // update the pending jump line. Note that if jumping to a line in
+	    // a source where the text hasn't been loaded yet, we will set the
+	    // line here but not jump until rendering the actual source.
+	
+	    if (prevProps.selectedLocation !== selectedLocation) {
+	      if (selectedLocation && selectedLocation.line != undefined) {
+	        this.pendingJumpLine = selectedLocation.line;
+	      } else {
+	        this.pendingJumpLine = null;
+	      }
+	    }
+	
+	    // Only update and jump around in real source texts. This will
+	    // keep the jump state around until the real source text is
+	    // loaded.
+	    if (this.props.sourceText && isTextForSource(this.props.sourceText)) {
+	      this.updateDebugLine(prevProps, this.props);
+	      this.highlightLine();
+	    }
+	  },
+	
+	  renderBreakpoints() {
+	    var _props = this.props;
+	    var breakpoints = _props.breakpoints;
+	    var sourceText = _props.sourceText;
+	
+	    var isLoading = sourceText && sourceText.get("loading");
+	
+	    if (isLoading) {
+	      return;
+	    }
+	
+	    return breakpoints.valueSeq().map(bp => {
+	      return Breakpoint({
+	        key: makeLocationId(bp.location),
+	        breakpoint: bp,
+	        editor: this.editor && this.editor.codeMirror
+	      });
+	    });
+	  },
+	
+	  render() {
+	    return dom.div({ className: "editor-wrapper devtools-monospace" }, dom.div({ className: "editor-mount" }), this.renderBreakpoints(), SourceFooter({ editor: this.editor }));
+	  }
+	});
+	
+	module.exports = connect((state, props) => {
+	  var selectedLocation = getSelectedLocation(state);
+	  var sourceId = selectedLocation && selectedLocation.sourceId;
+	
+	  return {
+	    selectedLocation,
+	    sourceText: getSourceText(state, sourceId),
+	    breakpoints: getBreakpointsForSource(state, sourceId),
+	    selectedFrame: getSelectedFrame(state)
+	  };
+	}, dispatch => bindActionCreators(actions, dispatch))(Editor);
+
+/***/ },
+/* 518 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var CodeMirror = __webpack_require__(519);
+	
+	__webpack_require__(520);
+	__webpack_require__(522);
+	__webpack_require__(523);
+	__webpack_require__(526);
+	__webpack_require__(528);
+	
+	// Maximum allowed margin (in number of lines) from top or bottom of the editor
+	// while shifting to a line which was initially out of view.
+	var MAX_VERTICAL_OFFSET = 3;
+	
+	class SourceEditor {
+	  constructor(opts) {
+	    this.opts = opts;
+	  }
+	
+	  appendToLocalElement(node) {
+	    this.editor = CodeMirror(node, this.opts);
+	  }
+	
+	  destroy() {
+	    // No need to do anything.
+	  }
+	
+	  get codeMirror() {
+	    return this.editor;
+	  }
+	
+	  setText(str) {
+	    this.editor.setValue(str);
+	  }
+	
+	  getText() {
+	    return this.editor.getValue();
+	  }
+	
+	  setMode(value) {
+	    this.editor.setOption("mode", value);
+	  }
+	
+	  /**
+	   * Replaces the current document with a new source document
+	   */
+	  replaceDocument(doc) {
+	    this.editor.swapDoc(doc);
+	  }
+	
+	  /**
+	   * Creates a CodeMirror Document
+	   * @returns CodeMirror.Doc
+	   */
+	  createDocument() {
+	    return new CodeMirror.Doc("");
+	  }
+	
+	  /**
+	   * Aligns the provided line to either "top", "center" or "bottom" of the
+	   * editor view with a maximum margin of MAX_VERTICAL_OFFSET lines from top or
+	   * bottom.
+	   */
+	  alignLine(line) {
+	    var align = arguments.length <= 1 || arguments[1] === undefined ? "top" : arguments[1];
+	
+	    var cm = this.editor;
+	    var from = cm.lineAtHeight(0, "page");
+	    var to = cm.lineAtHeight(cm.getWrapperElement().clientHeight, "page");
+	    var linesVisible = to - from;
+	    var halfVisible = Math.round(linesVisible / 2);
+	
+	    // If the target line is in view, skip the vertical alignment part.
+	    if (line <= to && line >= from) {
+	      return;
+	    }
+	
+	    // Setting the offset so that the line always falls in the upper half
+	    // of visible lines (lower half for bottom aligned).
+	    // MAX_VERTICAL_OFFSET is the maximum allowed value.
+	    var offset = Math.min(halfVisible, MAX_VERTICAL_OFFSET);
+	
+	    var topLine = {
+	      "center": Math.max(line - halfVisible, 0),
+	      "bottom": Math.max(line - linesVisible + offset, 0),
+	      "top": Math.max(line - offset, 0)
+	    }[align || "top"] || offset;
+	
+	    // Bringing down the topLine to total lines in the editor if exceeding.
+	    topLine = Math.min(topLine, cm.lineCount());
+	    this.setFirstVisibleLine(topLine);
+	  }
+	
+	  /**
+	   * Scrolls the view such that the given line number is the first visible line.
+	   */
+	  setFirstVisibleLine(line) {
+	    var _editor$charCoords = this.editor.charCoords({ line: line, ch: 0 }, "local");
+	
+	    var top = _editor$charCoords.top;
+	
+	    this.editor.scrollTo(0, top);
+	  }
+	}
+	
+	module.exports = SourceEditor;
+
+/***/ },
+/* 519 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// CodeMirror, copyright (c) by Marijn Haverbeke and others
+	// Distributed under an MIT license: http://codemirror.net/LICENSE
+	
+	// This is CodeMirror (http://codemirror.net), a code editor
+	// implemented in JavaScript on top of the browser's DOM.
+	//
+	// You can find some technical background for some of the code below
+	// at http://marijnhaverbeke.nl/blog/#cm-internals .
+	
+	(function(mod) {
+	  if (true) // CommonJS
+	    module.exports = mod();
+	  else if (typeof define == "function" && define.amd) // AMD
+	    return define([], mod);
+	  else // Plain browser env
+	    (this || window).CodeMirror = mod();
+	})(function() {
+	  "use strict";
+	
+	  // BROWSER SNIFFING
+	
+	  // Kludges for bugs and behavior differences that can't be feature
+	  // detected are enabled based on userAgent etc sniffing.
+	  var userAgent = navigator.userAgent;
+	  var platform = navigator.platform;
+	
+	  var gecko = /gecko\/\d/i.test(userAgent);
+	  var ie_upto10 = /MSIE \d/.test(userAgent);
+	  var ie_11up = /Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(userAgent);
+	  var ie = ie_upto10 || ie_11up;
+	  var ie_version = ie && (ie_upto10 ? document.documentMode || 6 : ie_11up[1]);
+	  var webkit = /WebKit\//.test(userAgent);
+	  var qtwebkit = webkit && /Qt\/\d+\.\d+/.test(userAgent);
+	  var chrome = /Chrome\//.test(userAgent);
+	  var presto = /Opera\//.test(userAgent);
+	  var safari = /Apple Computer/.test(navigator.vendor);
+	  var mac_geMountainLion = /Mac OS X 1\d\D([8-9]|\d\d)\D/.test(userAgent);
+	  var phantom = /PhantomJS/.test(userAgent);
+	
+	  var ios = /AppleWebKit/.test(userAgent) && /Mobile\/\w+/.test(userAgent);
+	  // This is woefully incomplete. Suggestions for alternative methods welcome.
+	  var mobile = ios || /Android|webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(userAgent);
+	  var mac = ios || /Mac/.test(platform);
+	  var chromeOS = /\bCrOS\b/.test(userAgent);
+	  var windows = /win/i.test(platform);
+	
+	  var presto_version = presto && userAgent.match(/Version\/(\d*\.\d*)/);
+	  if (presto_version) presto_version = Number(presto_version[1]);
+	  if (presto_version && presto_version >= 15) { presto = false; webkit = true; }
+	  // Some browsers use the wrong event properties to signal cmd/ctrl on OS X
+	  var flipCtrlCmd = mac && (qtwebkit || presto && (presto_version == null || presto_version < 12.11));
+	  var captureRightClick = gecko || (ie && ie_version >= 9);
+	
+	  // Optimize some code when these features are not used.
+	  var sawReadOnlySpans = false, sawCollapsedSpans = false;
+	
+	  // EDITOR CONSTRUCTOR
+	
+	  // A CodeMirror instance represents an editor. This is the object
+	  // that user code is usually dealing with.
+	
+	  function CodeMirror(place, options) {
+	    if (!(this instanceof CodeMirror)) return new CodeMirror(place, options);
+	
+	    this.options = options = options ? copyObj(options) : {};
+	    // Determine effective options based on given values and defaults.
+	    copyObj(defaults, options, false);
+	    setGuttersForLineNumbers(options);
+	
+	    var doc = options.value;
+	    if (typeof doc == "string") doc = new Doc(doc, options.mode, null, options.lineSeparator);
+	    this.doc = doc;
+	
+	    var input = new CodeMirror.inputStyles[options.inputStyle](this);
+	    var display = this.display = new Display(place, doc, input);
+	    display.wrapper.CodeMirror = this;
+	    updateGutters(this);
+	    themeChanged(this);
+	    if (options.lineWrapping)
+	      this.display.wrapper.className += " CodeMirror-wrap";
+	    if (options.autofocus && !mobile) display.input.focus();
+	    initScrollbars(this);
+	
+	    this.state = {
+	      keyMaps: [],  // stores maps added by addKeyMap
+	      overlays: [], // highlighting overlays, as added by addOverlay
+	      modeGen: 0,   // bumped when mode/overlay changes, used to invalidate highlighting info
+	      overwrite: false,
+	      delayingBlurEvent: false,
+	      focused: false,
+	      suppressEdits: false, // used to disable editing during key handlers when in readOnly mode
+	      pasteIncoming: false, cutIncoming: false, // help recognize paste/cut edits in input.poll
+	      selectingText: false,
+	      draggingText: false,
+	      highlight: new Delayed(), // stores highlight worker timeout
+	      keySeq: null,  // Unfinished key sequence
+	      specialChars: null
+	    };
+	
+	    var cm = this;
+	
+	    // Override magic textarea content restore that IE sometimes does
+	    // on our hidden textarea on reload
+	    if (ie && ie_version < 11) setTimeout(function() { cm.display.input.reset(true); }, 20);
+	
+	    registerEventHandlers(this);
+	    ensureGlobalHandlers();
+	
+	    startOperation(this);
+	    this.curOp.forceUpdate = true;
+	    attachDoc(this, doc);
+	
+	    if ((options.autofocus && !mobile) || cm.hasFocus())
+	      setTimeout(bind(onFocus, this), 20);
+	    else
+	      onBlur(this);
+	
+	    for (var opt in optionHandlers) if (optionHandlers.hasOwnProperty(opt))
+	      optionHandlers[opt](this, options[opt], Init);
+	    maybeUpdateLineNumberWidth(this);
+	    if (options.finishInit) options.finishInit(this);
+	    for (var i = 0; i < initHooks.length; ++i) initHooks[i](this);
+	    endOperation(this);
+	    // Suppress optimizelegibility in Webkit, since it breaks text
+	    // measuring on line wrapping boundaries.
+	    if (webkit && options.lineWrapping &&
+	        getComputedStyle(display.lineDiv).textRendering == "optimizelegibility")
+	      display.lineDiv.style.textRendering = "auto";
+	  }
+	
+	  // DISPLAY CONSTRUCTOR
+	
+	  // The display handles the DOM integration, both for input reading
+	  // and content drawing. It holds references to DOM nodes and
+	  // display-related state.
+	
+	  function Display(place, doc, input) {
+	    var d = this;
+	    this.input = input;
+	
+	    // Covers bottom-right square when both scrollbars are present.
+	    d.scrollbarFiller = elt("div", null, "CodeMirror-scrollbar-filler");
+	    d.scrollbarFiller.setAttribute("cm-not-content", "true");
+	    // Covers bottom of gutter when coverGutterNextToScrollbar is on
+	    // and h scrollbar is present.
+	    d.gutterFiller = elt("div", null, "CodeMirror-gutter-filler");
+	    d.gutterFiller.setAttribute("cm-not-content", "true");
+	    // Will contain the actual code, positioned to cover the viewport.
+	    d.lineDiv = elt("div", null, "CodeMirror-code");
+	    // Elements are added to these to represent selection and cursors.
+	    d.selectionDiv = elt("div", null, null, "position: relative; z-index: 1");
+	    d.cursorDiv = elt("div", null, "CodeMirror-cursors");
+	    // A visibility: hidden element used to find the size of things.
+	    d.measure = elt("div", null, "CodeMirror-measure");
+	    // When lines outside of the viewport are measured, they are drawn in this.
+	    d.lineMeasure = elt("div", null, "CodeMirror-measure");
+	    // Wraps everything that needs to exist inside the vertically-padded coordinate system
+	    d.lineSpace = elt("div", [d.measure, d.lineMeasure, d.selectionDiv, d.cursorDiv, d.lineDiv],
+	                      null, "position: relative; outline: none");
+	    // Moved around its parent to cover visible view.
+	    d.mover = elt("div", [elt("div", [d.lineSpace], "CodeMirror-lines")], null, "position: relative");
+	    // Set to the height of the document, allowing scrolling.
+	    d.sizer = elt("div", [d.mover], "CodeMirror-sizer");
+	    d.sizerWidth = null;
+	    // Behavior of elts with overflow: auto and padding is
+	    // inconsistent across browsers. This is used to ensure the
+	    // scrollable area is big enough.
+	    d.heightForcer = elt("div", null, null, "position: absolute; height: " + scrollerGap + "px; width: 1px;");
+	    // Will contain the gutters, if any.
+	    d.gutters = elt("div", null, "CodeMirror-gutters");
+	    d.lineGutter = null;
+	    // Actual scrollable element.
+	    d.scroller = elt("div", [d.sizer, d.heightForcer, d.gutters], "CodeMirror-scroll");
+	    d.scroller.setAttribute("tabIndex", "-1");
+	    // The element in which the editor lives.
+	    d.wrapper = elt("div", [d.scrollbarFiller, d.gutterFiller, d.scroller], "CodeMirror");
+	
+	    // Work around IE7 z-index bug (not perfect, hence IE7 not really being supported)
+	    if (ie && ie_version < 8) { d.gutters.style.zIndex = -1; d.scroller.style.paddingRight = 0; }
+	    if (!webkit && !(gecko && mobile)) d.scroller.draggable = true;
+	
+	    if (place) {
+	      if (place.appendChild) place.appendChild(d.wrapper);
+	      else place(d.wrapper);
+	    }
+	
+	    // Current rendered range (may be bigger than the view window).
+	    d.viewFrom = d.viewTo = doc.first;
+	    d.reportedViewFrom = d.reportedViewTo = doc.first;
+	    // Information about the rendered lines.
+	    d.view = [];
+	    d.renderedView = null;
+	    // Holds info about a single rendered line when it was rendered
+	    // for measurement, while not in view.
+	    d.externalMeasured = null;
+	    // Empty space (in pixels) above the view
+	    d.viewOffset = 0;
+	    d.lastWrapHeight = d.lastWrapWidth = 0;
+	    d.updateLineNumbers = null;
+	
+	    d.nativeBarWidth = d.barHeight = d.barWidth = 0;
+	    d.scrollbarsClipped = false;
+	
+	    // Used to only resize the line number gutter when necessary (when
+	    // the amount of lines crosses a boundary that makes its width change)
+	    d.lineNumWidth = d.lineNumInnerWidth = d.lineNumChars = null;
+	    // Set to true when a non-horizontal-scrolling line widget is
+	    // added. As an optimization, line widget aligning is skipped when
+	    // this is false.
+	    d.alignWidgets = false;
+	
+	    d.cachedCharWidth = d.cachedTextHeight = d.cachedPaddingH = null;
+	
+	    // Tracks the maximum line length so that the horizontal scrollbar
+	    // can be kept static when scrolling.
+	    d.maxLine = null;
+	    d.maxLineLength = 0;
+	    d.maxLineChanged = false;
+	
+	    // Used for measuring wheel scrolling granularity
+	    d.wheelDX = d.wheelDY = d.wheelStartX = d.wheelStartY = null;
+	
+	    // True when shift is held down.
+	    d.shift = false;
+	
+	    // Used to track whether anything happened since the context menu
+	    // was opened.
+	    d.selForContextMenu = null;
+	
+	    d.activeTouch = null;
+	
+	    input.init(d);
+	  }
+	
+	  // STATE UPDATES
+	
+	  // Used to get the editor into a consistent state again when options change.
+	
+	  function loadMode(cm) {
+	    cm.doc.mode = CodeMirror.getMode(cm.options, cm.doc.modeOption);
+	    resetModeState(cm);
+	  }
+	
+	  function resetModeState(cm) {
+	    cm.doc.iter(function(line) {
+	      if (line.stateAfter) line.stateAfter = null;
+	      if (line.styles) line.styles = null;
+	    });
+	    cm.doc.frontier = cm.doc.first;
+	    startWorker(cm, 100);
+	    cm.state.modeGen++;
+	    if (cm.curOp) regChange(cm);
+	  }
+	
+	  function wrappingChanged(cm) {
+	    if (cm.options.lineWrapping) {
+	      addClass(cm.display.wrapper, "CodeMirror-wrap");
+	      cm.display.sizer.style.minWidth = "";
+	      cm.display.sizerWidth = null;
+	    } else {
+	      rmClass(cm.display.wrapper, "CodeMirror-wrap");
+	      findMaxLine(cm);
+	    }
+	    estimateLineHeights(cm);
+	    regChange(cm);
+	    clearCaches(cm);
+	    setTimeout(function(){updateScrollbars(cm);}, 100);
+	  }
+	
+	  // Returns a function that estimates the height of a line, to use as
+	  // first approximation until the line becomes visible (and is thus
+	  // properly measurable).
+	  function estimateHeight(cm) {
+	    var th = textHeight(cm.display), wrapping = cm.options.lineWrapping;
+	    var perLine = wrapping && Math.max(5, cm.display.scroller.clientWidth / charWidth(cm.display) - 3);
+	    return function(line) {
+	      if (lineIsHidden(cm.doc, line)) return 0;
+	
+	      var widgetsHeight = 0;
+	      if (line.widgets) for (var i = 0; i < line.widgets.length; i++) {
+	        if (line.widgets[i].height) widgetsHeight += line.widgets[i].height;
+	      }
+	
+	      if (wrapping)
+	        return widgetsHeight + (Math.ceil(line.text.length / perLine) || 1) * th;
+	      else
+	        return widgetsHeight + th;
+	    };
+	  }
+	
+	  function estimateLineHeights(cm) {
+	    var doc = cm.doc, est = estimateHeight(cm);
+	    doc.iter(function(line) {
+	      var estHeight = est(line);
+	      if (estHeight != line.height) updateLineHeight(line, estHeight);
+	    });
+	  }
+	
+	  function themeChanged(cm) {
+	    cm.display.wrapper.className = cm.display.wrapper.className.replace(/\s*cm-s-\S+/g, "") +
+	      cm.options.theme.replace(/(^|\s)\s*/g, " cm-s-");
+	    clearCaches(cm);
+	  }
+	
+	  function guttersChanged(cm) {
+	    updateGutters(cm);
+	    regChange(cm);
+	    setTimeout(function(){alignHorizontally(cm);}, 20);
+	  }
+	
+	  // Rebuild the gutter elements, ensure the margin to the left of the
+	  // code matches their width.
+	  function updateGutters(cm) {
+	    var gutters = cm.display.gutters, specs = cm.options.gutters;
+	    removeChildren(gutters);
+	    for (var i = 0; i < specs.length; ++i) {
+	      var gutterClass = specs[i];
+	      var gElt = gutters.appendChild(elt("div", null, "CodeMirror-gutter " + gutterClass));
+	      if (gutterClass == "CodeMirror-linenumbers") {
+	        cm.display.lineGutter = gElt;
+	        gElt.style.width = (cm.display.lineNumWidth || 1) + "px";
+	      }
+	    }
+	    gutters.style.display = i ? "" : "none";
+	    updateGutterSpace(cm);
+	  }
+	
+	  function updateGutterSpace(cm) {
+	    var width = cm.display.gutters.offsetWidth;
+	    cm.display.sizer.style.marginLeft = width + "px";
+	  }
+	
+	  // Compute the character length of a line, taking into account
+	  // collapsed ranges (see markText) that might hide parts, and join
+	  // other lines onto it.
+	  function lineLength(line) {
+	    if (line.height == 0) return 0;
+	    var len = line.text.length, merged, cur = line;
+	    while (merged = collapsedSpanAtStart(cur)) {
+	      var found = merged.find(0, true);
+	      cur = found.from.line;
+	      len += found.from.ch - found.to.ch;
+	    }
+	    cur = line;
+	    while (merged = collapsedSpanAtEnd(cur)) {
+	      var found = merged.find(0, true);
+	      len -= cur.text.length - found.from.ch;
+	      cur = found.to.line;
+	      len += cur.text.length - found.to.ch;
+	    }
+	    return len;
+	  }
+	
+	  // Find the longest line in the document.
+	  function findMaxLine(cm) {
+	    var d = cm.display, doc = cm.doc;
+	    d.maxLine = getLine(doc, doc.first);
+	    d.maxLineLength = lineLength(d.maxLine);
+	    d.maxLineChanged = true;
+	    doc.iter(function(line) {
+	      var len = lineLength(line);
+	      if (len > d.maxLineLength) {
+	        d.maxLineLength = len;
+	        d.maxLine = line;
+	      }
+	    });
+	  }
+	
+	  // Make sure the gutters options contains the element
+	  // "CodeMirror-linenumbers" when the lineNumbers option is true.
+	  function setGuttersForLineNumbers(options) {
+	    var found = indexOf(options.gutters, "CodeMirror-linenumbers");
+	    if (found == -1 && options.lineNumbers) {
+	      options.gutters = options.gutters.concat(["CodeMirror-linenumbers"]);
+	    } else if (found > -1 && !options.lineNumbers) {
+	      options.gutters = options.gutters.slice(0);
+	      options.gutters.splice(found, 1);
+	    }
+	  }
+	
+	  // SCROLLBARS
+	
+	  // Prepare DOM reads needed to update the scrollbars. Done in one
+	  // shot to minimize update/measure roundtrips.
+	  function measureForScrollbars(cm) {
+	    var d = cm.display, gutterW = d.gutters.offsetWidth;
+	    var docH = Math.round(cm.doc.height + paddingVert(cm.display));
+	    return {
+	      clientHeight: d.scroller.clientHeight,
+	      viewHeight: d.wrapper.clientHeight,
+	      scrollWidth: d.scroller.scrollWidth, clientWidth: d.scroller.clientWidth,
+	      viewWidth: d.wrapper.clientWidth,
+	      barLeft: cm.options.fixedGutter ? gutterW : 0,
+	      docHeight: docH,
+	      scrollHeight: docH + scrollGap(cm) + d.barHeight,
+	      nativeBarWidth: d.nativeBarWidth,
+	      gutterWidth: gutterW
+	    };
+	  }
+	
+	  function NativeScrollbars(place, scroll, cm) {
+	    this.cm = cm;
+	    var vert = this.vert = elt("div", [elt("div", null, null, "min-width: 1px")], "CodeMirror-vscrollbar");
+	    var horiz = this.horiz = elt("div", [elt("div", null, null, "height: 100%; min-height: 1px")], "CodeMirror-hscrollbar");
+	    place(vert); place(horiz);
+	
+	    on(vert, "scroll", function() {
+	      if (vert.clientHeight) scroll(vert.scrollTop, "vertical");
+	    });
+	    on(horiz, "scroll", function() {
+	      if (horiz.clientWidth) scroll(horiz.scrollLeft, "horizontal");
+	    });
+	
+	    this.checkedZeroWidth = false;
+	    // Need to set a minimum width to see the scrollbar on IE7 (but must not set it on IE8).
+	    if (ie && ie_version < 8) this.horiz.style.minHeight = this.vert.style.minWidth = "18px";
+	  }
+	
+	  NativeScrollbars.prototype = copyObj({
+	    update: function(measure) {
+	      var needsH = measure.scrollWidth > measure.clientWidth + 1;
+	      var needsV = measure.scrollHeight > measure.clientHeight + 1;
+	      var sWidth = measure.nativeBarWidth;
+	
+	      if (needsV) {
+	        this.vert.style.display = "block";
+	        this.vert.style.bottom = needsH ? sWidth + "px" : "0";
+	        var totalHeight = measure.viewHeight - (needsH ? sWidth : 0);
+	        // A bug in IE8 can cause this value to be negative, so guard it.
+	        this.vert.firstChild.style.height =
+	          Math.max(0, measure.scrollHeight - measure.clientHeight + totalHeight) + "px";
+	      } else {
+	        this.vert.style.display = "";
+	        this.vert.firstChild.style.height = "0";
+	      }
+	
+	      if (needsH) {
+	        this.horiz.style.display = "block";
+	        this.horiz.style.right = needsV ? sWidth + "px" : "0";
+	        this.horiz.style.left = measure.barLeft + "px";
+	        var totalWidth = measure.viewWidth - measure.barLeft - (needsV ? sWidth : 0);
+	        this.horiz.firstChild.style.width =
+	          (measure.scrollWidth - measure.clientWidth + totalWidth) + "px";
+	      } else {
+	        this.horiz.style.display = "";
+	        this.horiz.firstChild.style.width = "0";
+	      }
+	
+	      if (!this.checkedZeroWidth && measure.clientHeight > 0) {
+	        if (sWidth == 0) this.zeroWidthHack();
+	        this.checkedZeroWidth = true;
+	      }
+	
+	      return {right: needsV ? sWidth : 0, bottom: needsH ? sWidth : 0};
+	    },
+	    setScrollLeft: function(pos) {
+	      if (this.horiz.scrollLeft != pos) this.horiz.scrollLeft = pos;
+	      if (this.disableHoriz) this.enableZeroWidthBar(this.horiz, this.disableHoriz);
+	    },
+	    setScrollTop: function(pos) {
+	      if (this.vert.scrollTop != pos) this.vert.scrollTop = pos;
+	      if (this.disableVert) this.enableZeroWidthBar(this.vert, this.disableVert);
+	    },
+	    zeroWidthHack: function() {
+	      var w = mac && !mac_geMountainLion ? "12px" : "18px";
+	      this.horiz.style.height = this.vert.style.width = w;
+	      this.horiz.style.pointerEvents = this.vert.style.pointerEvents = "none";
+	      this.disableHoriz = new Delayed;
+	      this.disableVert = new Delayed;
+	    },
+	    enableZeroWidthBar: function(bar, delay) {
+	      bar.style.pointerEvents = "auto";
+	      function maybeDisable() {
+	        // To find out whether the scrollbar is still visible, we
+	        // check whether the element under the pixel in the bottom
+	        // left corner of the scrollbar box is the scrollbar box
+	        // itself (when the bar is still visible) or its filler child
+	        // (when the bar is hidden). If it is still visible, we keep
+	        // it enabled, if it's hidden, we disable pointer events.
+	        var box = bar.getBoundingClientRect();
+	        var elt = document.elementFromPoint(box.left + 1, box.bottom - 1);
+	        if (elt != bar) bar.style.pointerEvents = "none";
+	        else delay.set(1000, maybeDisable);
+	      }
+	      delay.set(1000, maybeDisable);
+	    },
+	    clear: function() {
+	      var parent = this.horiz.parentNode;
+	      parent.removeChild(this.horiz);
+	      parent.removeChild(this.vert);
+	    }
+	  }, NativeScrollbars.prototype);
+	
+	  function NullScrollbars() {}
+	
+	  NullScrollbars.prototype = copyObj({
+	    update: function() { return {bottom: 0, right: 0}; },
+	    setScrollLeft: function() {},
+	    setScrollTop: function() {},
+	    clear: function() {}
+	  }, NullScrollbars.prototype);
+	
+	  CodeMirror.scrollbarModel = {"native": NativeScrollbars, "null": NullScrollbars};
+	
+	  function initScrollbars(cm) {
+	    if (cm.display.scrollbars) {
+	      cm.display.scrollbars.clear();
+	      if (cm.display.scrollbars.addClass)
+	        rmClass(cm.display.wrapper, cm.display.scrollbars.addClass);
+	    }
+	
+	    cm.display.scrollbars = new CodeMirror.scrollbarModel[cm.options.scrollbarStyle](function(node) {
+	      cm.display.wrapper.insertBefore(node, cm.display.scrollbarFiller);
+	      // Prevent clicks in the scrollbars from killing focus
+	      on(node, "mousedown", function() {
+	        if (cm.state.focused) setTimeout(function() { cm.display.input.focus(); }, 0);
+	      });
+	      node.setAttribute("cm-not-content", "true");
+	    }, function(pos, axis) {
+	      if (axis == "horizontal") setScrollLeft(cm, pos);
+	      else setScrollTop(cm, pos);
+	    }, cm);
+	    if (cm.display.scrollbars.addClass)
+	      addClass(cm.display.wrapper, cm.display.scrollbars.addClass);
+	  }
+	
+	  function updateScrollbars(cm, measure) {
+	    if (!measure) measure = measureForScrollbars(cm);
+	    var startWidth = cm.display.barWidth, startHeight = cm.display.barHeight;
+	    updateScrollbarsInner(cm, measure);
+	    for (var i = 0; i < 4 && startWidth != cm.display.barWidth || startHeight != cm.display.barHeight; i++) {
+	      if (startWidth != cm.display.barWidth && cm.options.lineWrapping)
+	        updateHeightsInViewport(cm);
+	      updateScrollbarsInner(cm, measureForScrollbars(cm));
+	      startWidth = cm.display.barWidth; startHeight = cm.display.barHeight;
+	    }
+	  }
+	
+	  // Re-synchronize the fake scrollbars with the actual size of the
+	  // content.
+	  function updateScrollbarsInner(cm, measure) {
+	    var d = cm.display;
+	    var sizes = d.scrollbars.update(measure);
+	
+	    d.sizer.style.paddingRight = (d.barWidth = sizes.right) + "px";
+	    d.sizer.style.paddingBottom = (d.barHeight = sizes.bottom) + "px";
+	    d.heightForcer.style.borderBottom = sizes.bottom + "px solid transparent"
+	
+	    if (sizes.right && sizes.bottom) {
+	      d.scrollbarFiller.style.display = "block";
+	      d.scrollbarFiller.style.height = sizes.bottom + "px";
+	      d.scrollbarFiller.style.width = sizes.right + "px";
+	    } else d.scrollbarFiller.style.display = "";
+	    if (sizes.bottom && cm.options.coverGutterNextToScrollbar && cm.options.fixedGutter) {
+	      d.gutterFiller.style.display = "block";
+	      d.gutterFiller.style.height = sizes.bottom + "px";
+	      d.gutterFiller.style.width = measure.gutterWidth + "px";
+	    } else d.gutterFiller.style.display = "";
+	  }
+	
+	  // Compute the lines that are visible in a given viewport (defaults
+	  // the the current scroll position). viewport may contain top,
+	  // height, and ensure (see op.scrollToPos) properties.
+	  function visibleLines(display, doc, viewport) {
+	    var top = viewport && viewport.top != null ? Math.max(0, viewport.top) : display.scroller.scrollTop;
+	    top = Math.floor(top - paddingTop(display));
+	    var bottom = viewport && viewport.bottom != null ? viewport.bottom : top + display.wrapper.clientHeight;
+	
+	    var from = lineAtHeight(doc, top), to = lineAtHeight(doc, bottom);
+	    // Ensure is a {from: {line, ch}, to: {line, ch}} object, and
+	    // forces those lines into the viewport (if possible).
+	    if (viewport && viewport.ensure) {
+	      var ensureFrom = viewport.ensure.from.line, ensureTo = viewport.ensure.to.line;
+	      if (ensureFrom < from) {
+	        from = ensureFrom;
+	        to = lineAtHeight(doc, heightAtLine(getLine(doc, ensureFrom)) + display.wrapper.clientHeight);
+	      } else if (Math.min(ensureTo, doc.lastLine()) >= to) {
+	        from = lineAtHeight(doc, heightAtLine(getLine(doc, ensureTo)) - display.wrapper.clientHeight);
+	        to = ensureTo;
+	      }
+	    }
+	    return {from: from, to: Math.max(to, from + 1)};
+	  }
+	
+	  // LINE NUMBERS
+	
+	  // Re-align line numbers and gutter marks to compensate for
+	  // horizontal scrolling.
+	  function alignHorizontally(cm) {
+	    var display = cm.display, view = display.view;
+	    if (!display.alignWidgets && (!display.gutters.firstChild || !cm.options.fixedGutter)) return;
+	    var comp = compensateForHScroll(display) - display.scroller.scrollLeft + cm.doc.scrollLeft;
+	    var gutterW = display.gutters.offsetWidth, left = comp + "px";
+	    for (var i = 0; i < view.length; i++) if (!view[i].hidden) {
+	      if (cm.options.fixedGutter) {
+	        if (view[i].gutter)
+	          view[i].gutter.style.left = left;
+	        if (view[i].gutterBackground)
+	          view[i].gutterBackground.style.left = left;
+	      }
+	      var align = view[i].alignable;
+	      if (align) for (var j = 0; j < align.length; j++)
+	        align[j].style.left = left;
+	    }
+	    if (cm.options.fixedGutter)
+	      display.gutters.style.left = (comp + gutterW) + "px";
+	  }
+	
+	  // Used to ensure that the line number gutter is still the right
+	  // size for the current document size. Returns true when an update
+	  // is needed.
+	  function maybeUpdateLineNumberWidth(cm) {
+	    if (!cm.options.lineNumbers) return false;
+	    var doc = cm.doc, last = lineNumberFor(cm.options, doc.first + doc.size - 1), display = cm.display;
+	    if (last.length != display.lineNumChars) {
+	      var test = display.measure.appendChild(elt("div", [elt("div", last)],
+	                                                 "CodeMirror-linenumber CodeMirror-gutter-elt"));
+	      var innerW = test.firstChild.offsetWidth, padding = test.offsetWidth - innerW;
+	      display.lineGutter.style.width = "";
+	      display.lineNumInnerWidth = Math.max(innerW, display.lineGutter.offsetWidth - padding) + 1;
+	      display.lineNumWidth = display.lineNumInnerWidth + padding;
+	      display.lineNumChars = display.lineNumInnerWidth ? last.length : -1;
+	      display.lineGutter.style.width = display.lineNumWidth + "px";
+	      updateGutterSpace(cm);
+	      return true;
+	    }
+	    return false;
+	  }
+	
+	  function lineNumberFor(options, i) {
+	    return String(options.lineNumberFormatter(i + options.firstLineNumber));
+	  }
+	
+	  // Computes display.scroller.scrollLeft + display.gutters.offsetWidth,
+	  // but using getBoundingClientRect to get a sub-pixel-accurate
+	  // result.
+	  function compensateForHScroll(display) {
+	    return display.scroller.getBoundingClientRect().left - display.sizer.getBoundingClientRect().left;
+	  }
+	
+	  // DISPLAY DRAWING
+	
+	  function DisplayUpdate(cm, viewport, force) {
+	    var display = cm.display;
+	
+	    this.viewport = viewport;
+	    // Store some values that we'll need later (but don't want to force a relayout for)
+	    this.visible = visibleLines(display, cm.doc, viewport);
+	    this.editorIsHidden = !display.wrapper.offsetWidth;
+	    this.wrapperHeight = display.wrapper.clientHeight;
+	    this.wrapperWidth = display.wrapper.clientWidth;
+	    this.oldDisplayWidth = displayWidth(cm);
+	    this.force = force;
+	    this.dims = getDimensions(cm);
+	    this.events = [];
+	  }
+	
+	  DisplayUpdate.prototype.signal = function(emitter, type) {
+	    if (hasHandler(emitter, type))
+	      this.events.push(arguments);
+	  };
+	  DisplayUpdate.prototype.finish = function() {
+	    for (var i = 0; i < this.events.length; i++)
+	      signal.apply(null, this.events[i]);
+	  };
+	
+	  function maybeClipScrollbars(cm) {
+	    var display = cm.display;
+	    if (!display.scrollbarsClipped && display.scroller.offsetWidth) {
+	      display.nativeBarWidth = display.scroller.offsetWidth - display.scroller.clientWidth;
+	      display.heightForcer.style.height = scrollGap(cm) + "px";
+	      display.sizer.style.marginBottom = -display.nativeBarWidth + "px";
+	      display.sizer.style.borderRightWidth = scrollGap(cm) + "px";
+	      display.scrollbarsClipped = true;
+	    }
+	  }
+	
+	  // Does the actual updating of the line display. Bails out
+	  // (returning false) when there is nothing to be done and forced is
+	  // false.
+	  function updateDisplayIfNeeded(cm, update) {
+	    var display = cm.display, doc = cm.doc;
+	
+	    if (update.editorIsHidden) {
+	      resetView(cm);
+	      return false;
+	    }
+	
+	    // Bail out if the visible area is already rendered and nothing changed.
+	    if (!update.force &&
+	        update.visible.from >= display.viewFrom && update.visible.to <= display.viewTo &&
+	        (display.updateLineNumbers == null || display.updateLineNumbers >= display.viewTo) &&
+	        display.renderedView == display.view && countDirtyView(cm) == 0)
+	      return false;
+	
+	    if (maybeUpdateLineNumberWidth(cm)) {
+	      resetView(cm);
+	      update.dims = getDimensions(cm);
+	    }
+	
+	    // Compute a suitable new viewport (from & to)
+	    var end = doc.first + doc.size;
+	    var from = Math.max(update.visible.from - cm.options.viewportMargin, doc.first);
+	    var to = Math.min(end, update.visible.to + cm.options.viewportMargin);
+	    if (display.viewFrom < from && from - display.viewFrom < 20) from = Math.max(doc.first, display.viewFrom);
+	    if (display.viewTo > to && display.viewTo - to < 20) to = Math.min(end, display.viewTo);
+	    if (sawCollapsedSpans) {
+	      from = visualLineNo(cm.doc, from);
+	      to = visualLineEndNo(cm.doc, to);
+	    }
+	
+	    var different = from != display.viewFrom || to != display.viewTo ||
+	      display.lastWrapHeight != update.wrapperHeight || display.lastWrapWidth != update.wrapperWidth;
+	    adjustView(cm, from, to);
+	
+	    display.viewOffset = heightAtLine(getLine(cm.doc, display.viewFrom));
+	    // Position the mover div to align with the current scroll position
+	    cm.display.mover.style.top = display.viewOffset + "px";
+	
+	    var toUpdate = countDirtyView(cm);
+	    if (!different && toUpdate == 0 && !update.force && display.renderedView == display.view &&
+	        (display.updateLineNumbers == null || display.updateLineNumbers >= display.viewTo))
+	      return false;
+	
+	    // For big changes, we hide the enclosing element during the
+	    // update, since that speeds up the operations on most browsers.
+	    var focused = activeElt();
+	    if (toUpdate > 4) display.lineDiv.style.display = "none";
+	    patchDisplay(cm, display.updateLineNumbers, update.dims);
+	    if (toUpdate > 4) display.lineDiv.style.display = "";
+	    display.renderedView = display.view;
+	    // There might have been a widget with a focused element that got
+	    // hidden or updated, if so re-focus it.
+	    if (focused && activeElt() != focused && focused.offsetHeight) focused.focus();
+	
+	    // Prevent selection and cursors from interfering with the scroll
+	    // width and height.
+	    removeChildren(display.cursorDiv);
+	    removeChildren(display.selectionDiv);
+	    display.gutters.style.height = display.sizer.style.minHeight = 0;
+	
+	    if (different) {
+	      display.lastWrapHeight = update.wrapperHeight;
+	      display.lastWrapWidth = update.wrapperWidth;
+	      startWorker(cm, 400);
+	    }
+	
+	    display.updateLineNumbers = null;
+	
+	    return true;
+	  }
+	
+	  function postUpdateDisplay(cm, update) {
+	    var viewport = update.viewport;
+	
+	    for (var first = true;; first = false) {
+	      if (!first || !cm.options.lineWrapping || update.oldDisplayWidth == displayWidth(cm)) {
+	        // Clip forced viewport to actual scrollable area.
+	        if (viewport && viewport.top != null)
+	          viewport = {top: Math.min(cm.doc.height + paddingVert(cm.display) - displayHeight(cm), viewport.top)};
+	        // Updated line heights might result in the drawn area not
+	        // actually covering the viewport. Keep looping until it does.
+	        update.visible = visibleLines(cm.display, cm.doc, viewport);
+	        if (update.visible.from >= cm.display.viewFrom && update.visible.to <= cm.display.viewTo)
+	          break;
+	      }
+	      if (!updateDisplayIfNeeded(cm, update)) break;
+	      updateHeightsInViewport(cm);
+	      var barMeasure = measureForScrollbars(cm);
+	      updateSelection(cm);
+	      updateScrollbars(cm, barMeasure);
+	      setDocumentHeight(cm, barMeasure);
+	    }
+	
+	    update.signal(cm, "update", cm);
+	    if (cm.display.viewFrom != cm.display.reportedViewFrom || cm.display.viewTo != cm.display.reportedViewTo) {
+	      update.signal(cm, "viewportChange", cm, cm.display.viewFrom, cm.display.viewTo);
+	      cm.display.reportedViewFrom = cm.display.viewFrom; cm.display.reportedViewTo = cm.display.viewTo;
+	    }
+	  }
+	
+	  function updateDisplaySimple(cm, viewport) {
+	    var update = new DisplayUpdate(cm, viewport);
+	    if (updateDisplayIfNeeded(cm, update)) {
+	      updateHeightsInViewport(cm);
+	      postUpdateDisplay(cm, update);
+	      var barMeasure = measureForScrollbars(cm);
+	      updateSelection(cm);
+	      updateScrollbars(cm, barMeasure);
+	      setDocumentHeight(cm, barMeasure);
+	      update.finish();
+	    }
+	  }
+	
+	  function setDocumentHeight(cm, measure) {
+	    cm.display.sizer.style.minHeight = measure.docHeight + "px";
+	    cm.display.heightForcer.style.top = measure.docHeight + "px";
+	    cm.display.gutters.style.height = (measure.docHeight + cm.display.barHeight + scrollGap(cm)) + "px";
+	  }
+	
+	  // Read the actual heights of the rendered lines, and update their
+	  // stored heights to match.
+	  function updateHeightsInViewport(cm) {
+	    var display = cm.display;
+	    var prevBottom = display.lineDiv.offsetTop;
+	    for (var i = 0; i < display.view.length; i++) {
+	      var cur = display.view[i], height;
+	      if (cur.hidden) continue;
+	      if (ie && ie_version < 8) {
+	        var bot = cur.node.offsetTop + cur.node.offsetHeight;
+	        height = bot - prevBottom;
+	        prevBottom = bot;
+	      } else {
+	        var box = cur.node.getBoundingClientRect();
+	        height = box.bottom - box.top;
+	      }
+	      var diff = cur.line.height - height;
+	      if (height < 2) height = textHeight(display);
+	      if (diff > .001 || diff < -.001) {
+	        updateLineHeight(cur.line, height);
+	        updateWidgetHeight(cur.line);
+	        if (cur.rest) for (var j = 0; j < cur.rest.length; j++)
+	          updateWidgetHeight(cur.rest[j]);
+	      }
+	    }
+	  }
+	
+	  // Read and store the height of line widgets associated with the
+	  // given line.
+	  function updateWidgetHeight(line) {
+	    if (line.widgets) for (var i = 0; i < line.widgets.length; ++i)
+	      line.widgets[i].height = line.widgets[i].node.parentNode.offsetHeight;
+	  }
+	
+	  // Do a bulk-read of the DOM positions and sizes needed to draw the
+	  // view, so that we don't interleave reading and writing to the DOM.
+	  function getDimensions(cm) {
+	    var d = cm.display, left = {}, width = {};
+	    var gutterLeft = d.gutters.clientLeft;
+	    for (var n = d.gutters.firstChild, i = 0; n; n = n.nextSibling, ++i) {
+	      left[cm.options.gutters[i]] = n.offsetLeft + n.clientLeft + gutterLeft;
+	      width[cm.options.gutters[i]] = n.clientWidth;
+	    }
+	    return {fixedPos: compensateForHScroll(d),
+	            gutterTotalWidth: d.gutters.offsetWidth,
+	            gutterLeft: left,
+	            gutterWidth: width,
+	            wrapperWidth: d.wrapper.clientWidth};
+	  }
+	
+	  // Sync the actual display DOM structure with display.view, removing
+	  // nodes for lines that are no longer in view, and creating the ones
+	  // that are not there yet, and updating the ones that are out of
+	  // date.
+	  function patchDisplay(cm, updateNumbersFrom, dims) {
+	    var display = cm.display, lineNumbers = cm.options.lineNumbers;
+	    var container = display.lineDiv, cur = container.firstChild;
+	
+	    function rm(node) {
+	      var next = node.nextSibling;
+	      // Works around a throw-scroll bug in OS X Webkit
+	      if (webkit && mac && cm.display.currentWheelTarget == node)
+	        node.style.display = "none";
+	      else
+	        node.parentNode.removeChild(node);
+	      return next;
+	    }
+	
+	    var view = display.view, lineN = display.viewFrom;
+	    // Loop over the elements in the view, syncing cur (the DOM nodes
+	    // in display.lineDiv) with the view as we go.
+	    for (var i = 0; i < view.length; i++) {
+	      var lineView = view[i];
+	      if (lineView.hidden) {
+	      } else if (!lineView.node || lineView.node.parentNode != container) { // Not drawn yet
+	        var node = buildLineElement(cm, lineView, lineN, dims);
+	        container.insertBefore(node, cur);
+	      } else { // Already drawn
+	        while (cur != lineView.node) cur = rm(cur);
+	        var updateNumber = lineNumbers && updateNumbersFrom != null &&
+	          updateNumbersFrom <= lineN && lineView.lineNumber;
+	        if (lineView.changes) {
+	          if (indexOf(lineView.changes, "gutter") > -1) updateNumber = false;
+	          updateLineForChanges(cm, lineView, lineN, dims);
+	        }
+	        if (updateNumber) {
+	          removeChildren(lineView.lineNumber);
+	          lineView.lineNumber.appendChild(document.createTextNode(lineNumberFor(cm.options, lineN)));
+	        }
+	        cur = lineView.node.nextSibling;
+	      }
+	      lineN += lineView.size;
+	    }
+	    while (cur) cur = rm(cur);
+	  }
+	
+	  // When an aspect of a line changes, a string is added to
+	  // lineView.changes. This updates the relevant part of the line's
+	  // DOM structure.
+	  function updateLineForChanges(cm, lineView, lineN, dims) {
+	    for (var j = 0; j < lineView.changes.length; j++) {
+	      var type = lineView.changes[j];
+	      if (type == "text") updateLineText(cm, lineView);
+	      else if (type == "gutter") updateLineGutter(cm, lineView, lineN, dims);
+	      else if (type == "class") updateLineClasses(lineView);
+	      else if (type == "widget") updateLineWidgets(cm, lineView, dims);
+	    }
+	    lineView.changes = null;
+	  }
+	
+	  // Lines with gutter elements, widgets or a background class need to
+	  // be wrapped, and have the extra elements added to the wrapper div
+	  function ensureLineWrapped(lineView) {
+	    if (lineView.node == lineView.text) {
+	      lineView.node = elt("div", null, null, "position: relative");
+	      if (lineView.text.parentNode)
+	        lineView.text.parentNode.replaceChild(lineView.node, lineView.text);
+	      lineView.node.appendChild(lineView.text);
+	      if (ie && ie_version < 8) lineView.node.style.zIndex = 2;
+	    }
+	    return lineView.node;
+	  }
+	
+	  function updateLineBackground(lineView) {
+	    var cls = lineView.bgClass ? lineView.bgClass + " " + (lineView.line.bgClass || "") : lineView.line.bgClass;
+	    if (cls) cls += " CodeMirror-linebackground";
+	    if (lineView.background) {
+	      if (cls) lineView.background.className = cls;
+	      else { lineView.background.parentNode.removeChild(lineView.background); lineView.background = null; }
+	    } else if (cls) {
+	      var wrap = ensureLineWrapped(lineView);
+	      lineView.background = wrap.insertBefore(elt("div", null, cls), wrap.firstChild);
+	    }
+	  }
+	
+	  // Wrapper around buildLineContent which will reuse the structure
+	  // in display.externalMeasured when possible.
+	  function getLineContent(cm, lineView) {
+	    var ext = cm.display.externalMeasured;
+	    if (ext && ext.line == lineView.line) {
+	      cm.display.externalMeasured = null;
+	      lineView.measure = ext.measure;
+	      return ext.built;
+	    }
+	    return buildLineContent(cm, lineView);
+	  }
+	
+	  // Redraw the line's text. Interacts with the background and text
+	  // classes because the mode may output tokens that influence these
+	  // classes.
+	  function updateLineText(cm, lineView) {
+	    var cls = lineView.text.className;
+	    var built = getLineContent(cm, lineView);
+	    if (lineView.text == lineView.node) lineView.node = built.pre;
+	    lineView.text.parentNode.replaceChild(built.pre, lineView.text);
+	    lineView.text = built.pre;
+	    if (built.bgClass != lineView.bgClass || built.textClass != lineView.textClass) {
+	      lineView.bgClass = built.bgClass;
+	      lineView.textClass = built.textClass;
+	      updateLineClasses(lineView);
+	    } else if (cls) {
+	      lineView.text.className = cls;
+	    }
+	  }
+	
+	  function updateLineClasses(lineView) {
+	    updateLineBackground(lineView);
+	    if (lineView.line.wrapClass)
+	      ensureLineWrapped(lineView).className = lineView.line.wrapClass;
+	    else if (lineView.node != lineView.text)
+	      lineView.node.className = "";
+	    var textClass = lineView.textClass ? lineView.textClass + " " + (lineView.line.textClass || "") : lineView.line.textClass;
+	    lineView.text.className = textClass || "";
+	  }
+	
+	  function updateLineGutter(cm, lineView, lineN, dims) {
+	    if (lineView.gutter) {
+	      lineView.node.removeChild(lineView.gutter);
+	      lineView.gutter = null;
+	    }
+	    if (lineView.gutterBackground) {
+	      lineView.node.removeChild(lineView.gutterBackground);
+	      lineView.gutterBackground = null;
+	    }
+	    if (lineView.line.gutterClass) {
+	      var wrap = ensureLineWrapped(lineView);
+	      lineView.gutterBackground = elt("div", null, "CodeMirror-gutter-background " + lineView.line.gutterClass,
+	                                      "left: " + (cm.options.fixedGutter ? dims.fixedPos : -dims.gutterTotalWidth) +
+	                                      "px; width: " + dims.gutterTotalWidth + "px");
+	      wrap.insertBefore(lineView.gutterBackground, lineView.text);
+	    }
+	    var markers = lineView.line.gutterMarkers;
+	    if (cm.options.lineNumbers || markers) {
+	      var wrap = ensureLineWrapped(lineView);
+	      var gutterWrap = lineView.gutter = elt("div", null, "CodeMirror-gutter-wrapper", "left: " +
+	                                             (cm.options.fixedGutter ? dims.fixedPos : -dims.gutterTotalWidth) + "px");
+	      cm.display.input.setUneditable(gutterWrap);
+	      wrap.insertBefore(gutterWrap, lineView.text);
+	      if (lineView.line.gutterClass)
+	        gutterWrap.className += " " + lineView.line.gutterClass;
+	      if (cm.options.lineNumbers && (!markers || !markers["CodeMirror-linenumbers"]))
+	        lineView.lineNumber = gutterWrap.appendChild(
+	          elt("div", lineNumberFor(cm.options, lineN),
+	              "CodeMirror-linenumber CodeMirror-gutter-elt",
+	              "left: " + dims.gutterLeft["CodeMirror-linenumbers"] + "px; width: "
+	              + cm.display.lineNumInnerWidth + "px"));
+	      if (markers) for (var k = 0; k < cm.options.gutters.length; ++k) {
+	        var id = cm.options.gutters[k], found = markers.hasOwnProperty(id) && markers[id];
+	        if (found)
+	          gutterWrap.appendChild(elt("div", [found], "CodeMirror-gutter-elt", "left: " +
+	                                     dims.gutterLeft[id] + "px; width: " + dims.gutterWidth[id] + "px"));
+	      }
+	    }
+	  }
+	
+	  function updateLineWidgets(cm, lineView, dims) {
+	    if (lineView.alignable) lineView.alignable = null;
+	    for (var node = lineView.node.firstChild, next; node; node = next) {
+	      var next = node.nextSibling;
+	      if (node.className == "CodeMirror-linewidget")
+	        lineView.node.removeChild(node);
+	    }
+	    insertLineWidgets(cm, lineView, dims);
+	  }
+	
+	  // Build a line's DOM representation from scratch
+	  function buildLineElement(cm, lineView, lineN, dims) {
+	    var built = getLineContent(cm, lineView);
+	    lineView.text = lineView.node = built.pre;
+	    if (built.bgClass) lineView.bgClass = built.bgClass;
+	    if (built.textClass) lineView.textClass = built.textClass;
+	
+	    updateLineClasses(lineView);
+	    updateLineGutter(cm, lineView, lineN, dims);
+	    insertLineWidgets(cm, lineView, dims);
+	    return lineView.node;
+	  }
+	
+	  // A lineView may contain multiple logical lines (when merged by
+	  // collapsed spans). The widgets for all of them need to be drawn.
+	  function insertLineWidgets(cm, lineView, dims) {
+	    insertLineWidgetsFor(cm, lineView.line, lineView, dims, true);
+	    if (lineView.rest) for (var i = 0; i < lineView.rest.length; i++)
+	      insertLineWidgetsFor(cm, lineView.rest[i], lineView, dims, false);
+	  }
+	
+	  function insertLineWidgetsFor(cm, line, lineView, dims, allowAbove) {
+	    if (!line.widgets) return;
+	    var wrap = ensureLineWrapped(lineView);
+	    for (var i = 0, ws = line.widgets; i < ws.length; ++i) {
+	      var widget = ws[i], node = elt("div", [widget.node], "CodeMirror-linewidget");
+	      if (!widget.handleMouseEvents) node.setAttribute("cm-ignore-events", "true");
+	      positionLineWidget(widget, node, lineView, dims);
+	      cm.display.input.setUneditable(node);
+	      if (allowAbove && widget.above)
+	        wrap.insertBefore(node, lineView.gutter || lineView.text);
+	      else
+	        wrap.appendChild(node);
+	      signalLater(widget, "redraw");
+	    }
+	  }
+	
+	  function positionLineWidget(widget, node, lineView, dims) {
+	    if (widget.noHScroll) {
+	      (lineView.alignable || (lineView.alignable = [])).push(node);
+	      var width = dims.wrapperWidth;
+	      node.style.left = dims.fixedPos + "px";
+	      if (!widget.coverGutter) {
+	        width -= dims.gutterTotalWidth;
+	        node.style.paddingLeft = dims.gutterTotalWidth + "px";
+	      }
+	      node.style.width = width + "px";
+	    }
+	    if (widget.coverGutter) {
+	      node.style.zIndex = 5;
+	      node.style.position = "relative";
+	      if (!widget.noHScroll) node.style.marginLeft = -dims.gutterTotalWidth + "px";
+	    }
+	  }
+	
+	  // POSITION OBJECT
+	
+	  // A Pos instance represents a position within the text.
+	  var Pos = CodeMirror.Pos = function(line, ch) {
+	    if (!(this instanceof Pos)) return new Pos(line, ch);
+	    this.line = line; this.ch = ch;
+	  };
+	
+	  // Compare two positions, return 0 if they are the same, a negative
+	  // number when a is less, and a positive number otherwise.
+	  var cmp = CodeMirror.cmpPos = function(a, b) { return a.line - b.line || a.ch - b.ch; };
+	
+	  function copyPos(x) {return Pos(x.line, x.ch);}
+	  function maxPos(a, b) { return cmp(a, b) < 0 ? b : a; }
+	  function minPos(a, b) { return cmp(a, b) < 0 ? a : b; }
+	
+	  // INPUT HANDLING
+	
+	  function ensureFocus(cm) {
+	    if (!cm.state.focused) { cm.display.input.focus(); onFocus(cm); }
+	  }
+	
+	  // This will be set to a {lineWise: bool, text: [string]} object, so
+	  // that, when pasting, we know what kind of selections the copied
+	  // text was made out of.
+	  var lastCopied = null;
+	
+	  function applyTextInput(cm, inserted, deleted, sel, origin) {
+	    var doc = cm.doc;
+	    cm.display.shift = false;
+	    if (!sel) sel = doc.sel;
+	
+	    var paste = cm.state.pasteIncoming || origin == "paste";
+	    var textLines = doc.splitLines(inserted), multiPaste = null
+	    // When pasing N lines into N selections, insert one line per selection
+	    if (paste && sel.ranges.length > 1) {
+	      if (lastCopied && lastCopied.text.join("\n") == inserted) {
+	        if (sel.ranges.length % lastCopied.text.length == 0) {
+	          multiPaste = [];
+	          for (var i = 0; i < lastCopied.text.length; i++)
+	            multiPaste.push(doc.splitLines(lastCopied.text[i]));
+	        }
+	      } else if (textLines.length == sel.ranges.length) {
+	        multiPaste = map(textLines, function(l) { return [l]; });
+	      }
+	    }
+	
+	    // Normal behavior is to insert the new text into every selection
+	    for (var i = sel.ranges.length - 1; i >= 0; i--) {
+	      var range = sel.ranges[i];
+	      var from = range.from(), to = range.to();
+	      if (range.empty()) {
+	        if (deleted && deleted > 0) // Handle deletion
+	          from = Pos(from.line, from.ch - deleted);
+	        else if (cm.state.overwrite && !paste) // Handle overwrite
+	          to = Pos(to.line, Math.min(getLine(doc, to.line).text.length, to.ch + lst(textLines).length));
+	        else if (lastCopied && lastCopied.lineWise && lastCopied.text.join("\n") == inserted)
+	          from = to = Pos(from.line, 0)
+	      }
+	      var updateInput = cm.curOp.updateInput;
+	      var changeEvent = {from: from, to: to, text: multiPaste ? multiPaste[i % multiPaste.length] : textLines,
+	                         origin: origin || (paste ? "paste" : cm.state.cutIncoming ? "cut" : "+input")};
+	      makeChange(cm.doc, changeEvent);
+	      signalLater(cm, "inputRead", cm, changeEvent);
+	    }
+	    if (inserted && !paste)
+	      triggerElectric(cm, inserted);
+	
+	    ensureCursorVisible(cm);
+	    cm.curOp.updateInput = updateInput;
+	    cm.curOp.typing = true;
+	    cm.state.pasteIncoming = cm.state.cutIncoming = false;
+	  }
+	
+	  function handlePaste(e, cm) {
+	    var pasted = e.clipboardData && e.clipboardData.getData("Text");
+	    if (pasted) {
+	      e.preventDefault();
+	      if (!cm.isReadOnly() && !cm.options.disableInput)
+	        runInOp(cm, function() { applyTextInput(cm, pasted, 0, null, "paste"); });
+	      return true;
+	    }
+	  }
+	
+	  function triggerElectric(cm, inserted) {
+	    // When an 'electric' character is inserted, immediately trigger a reindent
+	    if (!cm.options.electricChars || !cm.options.smartIndent) return;
+	    var sel = cm.doc.sel;
+	
+	    for (var i = sel.ranges.length - 1; i >= 0; i--) {
+	      var range = sel.ranges[i];
+	      if (range.head.ch > 100 || (i && sel.ranges[i - 1].head.line == range.head.line)) continue;
+	      var mode = cm.getModeAt(range.head);
+	      var indented = false;
+	      if (mode.electricChars) {
+	        for (var j = 0; j < mode.electricChars.length; j++)
+	          if (inserted.indexOf(mode.electricChars.charAt(j)) > -1) {
+	            indented = indentLine(cm, range.head.line, "smart");
+	            break;
+	          }
+	      } else if (mode.electricInput) {
+	        if (mode.electricInput.test(getLine(cm.doc, range.head.line).text.slice(0, range.head.ch)))
+	          indented = indentLine(cm, range.head.line, "smart");
+	      }
+	      if (indented) signalLater(cm, "electricInput", cm, range.head.line);
+	    }
+	  }
+	
+	  function copyableRanges(cm) {
+	    var text = [], ranges = [];
+	    for (var i = 0; i < cm.doc.sel.ranges.length; i++) {
+	      var line = cm.doc.sel.ranges[i].head.line;
+	      var lineRange = {anchor: Pos(line, 0), head: Pos(line + 1, 0)};
+	      ranges.push(lineRange);
+	      text.push(cm.getRange(lineRange.anchor, lineRange.head));
+	    }
+	    return {text: text, ranges: ranges};
+	  }
+	
+	  function disableBrowserMagic(field, spellcheck) {
+	    field.setAttribute("autocorrect", "off");
+	    field.setAttribute("autocapitalize", "off");
+	    field.setAttribute("spellcheck", !!spellcheck);
+	  }
+	
+	  // TEXTAREA INPUT STYLE
+	
+	  function TextareaInput(cm) {
+	    this.cm = cm;
+	    // See input.poll and input.reset
+	    this.prevInput = "";
+	
+	    // Flag that indicates whether we expect input to appear real soon
+	    // now (after some event like 'keypress' or 'input') and are
+	    // polling intensively.
+	    this.pollingFast = false;
+	    // Self-resetting timeout for the poller
+	    this.polling = new Delayed();
+	    // Tracks when input.reset has punted to just putting a short
+	    // string into the textarea instead of the full selection.
+	    this.inaccurateSelection = false;
+	    // Used to work around IE issue with selection being forgotten when focus moves away from textarea
+	    this.hasSelection = false;
+	    this.composing = null;
+	  };
+	
+	  function hiddenTextarea() {
+	    var te = elt("textarea", null, null, "position: absolute; bottom: -1em; padding: 0; width: 1px; height: 1em; outline: none");
+	    var div = elt("div", [te], null, "overflow: hidden; position: relative; width: 3px; height: 0px;");
+	    // The textarea is kept positioned near the cursor to prevent the
+	    // fact that it'll be scrolled into view on input from scrolling
+	    // our fake cursor out of view. On webkit, when wrap=off, paste is
+	    // very slow. So make the area wide instead.
+	    if (webkit) te.style.width = "1000px";
+	    else te.setAttribute("wrap", "off");
+	    // If border: 0; -- iOS fails to open keyboard (issue #1287)
+	    if (ios) te.style.border = "1px solid black";
+	    disableBrowserMagic(te);
+	    return div;
+	  }
+	
+	  TextareaInput.prototype = copyObj({
+	    init: function(display) {
+	      var input = this, cm = this.cm;
+	
+	      // Wraps and hides input textarea
+	      var div = this.wrapper = hiddenTextarea();
+	      // The semihidden textarea that is focused when the editor is
+	      // focused, and receives input.
+	      var te = this.textarea = div.firstChild;
+	      display.wrapper.insertBefore(div, display.wrapper.firstChild);
+	
+	      // Needed to hide big blue blinking cursor on Mobile Safari (doesn't seem to work in iOS 8 anymore)
+	      if (ios) te.style.width = "0px";
+	
+	      on(te, "input", function() {
+	        if (ie && ie_version >= 9 && input.hasSelection) input.hasSelection = null;
+	        input.poll();
+	      });
+	
+	      on(te, "paste", function(e) {
+	        if (signalDOMEvent(cm, e) || handlePaste(e, cm)) return
+	
+	        cm.state.pasteIncoming = true;
+	        input.fastPoll();
+	      });
+	
+	      function prepareCopyCut(e) {
+	        if (signalDOMEvent(cm, e)) return
+	        if (cm.somethingSelected()) {
+	          lastCopied = {lineWise: false, text: cm.getSelections()};
+	          if (input.inaccurateSelection) {
+	            input.prevInput = "";
+	            input.inaccurateSelection = false;
+	            te.value = lastCopied.text.join("\n");
+	            selectInput(te);
+	          }
+	        } else if (!cm.options.lineWiseCopyCut) {
+	          return;
+	        } else {
+	          var ranges = copyableRanges(cm);
+	          lastCopied = {lineWise: true, text: ranges.text};
+	          if (e.type == "cut") {
+	            cm.setSelections(ranges.ranges, null, sel_dontScroll);
+	          } else {
+	            input.prevInput = "";
+	            te.value = ranges.text.join("\n");
+	            selectInput(te);
+	          }
+	        }
+	        if (e.type == "cut") cm.state.cutIncoming = true;
+	      }
+	      on(te, "cut", prepareCopyCut);
+	      on(te, "copy", prepareCopyCut);
+	
+	      on(display.scroller, "paste", function(e) {
+	        if (eventInWidget(display, e) || signalDOMEvent(cm, e)) return;
+	        cm.state.pasteIncoming = true;
+	        input.focus();
+	      });
+	
+	      // Prevent normal selection in the editor (we handle our own)
+	      on(display.lineSpace, "selectstart", function(e) {
+	        if (!eventInWidget(display, e)) e_preventDefault(e);
+	      });
+	
+	      on(te, "compositionstart", function() {
+	        var start = cm.getCursor("from");
+	        if (input.composing) input.composing.range.clear()
+	        input.composing = {
+	          start: start,
+	          range: cm.markText(start, cm.getCursor("to"), {className: "CodeMirror-composing"})
+	        };
+	      });
+	      on(te, "compositionend", function() {
+	        if (input.composing) {
+	          input.poll();
+	          input.composing.range.clear();
+	          input.composing = null;
+	        }
+	      });
+	    },
+	
+	    prepareSelection: function() {
+	      // Redraw the selection and/or cursor
+	      var cm = this.cm, display = cm.display, doc = cm.doc;
+	      var result = prepareSelection(cm);
+	
+	      // Move the hidden textarea near the cursor to prevent scrolling artifacts
+	      if (cm.options.moveInputWithCursor) {
+	        var headPos = cursorCoords(cm, doc.sel.primary().head, "div");
+	        var wrapOff = display.wrapper.getBoundingClientRect(), lineOff = display.lineDiv.getBoundingClientRect();
+	        result.teTop = Math.max(0, Math.min(display.wrapper.clientHeight - 10,
+	                                            headPos.top + lineOff.top - wrapOff.top));
+	        result.teLeft = Math.max(0, Math.min(display.wrapper.clientWidth - 10,
+	                                             headPos.left + lineOff.left - wrapOff.left));
+	      }
+	
+	      return result;
+	    },
+	
+	    showSelection: function(drawn) {
+	      var cm = this.cm, display = cm.display;
+	      removeChildrenAndAdd(display.cursorDiv, drawn.cursors);
+	      removeChildrenAndAdd(display.selectionDiv, drawn.selection);
+	      if (drawn.teTop != null) {
+	        this.wrapper.style.top = drawn.teTop + "px";
+	        this.wrapper.style.left = drawn.teLeft + "px";
+	      }
+	    },
+	
+	    // Reset the input to correspond to the selection (or to be empty,
+	    // when not typing and nothing is selected)
+	    reset: function(typing) {
+	      if (this.contextMenuPending) return;
+	      var minimal, selected, cm = this.cm, doc = cm.doc;
+	      if (cm.somethingSelected()) {
+	        this.prevInput = "";
+	        var range = doc.sel.primary();
+	        minimal = hasCopyEvent &&
+	          (range.to().line - range.from().line > 100 || (selected = cm.getSelection()).length > 1000);
+	        var content = minimal ? "-" : selected || cm.getSelection();
+	        this.textarea.value = content;
+	        if (cm.state.focused) selectInput(this.textarea);
+	        if (ie && ie_version >= 9) this.hasSelection = content;
+	      } else if (!typing) {
+	        this.prevInput = this.textarea.value = "";
+	        if (ie && ie_version >= 9) this.hasSelection = null;
+	      }
+	      this.inaccurateSelection = minimal;
+	    },
+	
+	    getField: function() { return this.textarea; },
+	
+	    supportsTouch: function() { return false; },
+	
+	    focus: function() {
+	      if (this.cm.options.readOnly != "nocursor" && (!mobile || activeElt() != this.textarea)) {
+	        try { this.textarea.focus(); }
+	        catch (e) {} // IE8 will throw if the textarea is display: none or not in DOM
+	      }
+	    },
+	
+	    blur: function() { this.textarea.blur(); },
+	
+	    resetPosition: function() {
+	      this.wrapper.style.top = this.wrapper.style.left = 0;
+	    },
+	
+	    receivedFocus: function() { this.slowPoll(); },
+	
+	    // Poll for input changes, using the normal rate of polling. This
+	    // runs as long as the editor is focused.
+	    slowPoll: function() {
+	      var input = this;
+	      if (input.pollingFast) return;
+	      input.polling.set(this.cm.options.pollInterval, function() {
+	        input.poll();
+	        if (input.cm.state.focused) input.slowPoll();
+	      });
+	    },
+	
+	    // When an event has just come in that is likely to add or change
+	    // something in the input textarea, we poll faster, to ensure that
+	    // the change appears on the screen quickly.
+	    fastPoll: function() {
+	      var missed = false, input = this;
+	      input.pollingFast = true;
+	      function p() {
+	        var changed = input.poll();
+	        if (!changed && !missed) {missed = true; input.polling.set(60, p);}
+	        else {input.pollingFast = false; input.slowPoll();}
+	      }
+	      input.polling.set(20, p);
+	    },
+	
+	    // Read input from the textarea, and update the document to match.
+	    // When something is selected, it is present in the textarea, and
+	    // selected (unless it is huge, in which case a placeholder is
+	    // used). When nothing is selected, the cursor sits after previously
+	    // seen text (can be empty), which is stored in prevInput (we must
+	    // not reset the textarea when typing, because that breaks IME).
+	    poll: function() {
+	      var cm = this.cm, input = this.textarea, prevInput = this.prevInput;
+	      // Since this is called a *lot*, try to bail out as cheaply as
+	      // possible when it is clear that nothing happened. hasSelection
+	      // will be the case when there is a lot of text in the textarea,
+	      // in which case reading its value would be expensive.
+	      if (this.contextMenuPending || !cm.state.focused ||
+	          (hasSelection(input) && !prevInput && !this.composing) ||
+	          cm.isReadOnly() || cm.options.disableInput || cm.state.keySeq)
+	        return false;
+	
+	      var text = input.value;
+	      // If nothing changed, bail.
+	      if (text == prevInput && !cm.somethingSelected()) return false;
+	      // Work around nonsensical selection resetting in IE9/10, and
+	      // inexplicable appearance of private area unicode characters on
+	      // some key combos in Mac (#2689).
+	      if (ie && ie_version >= 9 && this.hasSelection === text ||
+	          mac && /[\uf700-\uf7ff]/.test(text)) {
+	        cm.display.input.reset();
+	        return false;
+	      }
+	
+	      if (cm.doc.sel == cm.display.selForContextMenu) {
+	        var first = text.charCodeAt(0);
+	        if (first == 0x200b && !prevInput) prevInput = "\u200b";
+	        if (first == 0x21da) { this.reset(); return this.cm.execCommand("undo"); }
+	      }
+	      // Find the part of the input that is actually new
+	      var same = 0, l = Math.min(prevInput.length, text.length);
+	      while (same < l && prevInput.charCodeAt(same) == text.charCodeAt(same)) ++same;
+	
+	      var self = this;
+	      runInOp(cm, function() {
+	        applyTextInput(cm, text.slice(same), prevInput.length - same,
+	                       null, self.composing ? "*compose" : null);
+	
+	        // Don't leave long text in the textarea, since it makes further polling slow
+	        if (text.length > 1000 || text.indexOf("\n") > -1) input.value = self.prevInput = "";
+	        else self.prevInput = text;
+	
+	        if (self.composing) {
+	          self.composing.range.clear();
+	          self.composing.range = cm.markText(self.composing.start, cm.getCursor("to"),
+	                                             {className: "CodeMirror-composing"});
+	        }
+	      });
+	      return true;
+	    },
+	
+	    ensurePolled: function() {
+	      if (this.pollingFast && this.poll()) this.pollingFast = false;
+	    },
+	
+	    onKeyPress: function() {
+	      if (ie && ie_version >= 9) this.hasSelection = null;
+	      this.fastPoll();
+	    },
+	
+	    onContextMenu: function(e) {
+	      var input = this, cm = input.cm, display = cm.display, te = input.textarea;
+	      var pos = posFromMouse(cm, e), scrollPos = display.scroller.scrollTop;
+	      if (!pos || presto) return; // Opera is difficult.
+	
+	      // Reset the current text selection only if the click is done outside of the selection
+	      // and 'resetSelectionOnContextMenu' option is true.
+	      var reset = cm.options.resetSelectionOnContextMenu;
+	      if (reset && cm.doc.sel.contains(pos) == -1)
+	        operation(cm, setSelection)(cm.doc, simpleSelection(pos), sel_dontScroll);
+	
+	      var oldCSS = te.style.cssText, oldWrapperCSS = input.wrapper.style.cssText;
+	      input.wrapper.style.cssText = "position: absolute"
+	      var wrapperBox = input.wrapper.getBoundingClientRect()
+	      te.style.cssText = "position: absolute; width: 30px; height: 30px; top: " + (e.clientY - wrapperBox.top - 5) +
+	        "px; left: " + (e.clientX - wrapperBox.left - 5) + "px; z-index: 1000; background: " +
+	        (ie ? "rgba(255, 255, 255, .05)" : "transparent") +
+	        "; outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);";
+	      if (webkit) var oldScrollY = window.scrollY; // Work around Chrome issue (#2712)
+	      display.input.focus();
+	      if (webkit) window.scrollTo(null, oldScrollY);
+	      display.input.reset();
+	      // Adds "Select all" to context menu in FF
+	      if (!cm.somethingSelected()) te.value = input.prevInput = " ";
+	      input.contextMenuPending = true;
+	      display.selForContextMenu = cm.doc.sel;
+	      clearTimeout(display.detectingSelectAll);
+	
+	      // Select-all will be greyed out if there's nothing to select, so
+	      // this adds a zero-width space so that we can later check whether
+	      // it got selected.
+	      function prepareSelectAllHack() {
+	        if (te.selectionStart != null) {
+	          var selected = cm.somethingSelected();
+	          var extval = "\u200b" + (selected ? te.value : "");
+	          te.value = "\u21da"; // Used to catch context-menu undo
+	          te.value = extval;
+	          input.prevInput = selected ? "" : "\u200b";
+	          te.selectionStart = 1; te.selectionEnd = extval.length;
+	          // Re-set this, in case some other handler touched the
+	          // selection in the meantime.
+	          display.selForContextMenu = cm.doc.sel;
+	        }
+	      }
+	      function rehide() {
+	        input.contextMenuPending = false;
+	        input.wrapper.style.cssText = oldWrapperCSS
+	        te.style.cssText = oldCSS;
+	        if (ie && ie_version < 9) display.scrollbars.setScrollTop(display.scroller.scrollTop = scrollPos);
+	
+	        // Try to detect the user choosing select-all
+	        if (te.selectionStart != null) {
+	          if (!ie || (ie && ie_version < 9)) prepareSelectAllHack();
+	          var i = 0, poll = function() {
+	            if (display.selForContextMenu == cm.doc.sel && te.selectionStart == 0 &&
+	                te.selectionEnd > 0 && input.prevInput == "\u200b")
+	              operation(cm, commands.selectAll)(cm);
+	            else if (i++ < 10) display.detectingSelectAll = setTimeout(poll, 500);
+	            else display.input.reset();
+	          };
+	          display.detectingSelectAll = setTimeout(poll, 200);
+	        }
+	      }
+	
+	      if (ie && ie_version >= 9) prepareSelectAllHack();
+	      if (captureRightClick) {
+	        e_stop(e);
+	        var mouseup = function() {
+	          off(window, "mouseup", mouseup);
+	          setTimeout(rehide, 20);
+	        };
+	        on(window, "mouseup", mouseup);
+	      } else {
+	        setTimeout(rehide, 50);
+	      }
+	    },
+	
+	    readOnlyChanged: function(val) {
+	      if (!val) this.reset();
+	    },
+	
+	    setUneditable: nothing,
+	
+	    needsContentAttribute: false
+	  }, TextareaInput.prototype);
+	
+	  // CONTENTEDITABLE INPUT STYLE
+	
+	  function ContentEditableInput(cm) {
+	    this.cm = cm;
+	    this.lastAnchorNode = this.lastAnchorOffset = this.lastFocusNode = this.lastFocusOffset = null;
+	    this.polling = new Delayed();
+	    this.gracePeriod = false;
+	  }
+	
+	  ContentEditableInput.prototype = copyObj({
+	    init: function(display) {
+	      var input = this, cm = input.cm;
+	      var div = input.div = display.lineDiv;
+	      disableBrowserMagic(div, cm.options.spellcheck);
+	
+	      on(div, "paste", function(e) {
+	        if (signalDOMEvent(cm, e) || handlePaste(e, cm)) return
+	        // IE doesn't fire input events, so we schedule a read for the pasted content in this way
+	        if (ie_version <= 11) setTimeout(operation(cm, function() {
+	          if (!input.pollContent()) regChange(cm);
+	        }), 20)
+	      })
+	
+	      on(div, "compositionstart", function(e) {
+	        var data = e.data;
+	        input.composing = {sel: cm.doc.sel, data: data, startData: data};
+	        if (!data) return;
+	        var prim = cm.doc.sel.primary();
+	        var line = cm.getLine(prim.head.line);
+	        var found = line.indexOf(data, Math.max(0, prim.head.ch - data.length));
+	        if (found > -1 && found <= prim.head.ch)
+	          input.composing.sel = simpleSelection(Pos(prim.head.line, found),
+	                                                Pos(prim.head.line, found + data.length));
+	      });
+	      on(div, "compositionupdate", function(e) {
+	        input.composing.data = e.data;
+	      });
+	      on(div, "compositionend", function(e) {
+	        var ours = input.composing;
+	        if (!ours) return;
+	        if (e.data != ours.startData && !/\u200b/.test(e.data))
+	          ours.data = e.data;
+	        // Need a small delay to prevent other code (input event,
+	        // selection polling) from doing damage when fired right after
+	        // compositionend.
+	        setTimeout(function() {
+	          if (!ours.handled)
+	            input.applyComposition(ours);
+	          if (input.composing == ours)
+	            input.composing = null;
+	        }, 50);
+	      });
+	
+	      on(div, "touchstart", function() {
+	        input.forceCompositionEnd();
+	      });
+	
+	      on(div, "input", function() {
+	        if (input.composing) return;
+	        if (cm.isReadOnly() || !input.pollContent())
+	          runInOp(input.cm, function() {regChange(cm);});
+	      });
+	
+	      function onCopyCut(e) {
+	        if (signalDOMEvent(cm, e)) return
+	        if (cm.somethingSelected()) {
+	          lastCopied = {lineWise: false, text: cm.getSelections()};
+	          if (e.type == "cut") cm.replaceSelection("", null, "cut");
+	        } else if (!cm.options.lineWiseCopyCut) {
+	          return;
+	        } else {
+	          var ranges = copyableRanges(cm);
+	          lastCopied = {lineWise: true, text: ranges.text};
+	          if (e.type == "cut") {
+	            cm.operation(function() {
+	              cm.setSelections(ranges.ranges, 0, sel_dontScroll);
+	              cm.replaceSelection("", null, "cut");
+	            });
+	          }
+	        }
+	        if (e.clipboardData) {
+	          e.clipboardData.clearData();
+	          var content = lastCopied.text.join("\n")
+	          // iOS exposes the clipboard API, but seems to discard content inserted into it
+	          e.clipboardData.setData("Text", content);
+	          if (e.clipboardData.getData("Text") == content) {
+	            e.preventDefault();
+	            return
+	          }
+	        }
+	        // Old-fashioned briefly-focus-a-textarea hack
+	        var kludge = hiddenTextarea(), te = kludge.firstChild;
+	        cm.display.lineSpace.insertBefore(kludge, cm.display.lineSpace.firstChild);
+	        te.value = lastCopied.text.join("\n");
+	        var hadFocus = document.activeElement;
+	        selectInput(te);
+	        setTimeout(function() {
+	          cm.display.lineSpace.removeChild(kludge);
+	          hadFocus.focus();
+	          if (hadFocus == div) input.showPrimarySelection()
+	        }, 50);
+	      }
+	      on(div, "copy", onCopyCut);
+	      on(div, "cut", onCopyCut);
+	    },
+	
+	    prepareSelection: function() {
+	      var result = prepareSelection(this.cm, false);
+	      result.focus = this.cm.state.focused;
+	      return result;
+	    },
+	
+	    showSelection: function(info, takeFocus) {
+	      if (!info || !this.cm.display.view.length) return;
+	      if (info.focus || takeFocus) this.showPrimarySelection();
+	      this.showMultipleSelections(info);
+	    },
+	
+	    showPrimarySelection: function() {
+	      var sel = window.getSelection(), prim = this.cm.doc.sel.primary();
+	      var curAnchor = domToPos(this.cm, sel.anchorNode, sel.anchorOffset);
+	      var curFocus = domToPos(this.cm, sel.focusNode, sel.focusOffset);
+	      if (curAnchor && !curAnchor.bad && curFocus && !curFocus.bad &&
+	          cmp(minPos(curAnchor, curFocus), prim.from()) == 0 &&
+	          cmp(maxPos(curAnchor, curFocus), prim.to()) == 0)
+	        return;
+	
+	      var start = posToDOM(this.cm, prim.from());
+	      var end = posToDOM(this.cm, prim.to());
+	      if (!start && !end) return;
+	
+	      var view = this.cm.display.view;
+	      var old = sel.rangeCount && sel.getRangeAt(0);
+	      if (!start) {
+	        start = {node: view[0].measure.map[2], offset: 0};
+	      } else if (!end) { // FIXME dangerously hacky
+	        var measure = view[view.length - 1].measure;
+	        var map = measure.maps ? measure.maps[measure.maps.length - 1] : measure.map;
+	        end = {node: map[map.length - 1], offset: map[map.length - 2] - map[map.length - 3]};
+	      }
+	
+	      try { var rng = range(start.node, start.offset, end.offset, end.node); }
+	      catch(e) {} // Our model of the DOM might be outdated, in which case the range we try to set can be impossible
+	      if (rng) {
+	        if (!gecko && this.cm.state.focused) {
+	          sel.collapse(start.node, start.offset);
+	          if (!rng.collapsed) sel.addRange(rng);
+	        } else {
+	          sel.removeAllRanges();
+	          sel.addRange(rng);
+	        }
+	        if (old && sel.anchorNode == null) sel.addRange(old);
+	        else if (gecko) this.startGracePeriod();
+	      }
+	      this.rememberSelection();
+	    },
+	
+	    startGracePeriod: function() {
+	      var input = this;
+	      clearTimeout(this.gracePeriod);
+	      this.gracePeriod = setTimeout(function() {
+	        input.gracePeriod = false;
+	        if (input.selectionChanged())
+	          input.cm.operation(function() { input.cm.curOp.selectionChanged = true; });
+	      }, 20);
+	    },
+	
+	    showMultipleSelections: function(info) {
+	      removeChildrenAndAdd(this.cm.display.cursorDiv, info.cursors);
+	      removeChildrenAndAdd(this.cm.display.selectionDiv, info.selection);
+	    },
+	
+	    rememberSelection: function() {
+	      var sel = window.getSelection();
+	      this.lastAnchorNode = sel.anchorNode; this.lastAnchorOffset = sel.anchorOffset;
+	      this.lastFocusNode = sel.focusNode; this.lastFocusOffset = sel.focusOffset;
+	    },
+	
+	    selectionInEditor: function() {
+	      var sel = window.getSelection();
+	      if (!sel.rangeCount) return false;
+	      var node = sel.getRangeAt(0).commonAncestorContainer;
+	      return contains(this.div, node);
+	    },
+	
+	    focus: function() {
+	      if (this.cm.options.readOnly != "nocursor") this.div.focus();
+	    },
+	    blur: function() { this.div.blur(); },
+	    getField: function() { return this.div; },
+	
+	    supportsTouch: function() { return true; },
+	
+	    receivedFocus: function() {
+	      var input = this;
+	      if (this.selectionInEditor())
+	        this.pollSelection();
+	      else
+	        runInOp(this.cm, function() { input.cm.curOp.selectionChanged = true; });
+	
+	      function poll() {
+	        if (input.cm.state.focused) {
+	          input.pollSelection();
+	          input.polling.set(input.cm.options.pollInterval, poll);
+	        }
+	      }
+	      this.polling.set(this.cm.options.pollInterval, poll);
+	    },
+	
+	    selectionChanged: function() {
+	      var sel = window.getSelection();
+	      return sel.anchorNode != this.lastAnchorNode || sel.anchorOffset != this.lastAnchorOffset ||
+	        sel.focusNode != this.lastFocusNode || sel.focusOffset != this.lastFocusOffset;
+	    },
+	
+	    pollSelection: function() {
+	      if (!this.composing && !this.gracePeriod && this.selectionChanged()) {
+	        var sel = window.getSelection(), cm = this.cm;
+	        this.rememberSelection();
+	        var anchor = domToPos(cm, sel.anchorNode, sel.anchorOffset);
+	        var head = domToPos(cm, sel.focusNode, sel.focusOffset);
+	        if (anchor && head) runInOp(cm, function() {
+	          setSelection(cm.doc, simpleSelection(anchor, head), sel_dontScroll);
+	          if (anchor.bad || head.bad) cm.curOp.selectionChanged = true;
+	        });
+	      }
+	    },
+	
+	    pollContent: function() {
+	      var cm = this.cm, display = cm.display, sel = cm.doc.sel.primary();
+	      var from = sel.from(), to = sel.to();
+	      if (from.line < display.viewFrom || to.line > display.viewTo - 1) return false;
+	
+	      var fromIndex;
+	      if (from.line == display.viewFrom || (fromIndex = findViewIndex(cm, from.line)) == 0) {
+	        var fromLine = lineNo(display.view[0].line);
+	        var fromNode = display.view[0].node;
+	      } else {
+	        var fromLine = lineNo(display.view[fromIndex].line);
+	        var fromNode = display.view[fromIndex - 1].node.nextSibling;
+	      }
+	      var toIndex = findViewIndex(cm, to.line);
+	      if (toIndex == display.view.length - 1) {
+	        var toLine = display.viewTo - 1;
+	        var toNode = display.lineDiv.lastChild;
+	      } else {
+	        var toLine = lineNo(display.view[toIndex + 1].line) - 1;
+	        var toNode = display.view[toIndex + 1].node.previousSibling;
+	      }
+	
+	      var newText = cm.doc.splitLines(domTextBetween(cm, fromNode, toNode, fromLine, toLine));
+	      var oldText = getBetween(cm.doc, Pos(fromLine, 0), Pos(toLine, getLine(cm.doc, toLine).text.length));
+	      while (newText.length > 1 && oldText.length > 1) {
+	        if (lst(newText) == lst(oldText)) { newText.pop(); oldText.pop(); toLine--; }
+	        else if (newText[0] == oldText[0]) { newText.shift(); oldText.shift(); fromLine++; }
+	        else break;
+	      }
+	
+	      var cutFront = 0, cutEnd = 0;
+	      var newTop = newText[0], oldTop = oldText[0], maxCutFront = Math.min(newTop.length, oldTop.length);
+	      while (cutFront < maxCutFront && newTop.charCodeAt(cutFront) == oldTop.charCodeAt(cutFront))
+	        ++cutFront;
+	      var newBot = lst(newText), oldBot = lst(oldText);
+	      var maxCutEnd = Math.min(newBot.length - (newText.length == 1 ? cutFront : 0),
+	                               oldBot.length - (oldText.length == 1 ? cutFront : 0));
+	      while (cutEnd < maxCutEnd &&
+	             newBot.charCodeAt(newBot.length - cutEnd - 1) == oldBot.charCodeAt(oldBot.length - cutEnd - 1))
+	        ++cutEnd;
+	
+	      newText[newText.length - 1] = newBot.slice(0, newBot.length - cutEnd);
+	      newText[0] = newText[0].slice(cutFront);
+	
+	      var chFrom = Pos(fromLine, cutFront);
+	      var chTo = Pos(toLine, oldText.length ? lst(oldText).length - cutEnd : 0);
+	      if (newText.length > 1 || newText[0] || cmp(chFrom, chTo)) {
+	        replaceRange(cm.doc, newText, chFrom, chTo, "+input");
+	        return true;
+	      }
+	    },
+	
+	    ensurePolled: function() {
+	      this.forceCompositionEnd();
+	    },
+	    reset: function() {
+	      this.forceCompositionEnd();
+	    },
+	    forceCompositionEnd: function() {
+	      if (!this.composing || this.composing.handled) return;
+	      this.applyComposition(this.composing);
+	      this.composing.handled = true;
+	      this.div.blur();
+	      this.div.focus();
+	    },
+	    applyComposition: function(composing) {
+	      if (this.cm.isReadOnly())
+	        operation(this.cm, regChange)(this.cm)
+	      else if (composing.data && composing.data != composing.startData)
+	        operation(this.cm, applyTextInput)(this.cm, composing.data, 0, composing.sel);
+	    },
+	
+	    setUneditable: function(node) {
+	      node.contentEditable = "false"
+	    },
+	
+	    onKeyPress: function(e) {
+	      e.preventDefault();
+	      if (!this.cm.isReadOnly())
+	        operation(this.cm, applyTextInput)(this.cm, String.fromCharCode(e.charCode == null ? e.keyCode : e.charCode), 0);
+	    },
+	
+	    readOnlyChanged: function(val) {
+	      this.div.contentEditable = String(val != "nocursor")
+	    },
+	
+	    onContextMenu: nothing,
+	    resetPosition: nothing,
+	
+	    needsContentAttribute: true
+	  }, ContentEditableInput.prototype);
+	
+	  function posToDOM(cm, pos) {
+	    var view = findViewForLine(cm, pos.line);
+	    if (!view || view.hidden) return null;
+	    var line = getLine(cm.doc, pos.line);
+	    var info = mapFromLineView(view, line, pos.line);
+	
+	    var order = getOrder(line), side = "left";
+	    if (order) {
+	      var partPos = getBidiPartAt(order, pos.ch);
+	      side = partPos % 2 ? "right" : "left";
+	    }
+	    var result = nodeAndOffsetInLineMap(info.map, pos.ch, side);
+	    result.offset = result.collapse == "right" ? result.end : result.start;
+	    return result;
+	  }
+	
+	  function badPos(pos, bad) { if (bad) pos.bad = true; return pos; }
+	
+	  function domToPos(cm, node, offset) {
+	    var lineNode;
+	    if (node == cm.display.lineDiv) {
+	      lineNode = cm.display.lineDiv.childNodes[offset];
+	      if (!lineNode) return badPos(cm.clipPos(Pos(cm.display.viewTo - 1)), true);
+	      node = null; offset = 0;
+	    } else {
+	      for (lineNode = node;; lineNode = lineNode.parentNode) {
+	        if (!lineNode || lineNode == cm.display.lineDiv) return null;
+	        if (lineNode.parentNode && lineNode.parentNode == cm.display.lineDiv) break;
+	      }
+	    }
+	    for (var i = 0; i < cm.display.view.length; i++) {
+	      var lineView = cm.display.view[i];
+	      if (lineView.node == lineNode)
+	        return locateNodeInLineView(lineView, node, offset);
+	    }
+	  }
+	
+	  function locateNodeInLineView(lineView, node, offset) {
+	    var wrapper = lineView.text.firstChild, bad = false;
+	    if (!node || !contains(wrapper, node)) return badPos(Pos(lineNo(lineView.line), 0), true);
+	    if (node == wrapper) {
+	      bad = true;
+	      node = wrapper.childNodes[offset];
+	      offset = 0;
+	      if (!node) {
+	        var line = lineView.rest ? lst(lineView.rest) : lineView.line;
+	        return badPos(Pos(lineNo(line), line.text.length), bad);
+	      }
+	    }
+	
+	    var textNode = node.nodeType == 3 ? node : null, topNode = node;
+	    if (!textNode && node.childNodes.length == 1 && node.firstChild.nodeType == 3) {
+	      textNode = node.firstChild;
+	      if (offset) offset = textNode.nodeValue.length;
+	    }
+	    while (topNode.parentNode != wrapper) topNode = topNode.parentNode;
+	    var measure = lineView.measure, maps = measure.maps;
+	
+	    function find(textNode, topNode, offset) {
+	      for (var i = -1; i < (maps ? maps.length : 0); i++) {
+	        var map = i < 0 ? measure.map : maps[i];
+	        for (var j = 0; j < map.length; j += 3) {
+	          var curNode = map[j + 2];
+	          if (curNode == textNode || curNode == topNode) {
+	            var line = lineNo(i < 0 ? lineView.line : lineView.rest[i]);
+	            var ch = map[j] + offset;
+	            if (offset < 0 || curNode != textNode) ch = map[j + (offset ? 1 : 0)];
+	            return Pos(line, ch);
+	          }
+	        }
+	      }
+	    }
+	    var found = find(textNode, topNode, offset);
+	    if (found) return badPos(found, bad);
+	
+	    // FIXME this is all really shaky. might handle the few cases it needs to handle, but likely to cause problems
+	    for (var after = topNode.nextSibling, dist = textNode ? textNode.nodeValue.length - offset : 0; after; after = after.nextSibling) {
+	      found = find(after, after.firstChild, 0);
+	      if (found)
+	        return badPos(Pos(found.line, found.ch - dist), bad);
+	      else
+	        dist += after.textContent.length;
+	    }
+	    for (var before = topNode.previousSibling, dist = offset; before; before = before.previousSibling) {
+	      found = find(before, before.firstChild, -1);
+	      if (found)
+	        return badPos(Pos(found.line, found.ch + dist), bad);
+	      else
+	        dist += before.textContent.length;
+	    }
+	  }
+	
+	  function domTextBetween(cm, from, to, fromLine, toLine) {
+	    var text = "", closing = false, lineSep = cm.doc.lineSeparator();
+	    function recognizeMarker(id) { return function(marker) { return marker.id == id; }; }
+	    function walk(node) {
+	      if (node.nodeType == 1) {
+	        var cmText = node.getAttribute("cm-text");
+	        if (cmText != null) {
+	          if (cmText == "") cmText = node.textContent.replace(/\u200b/g, "");
+	          text += cmText;
+	          return;
+	        }
+	        var markerID = node.getAttribute("cm-marker"), range;
+	        if (markerID) {
+	          var found = cm.findMarks(Pos(fromLine, 0), Pos(toLine + 1, 0), recognizeMarker(+markerID));
+	          if (found.length && (range = found[0].find()))
+	            text += getBetween(cm.doc, range.from, range.to).join(lineSep);
+	          return;
+	        }
+	        if (node.getAttribute("contenteditable") == "false") return;
+	        for (var i = 0; i < node.childNodes.length; i++)
+	          walk(node.childNodes[i]);
+	        if (/^(pre|div|p)$/i.test(node.nodeName))
+	          closing = true;
+	      } else if (node.nodeType == 3) {
+	        var val = node.nodeValue;
+	        if (!val) return;
+	        if (closing) {
+	          text += lineSep;
+	          closing = false;
+	        }
+	        text += val;
+	      }
+	    }
+	    for (;;) {
+	      walk(from);
+	      if (from == to) break;
+	      from = from.nextSibling;
+	    }
+	    return text;
+	  }
+	
+	  CodeMirror.inputStyles = {"textarea": TextareaInput, "contenteditable": ContentEditableInput};
+	
+	  // SELECTION / CURSOR
+	
+	  // Selection objects are immutable. A new one is created every time
+	  // the selection changes. A selection is one or more non-overlapping
+	  // (and non-touching) ranges, sorted, and an integer that indicates
+	  // which one is the primary selection (the one that's scrolled into
+	  // view, that getCursor returns, etc).
+	  function Selection(ranges, primIndex) {
+	    this.ranges = ranges;
+	    this.primIndex = primIndex;
+	  }
+	
+	  Selection.prototype = {
+	    primary: function() { return this.ranges[this.primIndex]; },
+	    equals: function(other) {
+	      if (other == this) return true;
+	      if (other.primIndex != this.primIndex || other.ranges.length != this.ranges.length) return false;
+	      for (var i = 0; i < this.ranges.length; i++) {
+	        var here = this.ranges[i], there = other.ranges[i];
+	        if (cmp(here.anchor, there.anchor) != 0 || cmp(here.head, there.head) != 0) return false;
+	      }
+	      return true;
+	    },
+	    deepCopy: function() {
+	      for (var out = [], i = 0; i < this.ranges.length; i++)
+	        out[i] = new Range(copyPos(this.ranges[i].anchor), copyPos(this.ranges[i].head));
+	      return new Selection(out, this.primIndex);
+	    },
+	    somethingSelected: function() {
+	      for (var i = 0; i < this.ranges.length; i++)
+	        if (!this.ranges[i].empty()) return true;
+	      return false;
+	    },
+	    contains: function(pos, end) {
+	      if (!end) end = pos;
+	      for (var i = 0; i < this.ranges.length; i++) {
+	        var range = this.ranges[i];
+	        if (cmp(end, range.from()) >= 0 && cmp(pos, range.to()) <= 0)
+	          return i;
+	      }
+	      return -1;
+	    }
+	  };
+	
+	  function Range(anchor, head) {
+	    this.anchor = anchor; this.head = head;
+	  }
+	
+	  Range.prototype = {
+	    from: function() { return minPos(this.anchor, this.head); },
+	    to: function() { return maxPos(this.anchor, this.head); },
+	    empty: function() {
+	      return this.head.line == this.anchor.line && this.head.ch == this.anchor.ch;
+	    }
+	  };
+	
+	  // Take an unsorted, potentially overlapping set of ranges, and
+	  // build a selection out of it. 'Consumes' ranges array (modifying
+	  // it).
+	  function normalizeSelection(ranges, primIndex) {
+	    var prim = ranges[primIndex];
+	    ranges.sort(function(a, b) { return cmp(a.from(), b.from()); });
+	    primIndex = indexOf(ranges, prim);
+	    for (var i = 1; i < ranges.length; i++) {
+	      var cur = ranges[i], prev = ranges[i - 1];
+	      if (cmp(prev.to(), cur.from()) >= 0) {
+	        var from = minPos(prev.from(), cur.from()), to = maxPos(prev.to(), cur.to());
+	        var inv = prev.empty() ? cur.from() == cur.head : prev.from() == prev.head;
+	        if (i <= primIndex) --primIndex;
+	        ranges.splice(--i, 2, new Range(inv ? to : from, inv ? from : to));
+	      }
+	    }
+	    return new Selection(ranges, primIndex);
+	  }
+	
+	  function simpleSelection(anchor, head) {
+	    return new Selection([new Range(anchor, head || anchor)], 0);
+	  }
+	
+	  // Most of the external API clips given positions to make sure they
+	  // actually exist within the document.
+	  function clipLine(doc, n) {return Math.max(doc.first, Math.min(n, doc.first + doc.size - 1));}
+	  function clipPos(doc, pos) {
+	    if (pos.line < doc.first) return Pos(doc.first, 0);
+	    var last = doc.first + doc.size - 1;
+	    if (pos.line > last) return Pos(last, getLine(doc, last).text.length);
+	    return clipToLen(pos, getLine(doc, pos.line).text.length);
+	  }
+	  function clipToLen(pos, linelen) {
+	    var ch = pos.ch;
+	    if (ch == null || ch > linelen) return Pos(pos.line, linelen);
+	    else if (ch < 0) return Pos(pos.line, 0);
+	    else return pos;
+	  }
+	  function isLine(doc, l) {return l >= doc.first && l < doc.first + doc.size;}
+	  function clipPosArray(doc, array) {
+	    for (var out = [], i = 0; i < array.length; i++) out[i] = clipPos(doc, array[i]);
+	    return out;
+	  }
+	
+	  // SELECTION UPDATES
+	
+	  // The 'scroll' parameter given to many of these indicated whether
+	  // the new cursor position should be scrolled into view after
+	  // modifying the selection.
+	
+	  // If shift is held or the extend flag is set, extends a range to
+	  // include a given position (and optionally a second position).
+	  // Otherwise, simply returns the range between the given positions.
+	  // Used for cursor motion and such.
+	  function extendRange(doc, range, head, other) {
+	    if (doc.cm && doc.cm.display.shift || doc.extend) {
+	      var anchor = range.anchor;
+	      if (other) {
+	        var posBefore = cmp(head, anchor) < 0;
+	        if (posBefore != (cmp(other, anchor) < 0)) {
+	          anchor = head;
+	          head = other;
+	        } else if (posBefore != (cmp(head, other) < 0)) {
+	          head = other;
+	        }
+	      }
+	      return new Range(anchor, head);
+	    } else {
+	      return new Range(other || head, head);
+	    }
+	  }
+	
+	  // Extend the primary selection range, discard the rest.
+	  function extendSelection(doc, head, other, options) {
+	    setSelection(doc, new Selection([extendRange(doc, doc.sel.primary(), head, other)], 0), options);
+	  }
+	
+	  // Extend all selections (pos is an array of selections with length
+	  // equal the number of selections)
+	  function extendSelections(doc, heads, options) {
+	    for (var out = [], i = 0; i < doc.sel.ranges.length; i++)
+	      out[i] = extendRange(doc, doc.sel.ranges[i], heads[i], null);
+	    var newSel = normalizeSelection(out, doc.sel.primIndex);
+	    setSelection(doc, newSel, options);
+	  }
+	
+	  // Updates a single range in the selection.
+	  function replaceOneSelection(doc, i, range, options) {
+	    var ranges = doc.sel.ranges.slice(0);
+	    ranges[i] = range;
+	    setSelection(doc, normalizeSelection(ranges, doc.sel.primIndex), options);
+	  }
+	
+	  // Reset the selection to a single range.
+	  function setSimpleSelection(doc, anchor, head, options) {
+	    setSelection(doc, simpleSelection(anchor, head), options);
+	  }
+	
+	  // Give beforeSelectionChange handlers a change to influence a
+	  // selection update.
+	  function filterSelectionChange(doc, sel, options) {
+	    var obj = {
+	      ranges: sel.ranges,
+	      update: function(ranges) {
+	        this.ranges = [];
+	        for (var i = 0; i < ranges.length; i++)
+	          this.ranges[i] = new Range(clipPos(doc, ranges[i].anchor),
+	                                     clipPos(doc, ranges[i].head));
+	      },
+	      origin: options && options.origin
+	    };
+	    signal(doc, "beforeSelectionChange", doc, obj);
+	    if (doc.cm) signal(doc.cm, "beforeSelectionChange", doc.cm, obj);
+	    if (obj.ranges != sel.ranges) return normalizeSelection(obj.ranges, obj.ranges.length - 1);
+	    else return sel;
+	  }
+	
+	  function setSelectionReplaceHistory(doc, sel, options) {
+	    var done = doc.history.done, last = lst(done);
+	    if (last && last.ranges) {
+	      done[done.length - 1] = sel;
+	      setSelectionNoUndo(doc, sel, options);
+	    } else {
+	      setSelection(doc, sel, options);
+	    }
+	  }
+	
+	  // Set a new selection.
+	  function setSelection(doc, sel, options) {
+	    setSelectionNoUndo(doc, sel, options);
+	    addSelectionToHistory(doc, doc.sel, doc.cm ? doc.cm.curOp.id : NaN, options);
+	  }
+	
+	  function setSelectionNoUndo(doc, sel, options) {
+	    if (hasHandler(doc, "beforeSelectionChange") || doc.cm && hasHandler(doc.cm, "beforeSelectionChange"))
+	      sel = filterSelectionChange(doc, sel, options);
+	
+	    var bias = options && options.bias ||
+	      (cmp(sel.primary().head, doc.sel.primary().head) < 0 ? -1 : 1);
+	    setSelectionInner(doc, skipAtomicInSelection(doc, sel, bias, true));
+	
+	    if (!(options && options.scroll === false) && doc.cm)
+	      ensureCursorVisible(doc.cm);
+	  }
+	
+	  function setSelectionInner(doc, sel) {
+	    if (sel.equals(doc.sel)) return;
+	
+	    doc.sel = sel;
+	
+	    if (doc.cm) {
+	      doc.cm.curOp.updateInput = doc.cm.curOp.selectionChanged = true;
+	      signalCursorActivity(doc.cm);
+	    }
+	    signalLater(doc, "cursorActivity", doc);
+	  }
+	
+	  // Verify that the selection does not partially select any atomic
+	  // marked ranges.
+	  function reCheckSelection(doc) {
+	    setSelectionInner(doc, skipAtomicInSelection(doc, doc.sel, null, false), sel_dontScroll);
+	  }
+	
+	  // Return a selection that does not partially select any atomic
+	  // ranges.
+	  function skipAtomicInSelection(doc, sel, bias, mayClear) {
+	    var out;
+	    for (var i = 0; i < sel.ranges.length; i++) {
+	      var range = sel.ranges[i];
+	      var old = sel.ranges.length == doc.sel.ranges.length && doc.sel.ranges[i];
+	      var newAnchor = skipAtomic(doc, range.anchor, old && old.anchor, bias, mayClear);
+	      var newHead = skipAtomic(doc, range.head, old && old.head, bias, mayClear);
+	      if (out || newAnchor != range.anchor || newHead != range.head) {
+	        if (!out) out = sel.ranges.slice(0, i);
+	        out[i] = new Range(newAnchor, newHead);
+	      }
+	    }
+	    return out ? normalizeSelection(out, sel.primIndex) : sel;
+	  }
+	
+	  function skipAtomicInner(doc, pos, oldPos, dir, mayClear) {
+	    var line = getLine(doc, pos.line);
+	    if (line.markedSpans) for (var i = 0; i < line.markedSpans.length; ++i) {
+	      var sp = line.markedSpans[i], m = sp.marker;
+	      if ((sp.from == null || (m.inclusiveLeft ? sp.from <= pos.ch : sp.from < pos.ch)) &&
+	          (sp.to == null || (m.inclusiveRight ? sp.to >= pos.ch : sp.to > pos.ch))) {
+	        if (mayClear) {
+	          signal(m, "beforeCursorEnter");
+	          if (m.explicitlyCleared) {
+	            if (!line.markedSpans) break;
+	            else {--i; continue;}
+	          }
+	        }
+	        if (!m.atomic) continue;
+	
+	        if (oldPos) {
+	          var near = m.find(dir < 0 ? 1 : -1), diff;
+	          if (dir < 0 ? m.inclusiveRight : m.inclusiveLeft)
+	            near = movePos(doc, near, -dir, near && near.line == pos.line ? line : null);
+	          if (near && near.line == pos.line && (diff = cmp(near, oldPos)) && (dir < 0 ? diff < 0 : diff > 0))
+	            return skipAtomicInner(doc, near, pos, dir, mayClear);
+	        }
+	
+	        var far = m.find(dir < 0 ? -1 : 1);
+	        if (dir < 0 ? m.inclusiveLeft : m.inclusiveRight)
+	          far = movePos(doc, far, dir, far.line == pos.line ? line : null);
+	        return far ? skipAtomicInner(doc, far, pos, dir, mayClear) : null;
+	      }
+	    }
+	    return pos;
+	  }
+	
+	  // Ensure a given position is not inside an atomic range.
+	  function skipAtomic(doc, pos, oldPos, bias, mayClear) {
+	    var dir = bias || 1;
+	    var found = skipAtomicInner(doc, pos, oldPos, dir, mayClear) ||
+	        (!mayClear && skipAtomicInner(doc, pos, oldPos, dir, true)) ||
+	        skipAtomicInner(doc, pos, oldPos, -dir, mayClear) ||
+	        (!mayClear && skipAtomicInner(doc, pos, oldPos, -dir, true));
+	    if (!found) {
+	      doc.cantEdit = true;
+	      return Pos(doc.first, 0);
+	    }
+	    return found;
+	  }
+	
+	  function movePos(doc, pos, dir, line) {
+	    if (dir < 0 && pos.ch == 0) {
+	      if (pos.line > doc.first) return clipPos(doc, Pos(pos.line - 1));
+	      else return null;
+	    } else if (dir > 0 && pos.ch == (line || getLine(doc, pos.line)).text.length) {
+	      if (pos.line < doc.first + doc.size - 1) return Pos(pos.line + 1, 0);
+	      else return null;
+	    } else {
+	      return new Pos(pos.line, pos.ch + dir);
+	    }
+	  }
+	
+	  // SELECTION DRAWING
+	
+	  function updateSelection(cm) {
+	    cm.display.input.showSelection(cm.display.input.prepareSelection());
+	  }
+	
+	  function prepareSelection(cm, primary) {
+	    var doc = cm.doc, result = {};
+	    var curFragment = result.cursors = document.createDocumentFragment();
+	    var selFragment = result.selection = document.createDocumentFragment();
+	
+	    for (var i = 0; i < doc.sel.ranges.length; i++) {
+	      if (primary === false && i == doc.sel.primIndex) continue;
+	      var range = doc.sel.ranges[i];
+	      if (range.from().line >= cm.display.viewTo || range.to().line < cm.display.viewFrom) continue;
+	      var collapsed = range.empty();
+	      if (collapsed || cm.options.showCursorWhenSelecting)
+	        drawSelectionCursor(cm, range.head, curFragment);
+	      if (!collapsed)
+	        drawSelectionRange(cm, range, selFragment);
+	    }
+	    return result;
+	  }
+	
+	  // Draws a cursor for the given range
+	  function drawSelectionCursor(cm, head, output) {
+	    var pos = cursorCoords(cm, head, "div", null, null, !cm.options.singleCursorHeightPerLine);
+	
+	    var cursor = output.appendChild(elt("div", "\u00a0", "CodeMirror-cursor"));
+	    cursor.style.left = pos.left + "px";
+	    cursor.style.top = pos.top + "px";
+	    cursor.style.height = Math.max(0, pos.bottom - pos.top) * cm.options.cursorHeight + "px";
+	
+	    if (pos.other) {
+	      // Secondary cursor, shown when on a 'jump' in bi-directional text
+	      var otherCursor = output.appendChild(elt("div", "\u00a0", "CodeMirror-cursor CodeMirror-secondarycursor"));
+	      otherCursor.style.display = "";
+	      otherCursor.style.left = pos.other.left + "px";
+	      otherCursor.style.top = pos.other.top + "px";
+	      otherCursor.style.height = (pos.other.bottom - pos.other.top) * .85 + "px";
+	    }
+	  }
+	
+	  // Draws the given range as a highlighted selection
+	  function drawSelectionRange(cm, range, output) {
+	    var display = cm.display, doc = cm.doc;
+	    var fragment = document.createDocumentFragment();
+	    var padding = paddingH(cm.display), leftSide = padding.left;
+	    var rightSide = Math.max(display.sizerWidth, displayWidth(cm) - display.sizer.offsetLeft) - padding.right;
+	
+	    function add(left, top, width, bottom) {
+	      if (top < 0) top = 0;
+	      top = Math.round(top);
+	      bottom = Math.round(bottom);
+	      fragment.appendChild(elt("div", null, "CodeMirror-selected", "position: absolute; left: " + left +
+	                               "px; top: " + top + "px; width: " + (width == null ? rightSide - left : width) +
+	                               "px; height: " + (bottom - top) + "px"));
+	    }
+	
+	    function drawForLine(line, fromArg, toArg) {
+	      var lineObj = getLine(doc, line);
+	      var lineLen = lineObj.text.length;
+	      var start, end;
+	      function coords(ch, bias) {
+	        return charCoords(cm, Pos(line, ch), "div", lineObj, bias);
+	      }
+	
+	      iterateBidiSections(getOrder(lineObj), fromArg || 0, toArg == null ? lineLen : toArg, function(from, to, dir) {
+	        var leftPos = coords(from, "left"), rightPos, left, right;
+	        if (from == to) {
+	          rightPos = leftPos;
+	          left = right = leftPos.left;
+	        } else {
+	          rightPos = coords(to - 1, "right");
+	          if (dir == "rtl") { var tmp = leftPos; leftPos = rightPos; rightPos = tmp; }
+	          left = leftPos.left;
+	          right = rightPos.right;
+	        }
+	        if (fromArg == null && from == 0) left = leftSide;
+	        if (rightPos.top - leftPos.top > 3) { // Different lines, draw top part
+	          add(left, leftPos.top, null, leftPos.bottom);
+	          left = leftSide;
+	          if (leftPos.bottom < rightPos.top) add(left, leftPos.bottom, null, rightPos.top);
+	        }
+	        if (toArg == null && to == lineLen) right = rightSide;
+	        if (!start || leftPos.top < start.top || leftPos.top == start.top && leftPos.left < start.left)
+	          start = leftPos;
+	        if (!end || rightPos.bottom > end.bottom || rightPos.bottom == end.bottom && rightPos.right > end.right)
+	          end = rightPos;
+	        if (left < leftSide + 1) left = leftSide;
+	        add(left, rightPos.top, right - left, rightPos.bottom);
+	      });
+	      return {start: start, end: end};
+	    }
+	
+	    var sFrom = range.from(), sTo = range.to();
+	    if (sFrom.line == sTo.line) {
+	      drawForLine(sFrom.line, sFrom.ch, sTo.ch);
+	    } else {
+	      var fromLine = getLine(doc, sFrom.line), toLine = getLine(doc, sTo.line);
+	      var singleVLine = visualLine(fromLine) == visualLine(toLine);
+	      var leftEnd = drawForLine(sFrom.line, sFrom.ch, singleVLine ? fromLine.text.length + 1 : null).end;
+	      var rightStart = drawForLine(sTo.line, singleVLine ? 0 : null, sTo.ch).start;
+	      if (singleVLine) {
+	        if (leftEnd.top < rightStart.top - 2) {
+	          add(leftEnd.right, leftEnd.top, null, leftEnd.bottom);
+	          add(leftSide, rightStart.top, rightStart.left, rightStart.bottom);
+	        } else {
+	          add(leftEnd.right, leftEnd.top, rightStart.left - leftEnd.right, leftEnd.bottom);
+	        }
+	      }
+	      if (leftEnd.bottom < rightStart.top)
+	        add(leftSide, leftEnd.bottom, null, rightStart.top);
+	    }
+	
+	    output.appendChild(fragment);
+	  }
+	
+	  // Cursor-blinking
+	  function restartBlink(cm) {
+	    if (!cm.state.focused) return;
+	    var display = cm.display;
+	    clearInterval(display.blinker);
+	    var on = true;
+	    display.cursorDiv.style.visibility = "";
+	    if (cm.options.cursorBlinkRate > 0)
+	      display.blinker = setInterval(function() {
+	        display.cursorDiv.style.visibility = (on = !on) ? "" : "hidden";
+	      }, cm.options.cursorBlinkRate);
+	    else if (cm.options.cursorBlinkRate < 0)
+	      display.cursorDiv.style.visibility = "hidden";
+	  }
+	
+	  // HIGHLIGHT WORKER
+	
+	  function startWorker(cm, time) {
+	    if (cm.doc.mode.startState && cm.doc.frontier < cm.display.viewTo)
+	      cm.state.highlight.set(time, bind(highlightWorker, cm));
+	  }
+	
+	  function highlightWorker(cm) {
+	    var doc = cm.doc;
+	    if (doc.frontier < doc.first) doc.frontier = doc.first;
+	    if (doc.frontier >= cm.display.viewTo) return;
+	    var end = +new Date + cm.options.workTime;
+	    var state = copyState(doc.mode, getStateBefore(cm, doc.frontier));
+	    var changedLines = [];
+	
+	    doc.iter(doc.frontier, Math.min(doc.first + doc.size, cm.display.viewTo + 500), function(line) {
+	      if (doc.frontier >= cm.display.viewFrom) { // Visible
+	        var oldStyles = line.styles, tooLong = line.text.length > cm.options.maxHighlightLength;
+	        var highlighted = highlightLine(cm, line, tooLong ? copyState(doc.mode, state) : state, true);
+	        line.styles = highlighted.styles;
+	        var oldCls = line.styleClasses, newCls = highlighted.classes;
+	        if (newCls) line.styleClasses = newCls;
+	        else if (oldCls) line.styleClasses = null;
+	        var ischange = !oldStyles || oldStyles.length != line.styles.length ||
+	          oldCls != newCls && (!oldCls || !newCls || oldCls.bgClass != newCls.bgClass || oldCls.textClass != newCls.textClass);
+	        for (var i = 0; !ischange && i < oldStyles.length; ++i) ischange = oldStyles[i] != line.styles[i];
+	        if (ischange) changedLines.push(doc.frontier);
+	        line.stateAfter = tooLong ? state : copyState(doc.mode, state);
+	      } else {
+	        if (line.text.length <= cm.options.maxHighlightLength)
+	          processLine(cm, line.text, state);
+	        line.stateAfter = doc.frontier % 5 == 0 ? copyState(doc.mode, state) : null;
+	      }
+	      ++doc.frontier;
+	      if (+new Date > end) {
+	        startWorker(cm, cm.options.workDelay);
+	        return true;
+	      }
+	    });
+	    if (changedLines.length) runInOp(cm, function() {
+	      for (var i = 0; i < changedLines.length; i++)
+	        regLineChange(cm, changedLines[i], "text");
+	    });
+	  }
+	
+	  // Finds the line to start with when starting a parse. Tries to
+	  // find a line with a stateAfter, so that it can start with a
+	  // valid state. If that fails, it returns the line with the
+	  // smallest indentation, which tends to need the least context to
+	  // parse correctly.
+	  function findStartLine(cm, n, precise) {
+	    var minindent, minline, doc = cm.doc;
+	    var lim = precise ? -1 : n - (cm.doc.mode.innerMode ? 1000 : 100);
+	    for (var search = n; search > lim; --search) {
+	      if (search <= doc.first) return doc.first;
+	      var line = getLine(doc, search - 1);
+	      if (line.stateAfter && (!precise || search <= doc.frontier)) return search;
+	      var indented = countColumn(line.text, null, cm.options.tabSize);
+	      if (minline == null || minindent > indented) {
+	        minline = search - 1;
+	        minindent = indented;
+	      }
+	    }
+	    return minline;
+	  }
+	
+	  function getStateBefore(cm, n, precise) {
+	    var doc = cm.doc, display = cm.display;
+	    if (!doc.mode.startState) return true;
+	    var pos = findStartLine(cm, n, precise), state = pos > doc.first && getLine(doc, pos-1).stateAfter;
+	    if (!state) state = startState(doc.mode);
+	    else state = copyState(doc.mode, state);
+	    doc.iter(pos, n, function(line) {
+	      processLine(cm, line.text, state);
+	      var save = pos == n - 1 || pos % 5 == 0 || pos >= display.viewFrom && pos < display.viewTo;
+	      line.stateAfter = save ? copyState(doc.mode, state) : null;
+	      ++pos;
+	    });
+	    if (precise) doc.frontier = pos;
+	    return state;
+	  }
+	
+	  // POSITION MEASUREMENT
+	
+	  function paddingTop(display) {return display.lineSpace.offsetTop;}
+	  function paddingVert(display) {return display.mover.offsetHeight - display.lineSpace.offsetHeight;}
+	  function paddingH(display) {
+	    if (display.cachedPaddingH) return display.cachedPaddingH;
+	    var e = removeChildrenAndAdd(display.measure, elt("pre", "x"));
+	    var style = window.getComputedStyle ? window.getComputedStyle(e) : e.currentStyle;
+	    var data = {left: parseInt(style.paddingLeft), right: parseInt(style.paddingRight)};
+	    if (!isNaN(data.left) && !isNaN(data.right)) display.cachedPaddingH = data;
+	    return data;
+	  }
+	
+	  function scrollGap(cm) { return scrollerGap - cm.display.nativeBarWidth; }
+	  function displayWidth(cm) {
+	    return cm.display.scroller.clientWidth - scrollGap(cm) - cm.display.barWidth;
+	  }
+	  function displayHeight(cm) {
+	    return cm.display.scroller.clientHeight - scrollGap(cm) - cm.display.barHeight;
+	  }
+	
+	  // Ensure the lineView.wrapping.heights array is populated. This is
+	  // an array of bottom offsets for the lines that make up a drawn
+	  // line. When lineWrapping is on, there might be more than one
+	  // height.
+	  function ensureLineHeights(cm, lineView, rect) {
+	    var wrapping = cm.options.lineWrapping;
+	    var curWidth = wrapping && displayWidth(cm);
+	    if (!lineView.measure.heights || wrapping && lineView.measure.width != curWidth) {
+	      var heights = lineView.measure.heights = [];
+	      if (wrapping) {
+	        lineView.measure.width = curWidth;
+	        var rects = lineView.text.firstChild.getClientRects();
+	        for (var i = 0; i < rects.length - 1; i++) {
+	          var cur = rects[i], next = rects[i + 1];
+	          if (Math.abs(cur.bottom - next.bottom) > 2)
+	            heights.push((cur.bottom + next.top) / 2 - rect.top);
+	        }
+	      }
+	      heights.push(rect.bottom - rect.top);
+	    }
+	  }
+	
+	  // Find a line map (mapping character offsets to text nodes) and a
+	  // measurement cache for the given line number. (A line view might
+	  // contain multiple lines when collapsed ranges are present.)
+	  function mapFromLineView(lineView, line, lineN) {
+	    if (lineView.line == line)
+	      return {map: lineView.measure.map, cache: lineView.measure.cache};
+	    for (var i = 0; i < lineView.rest.length; i++)
+	      if (lineView.rest[i] == line)
+	        return {map: lineView.measure.maps[i], cache: lineView.measure.caches[i]};
+	    for (var i = 0; i < lineView.rest.length; i++)
+	      if (lineNo(lineView.rest[i]) > lineN)
+	        return {map: lineView.measure.maps[i], cache: lineView.measure.caches[i], before: true};
+	  }
+	
+	  // Render a line into the hidden node display.externalMeasured. Used
+	  // when measurement is needed for a line that's not in the viewport.
+	  function updateExternalMeasurement(cm, line) {
+	    line = visualLine(line);
+	    var lineN = lineNo(line);
+	    var view = cm.display.externalMeasured = new LineView(cm.doc, line, lineN);
+	    view.lineN = lineN;
+	    var built = view.built = buildLineContent(cm, view);
+	    view.text = built.pre;
+	    removeChildrenAndAdd(cm.display.lineMeasure, built.pre);
+	    return view;
+	  }
+	
+	  // Get a {top, bottom, left, right} box (in line-local coordinates)
+	  // for a given character.
+	  function measureChar(cm, line, ch, bias) {
+	    return measureCharPrepared(cm, prepareMeasureForLine(cm, line), ch, bias);
+	  }
+	
+	  // Find a line view that corresponds to the given line number.
+	  function findViewForLine(cm, lineN) {
+	    if (lineN >= cm.display.viewFrom && lineN < cm.display.viewTo)
+	      return cm.display.view[findViewIndex(cm, lineN)];
+	    var ext = cm.display.externalMeasured;
+	    if (ext && lineN >= ext.lineN && lineN < ext.lineN + ext.size)
+	      return ext;
+	  }
+	
+	  // Measurement can be split in two steps, the set-up work that
+	  // applies to the whole line, and the measurement of the actual
+	  // character. Functions like coordsChar, that need to do a lot of
+	  // measurements in a row, can thus ensure that the set-up work is
+	  // only done once.
+	  function prepareMeasureForLine(cm, line) {
+	    var lineN = lineNo(line);
+	    var view = findViewForLine(cm, lineN);
+	    if (view && !view.text) {
+	      view = null;
+	    } else if (view && view.changes) {
+	      updateLineForChanges(cm, view, lineN, getDimensions(cm));
+	      cm.curOp.forceUpdate = true;
+	    }
+	    if (!view)
+	      view = updateExternalMeasurement(cm, line);
+	
+	    var info = mapFromLineView(view, line, lineN);
+	    return {
+	      line: line, view: view, rect: null,
+	      map: info.map, cache: info.cache, before: info.before,
+	      hasHeights: false
+	    };
+	  }
+	
+	  // Given a prepared measurement object, measures the position of an
+	  // actual character (or fetches it from the cache).
+	  function measureCharPrepared(cm, prepared, ch, bias, varHeight) {
+	    if (prepared.before) ch = -1;
+	    var key = ch + (bias || ""), found;
+	    if (prepared.cache.hasOwnProperty(key)) {
+	      found = prepared.cache[key];
+	    } else {
+	      if (!prepared.rect)
+	        prepared.rect = prepared.view.text.getBoundingClientRect();
+	      if (!prepared.hasHeights) {
+	        ensureLineHeights(cm, prepared.view, prepared.rect);
+	        prepared.hasHeights = true;
+	      }
+	      found = measureCharInner(cm, prepared, ch, bias);
+	      if (!found.bogus) prepared.cache[key] = found;
+	    }
+	    return {left: found.left, right: found.right,
+	            top: varHeight ? found.rtop : found.top,
+	            bottom: varHeight ? found.rbottom : found.bottom};
+	  }
+	
+	  var nullRect = {left: 0, right: 0, top: 0, bottom: 0};
+	
+	  function nodeAndOffsetInLineMap(map, ch, bias) {
+	    var node, start, end, collapse;
+	    // First, search the line map for the text node corresponding to,
+	    // or closest to, the target character.
+	    for (var i = 0; i < map.length; i += 3) {
+	      var mStart = map[i], mEnd = map[i + 1];
+	      if (ch < mStart) {
+	        start = 0; end = 1;
+	        collapse = "left";
+	      } else if (ch < mEnd) {
+	        start = ch - mStart;
+	        end = start + 1;
+	      } else if (i == map.length - 3 || ch == mEnd && map[i + 3] > ch) {
+	        end = mEnd - mStart;
+	        start = end - 1;
+	        if (ch >= mEnd) collapse = "right";
+	      }
+	      if (start != null) {
+	        node = map[i + 2];
+	        if (mStart == mEnd && bias == (node.insertLeft ? "left" : "right"))
+	          collapse = bias;
+	        if (bias == "left" && start == 0)
+	          while (i && map[i - 2] == map[i - 3] && map[i - 1].insertLeft) {
+	            node = map[(i -= 3) + 2];
+	            collapse = "left";
+	          }
+	        if (bias == "right" && start == mEnd - mStart)
+	          while (i < map.length - 3 && map[i + 3] == map[i + 4] && !map[i + 5].insertLeft) {
+	            node = map[(i += 3) + 2];
+	            collapse = "right";
+	          }
+	        break;
+	      }
+	    }
+	    return {node: node, start: start, end: end, collapse: collapse, coverStart: mStart, coverEnd: mEnd};
+	  }
+	
+	  function getUsefulRect(rects, bias) {
+	    var rect = nullRect
+	    if (bias == "left") for (var i = 0; i < rects.length; i++) {
+	      if ((rect = rects[i]).left != rect.right) break
+	    } else for (var i = rects.length - 1; i >= 0; i--) {
+	      if ((rect = rects[i]).left != rect.right) break
+	    }
+	    return rect
+	  }
+	
+	  function measureCharInner(cm, prepared, ch, bias) {
+	    var place = nodeAndOffsetInLineMap(prepared.map, ch, bias);
+	    var node = place.node, start = place.start, end = place.end, collapse = place.collapse;
+	
+	    var rect;
+	    if (node.nodeType == 3) { // If it is a text node, use a range to retrieve the coordinates.
+	      for (var i = 0; i < 4; i++) { // Retry a maximum of 4 times when nonsense rectangles are returned
+	        while (start && isExtendingChar(prepared.line.text.charAt(place.coverStart + start))) --start;
+	        while (place.coverStart + end < place.coverEnd && isExtendingChar(prepared.line.text.charAt(place.coverStart + end))) ++end;
+	        if (ie && ie_version < 9 && start == 0 && end == place.coverEnd - place.coverStart)
+	          rect = node.parentNode.getBoundingClientRect();
+	        else
+	          rect = getUsefulRect(range(node, start, end).getClientRects(), bias)
+	        if (rect.left || rect.right || start == 0) break;
+	        end = start;
+	        start = start - 1;
+	        collapse = "right";
+	      }
+	      if (ie && ie_version < 11) rect = maybeUpdateRectForZooming(cm.display.measure, rect);
+	    } else { // If it is a widget, simply get the box for the whole widget.
+	      if (start > 0) collapse = bias = "right";
+	      var rects;
+	      if (cm.options.lineWrapping && (rects = node.getClientRects()).length > 1)
+	        rect = rects[bias == "right" ? rects.length - 1 : 0];
+	      else
+	        rect = node.getBoundingClientRect();
+	    }
+	    if (ie && ie_version < 9 && !start && (!rect || !rect.left && !rect.right)) {
+	      var rSpan = node.parentNode.getClientRects()[0];
+	      if (rSpan)
+	        rect = {left: rSpan.left, right: rSpan.left + charWidth(cm.display), top: rSpan.top, bottom: rSpan.bottom};
+	      else
+	        rect = nullRect;
+	    }
+	
+	    var rtop = rect.top - prepared.rect.top, rbot = rect.bottom - prepared.rect.top;
+	    var mid = (rtop + rbot) / 2;
+	    var heights = prepared.view.measure.heights;
+	    for (var i = 0; i < heights.length - 1; i++)
+	      if (mid < heights[i]) break;
+	    var top = i ? heights[i - 1] : 0, bot = heights[i];
+	    var result = {left: (collapse == "right" ? rect.right : rect.left) - prepared.rect.left,
+	                  right: (collapse == "left" ? rect.left : rect.right) - prepared.rect.left,
+	                  top: top, bottom: bot};
+	    if (!rect.left && !rect.right) result.bogus = true;
+	    if (!cm.options.singleCursorHeightPerLine) { result.rtop = rtop; result.rbottom = rbot; }
+	
+	    return result;
+	  }
+	
+	  // Work around problem with bounding client rects on ranges being
+	  // returned incorrectly when zoomed on IE10 and below.
+	  function maybeUpdateRectForZooming(measure, rect) {
+	    if (!window.screen || screen.logicalXDPI == null ||
+	        screen.logicalXDPI == screen.deviceXDPI || !hasBadZoomedRects(measure))
+	      return rect;
+	    var scaleX = screen.logicalXDPI / screen.deviceXDPI;
+	    var scaleY = screen.logicalYDPI / screen.deviceYDPI;
+	    return {left: rect.left * scaleX, right: rect.right * scaleX,
+	            top: rect.top * scaleY, bottom: rect.bottom * scaleY};
+	  }
+	
+	  function clearLineMeasurementCacheFor(lineView) {
+	    if (lineView.measure) {
+	      lineView.measure.cache = {};
+	      lineView.measure.heights = null;
+	      if (lineView.rest) for (var i = 0; i < lineView.rest.length; i++)
+	        lineView.measure.caches[i] = {};
+	    }
+	  }
+	
+	  function clearLineMeasurementCache(cm) {
+	    cm.display.externalMeasure = null;
+	    removeChildren(cm.display.lineMeasure);
+	    for (var i = 0; i < cm.display.view.length; i++)
+	      clearLineMeasurementCacheFor(cm.display.view[i]);
+	  }
+	
+	  function clearCaches(cm) {
+	    clearLineMeasurementCache(cm);
+	    cm.display.cachedCharWidth = cm.display.cachedTextHeight = cm.display.cachedPaddingH = null;
+	    if (!cm.options.lineWrapping) cm.display.maxLineChanged = true;
+	    cm.display.lineNumChars = null;
+	  }
+	
+	  function pageScrollX() { return window.pageXOffset || (document.documentElement || document.body).scrollLeft; }
+	  function pageScrollY() { return window.pageYOffset || (document.documentElement || document.body).scrollTop; }
+	
+	  // Converts a {top, bottom, left, right} box from line-local
+	  // coordinates into another coordinate system. Context may be one of
+	  // "line", "div" (display.lineDiv), "local"/null (editor), "window",
+	  // or "page".
+	  function intoCoordSystem(cm, lineObj, rect, context) {
+	    if (lineObj.widgets) for (var i = 0; i < lineObj.widgets.length; ++i) if (lineObj.widgets[i].above) {
+	      var size = widgetHeight(lineObj.widgets[i]);
+	      rect.top += size; rect.bottom += size;
+	    }
+	    if (context == "line") return rect;
+	    if (!context) context = "local";
+	    var yOff = heightAtLine(lineObj);
+	    if (context == "local") yOff += paddingTop(cm.display);
+	    else yOff -= cm.display.viewOffset;
+	    if (context == "page" || context == "window") {
+	      var lOff = cm.display.lineSpace.getBoundingClientRect();
+	      yOff += lOff.top + (context == "window" ? 0 : pageScrollY());
+	      var xOff = lOff.left + (context == "window" ? 0 : pageScrollX());
+	      rect.left += xOff; rect.right += xOff;
+	    }
+	    rect.top += yOff; rect.bottom += yOff;
+	    return rect;
+	  }
+	
+	  // Coverts a box from "div" coords to another coordinate system.
+	  // Context may be "window", "page", "div", or "local"/null.
+	  function fromCoordSystem(cm, coords, context) {
+	    if (context == "div") return coords;
+	    var left = coords.left, top = coords.top;
+	    // First move into "page" coordinate system
+	    if (context == "page") {
+	      left -= pageScrollX();
+	      top -= pageScrollY();
+	    } else if (context == "local" || !context) {
+	      var localBox = cm.display.sizer.getBoundingClientRect();
+	      left += localBox.left;
+	      top += localBox.top;
+	    }
+	
+	    var lineSpaceBox = cm.display.lineSpace.getBoundingClientRect();
+	    return {left: left - lineSpaceBox.left, top: top - lineSpaceBox.top};
+	  }
+	
+	  function charCoords(cm, pos, context, lineObj, bias) {
+	    if (!lineObj) lineObj = getLine(cm.doc, pos.line);
+	    return intoCoordSystem(cm, lineObj, measureChar(cm, lineObj, pos.ch, bias), context);
+	  }
+	
+	  // Returns a box for a given cursor position, which may have an
+	  // 'other' property containing the position of the secondary cursor
+	  // on a bidi boundary.
+	  function cursorCoords(cm, pos, context, lineObj, preparedMeasure, varHeight) {
+	    lineObj = lineObj || getLine(cm.doc, pos.line);
+	    if (!preparedMeasure) preparedMeasure = prepareMeasureForLine(cm, lineObj);
+	    function get(ch, right) {
+	      var m = measureCharPrepared(cm, preparedMeasure, ch, right ? "right" : "left", varHeight);
+	      if (right) m.left = m.right; else m.right = m.left;
+	      return intoCoordSystem(cm, lineObj, m, context);
+	    }
+	    function getBidi(ch, partPos) {
+	      var part = order[partPos], right = part.level % 2;
+	      if (ch == bidiLeft(part) && partPos && part.level < order[partPos - 1].level) {
+	        part = order[--partPos];
+	        ch = bidiRight(part) - (part.level % 2 ? 0 : 1);
+	        right = true;
+	      } else if (ch == bidiRight(part) && partPos < order.length - 1 && part.level < order[partPos + 1].level) {
+	        part = order[++partPos];
+	        ch = bidiLeft(part) - part.level % 2;
+	        right = false;
+	      }
+	      if (right && ch == part.to && ch > part.from) return get(ch - 1);
+	      return get(ch, right);
+	    }
+	    var order = getOrder(lineObj), ch = pos.ch;
+	    if (!order) return get(ch);
+	    var partPos = getBidiPartAt(order, ch);
+	    var val = getBidi(ch, partPos);
+	    if (bidiOther != null) val.other = getBidi(ch, bidiOther);
+	    return val;
+	  }
+	
+	  // Used to cheaply estimate the coordinates for a position. Used for
+	  // intermediate scroll updates.
+	  function estimateCoords(cm, pos) {
+	    var left = 0, pos = clipPos(cm.doc, pos);
+	    if (!cm.options.lineWrapping) left = charWidth(cm.display) * pos.ch;
+	    var lineObj = getLine(cm.doc, pos.line);
+	    var top = heightAtLine(lineObj) + paddingTop(cm.display);
+	    return {left: left, right: left, top: top, bottom: top + lineObj.height};
+	  }
+	
+	  // Positions returned by coordsChar contain some extra information.
+	  // xRel is the relative x position of the input coordinates compared
+	  // to the found position (so xRel > 0 means the coordinates are to
+	  // the right of the character position, for example). When outside
+	  // is true, that means the coordinates lie outside the line's
+	  // vertical range.
+	  function PosWithInfo(line, ch, outside, xRel) {
+	    var pos = Pos(line, ch);
+	    pos.xRel = xRel;
+	    if (outside) pos.outside = true;
+	    return pos;
+	  }
+	
+	  // Compute the character position closest to the given coordinates.
+	  // Input must be lineSpace-local ("div" coordinate system).
+	  function coordsChar(cm, x, y) {
+	    var doc = cm.doc;
+	    y += cm.display.viewOffset;
+	    if (y < 0) return PosWithInfo(doc.first, 0, true, -1);
+	    var lineN = lineAtHeight(doc, y), last = doc.first + doc.size - 1;
+	    if (lineN > last)
+	      return PosWithInfo(doc.first + doc.size - 1, getLine(doc, last).text.length, true, 1);
+	    if (x < 0) x = 0;
+	
+	    var lineObj = getLine(doc, lineN);
+	    for (;;) {
+	      var found = coordsCharInner(cm, lineObj, lineN, x, y);
+	      var merged = collapsedSpanAtEnd(lineObj);
+	      var mergedPos = merged && merged.find(0, true);
+	      if (merged && (found.ch > mergedPos.from.ch || found.ch == mergedPos.from.ch && found.xRel > 0))
+	        lineN = lineNo(lineObj = mergedPos.to.line);
+	      else
+	        return found;
+	    }
+	  }
+	
+	  function coordsCharInner(cm, lineObj, lineNo, x, y) {
+	    var innerOff = y - heightAtLine(lineObj);
+	    var wrongLine = false, adjust = 2 * cm.display.wrapper.clientWidth;
+	    var preparedMeasure = prepareMeasureForLine(cm, lineObj);
+	
+	    function getX(ch) {
+	      var sp = cursorCoords(cm, Pos(lineNo, ch), "line", lineObj, preparedMeasure);
+	      wrongLine = true;
+	      if (innerOff > sp.bottom) return sp.left - adjust;
+	      else if (innerOff < sp.top) return sp.left + adjust;
+	      else wrongLine = false;
+	      return sp.left;
+	    }
+	
+	    var bidi = getOrder(lineObj), dist = lineObj.text.length;
+	    var from = lineLeft(lineObj), to = lineRight(lineObj);
+	    var fromX = getX(from), fromOutside = wrongLine, toX = getX(to), toOutside = wrongLine;
+	
+	    if (x > toX) return PosWithInfo(lineNo, to, toOutside, 1);
+	    // Do a binary search between these bounds.
+	    for (;;) {
+	      if (bidi ? to == from || to == moveVisually(lineObj, from, 1) : to - from <= 1) {
+	        var ch = x < fromX || x - fromX <= toX - x ? from : to;
+	        var outside = ch == from ? fromOutside : toOutside
+	        var xDiff = x - (ch == from ? fromX : toX);
+	        // This is a kludge to handle the case where the coordinates
+	        // are after a line-wrapped line. We should replace it with a
+	        // more general handling of cursor positions around line
+	        // breaks. (Issue #4078)
+	        if (toOutside && !bidi && !/\s/.test(lineObj.text.charAt(ch)) && xDiff > 0 &&
+	            ch < lineObj.text.length && preparedMeasure.view.measure.heights.length > 1) {
+	          var charSize = measureCharPrepared(cm, preparedMeasure, ch, "right");
+	          if (innerOff <= charSize.bottom && innerOff >= charSize.top && Math.abs(x - charSize.right) < xDiff) {
+	            outside = false
+	            ch++
+	            xDiff = x - charSize.right
+	          }
+	        }
+	        while (isExtendingChar(lineObj.text.charAt(ch))) ++ch;
+	        var pos = PosWithInfo(lineNo, ch, outside, xDiff < -1 ? -1 : xDiff > 1 ? 1 : 0);
+	        return pos;
+	      }
+	      var step = Math.ceil(dist / 2), middle = from + step;
+	      if (bidi) {
+	        middle = from;
+	        for (var i = 0; i < step; ++i) middle = moveVisually(lineObj, middle, 1);
+	      }
+	      var middleX = getX(middle);
+	      if (middleX > x) {to = middle; toX = middleX; if (toOutside = wrongLine) toX += 1000; dist = step;}
+	      else {from = middle; fromX = middleX; fromOutside = wrongLine; dist -= step;}
+	    }
+	  }
+	
+	  var measureText;
+	  // Compute the default text height.
+	  function textHeight(display) {
+	    if (display.cachedTextHeight != null) return display.cachedTextHeight;
+	    if (measureText == null) {
+	      measureText = elt("pre");
+	      // Measure a bunch of lines, for browsers that compute
+	      // fractional heights.
+	      for (var i = 0; i < 49; ++i) {
+	        measureText.appendChild(document.createTextNode("x"));
+	        measureText.appendChild(elt("br"));
+	      }
+	      measureText.appendChild(document.createTextNode("x"));
+	    }
+	    removeChildrenAndAdd(display.measure, measureText);
+	    var height = measureText.offsetHeight / 50;
+	    if (height > 3) display.cachedTextHeight = height;
+	    removeChildren(display.measure);
+	    return height || 1;
+	  }
+	
+	  // Compute the default character width.
+	  function charWidth(display) {
+	    if (display.cachedCharWidth != null) return display.cachedCharWidth;
+	    var anchor = elt("span", "xxxxxxxxxx");
+	    var pre = elt("pre", [anchor]);
+	    removeChildrenAndAdd(display.measure, pre);
+	    var rect = anchor.getBoundingClientRect(), width = (rect.right - rect.left) / 10;
+	    if (width > 2) display.cachedCharWidth = width;
+	    return width || 10;
+	  }
+	
+	  // OPERATIONS
+	
+	  // Operations are used to wrap a series of changes to the editor
+	  // state in such a way that each change won't have to update the
+	  // cursor and display (which would be awkward, slow, and
+	  // error-prone). Instead, display updates are batched and then all
+	  // combined and executed at once.
+	
+	  var operationGroup = null;
+	
+	  var nextOpId = 0;
+	  // Start a new operation.
+	  function startOperation(cm) {
+	    cm.curOp = {
+	      cm: cm,
+	      viewChanged: false,      // Flag that indicates that lines might need to be redrawn
+	      startHeight: cm.doc.height, // Used to detect need to update scrollbar
+	      forceUpdate: false,      // Used to force a redraw
+	      updateInput: null,       // Whether to reset the input textarea
+	      typing: false,           // Whether this reset should be careful to leave existing text (for compositing)
+	      changeObjs: null,        // Accumulated changes, for firing change events
+	      cursorActivityHandlers: null, // Set of handlers to fire cursorActivity on
+	      cursorActivityCalled: 0, // Tracks which cursorActivity handlers have been called already
+	      selectionChanged: false, // Whether the selection needs to be redrawn
+	      updateMaxLine: false,    // Set when the widest line needs to be determined anew
+	      scrollLeft: null, scrollTop: null, // Intermediate scroll position, not pushed to DOM yet
+	      scrollToPos: null,       // Used to scroll to a specific position
+	      focus: false,
+	      id: ++nextOpId           // Unique ID
+	    };
+	    if (operationGroup) {
+	      operationGroup.ops.push(cm.curOp);
+	    } else {
+	      cm.curOp.ownsGroup = operationGroup = {
+	        ops: [cm.curOp],
+	        delayedCallbacks: []
+	      };
+	    }
+	  }
+	
+	  function fireCallbacksForOps(group) {
+	    // Calls delayed callbacks and cursorActivity handlers until no
+	    // new ones appear
+	    var callbacks = group.delayedCallbacks, i = 0;
+	    do {
+	      for (; i < callbacks.length; i++)
+	        callbacks[i].call(null);
+	      for (var j = 0; j < group.ops.length; j++) {
+	        var op = group.ops[j];
+	        if (op.cursorActivityHandlers)
+	          while (op.cursorActivityCalled < op.cursorActivityHandlers.length)
+	            op.cursorActivityHandlers[op.cursorActivityCalled++].call(null, op.cm);
+	      }
+	    } while (i < callbacks.length);
+	  }
+	
+	  // Finish an operation, updating the display and signalling delayed events
+	  function endOperation(cm) {
+	    var op = cm.curOp, group = op.ownsGroup;
+	    if (!group) return;
+	
+	    try { fireCallbacksForOps(group); }
+	    finally {
+	      operationGroup = null;
+	      for (var i = 0; i < group.ops.length; i++)
+	        group.ops[i].cm.curOp = null;
+	      endOperations(group);
+	    }
+	  }
+	
+	  // The DOM updates done when an operation finishes are batched so
+	  // that the minimum number of relayouts are required.
+	  function endOperations(group) {
+	    var ops = group.ops;
+	    for (var i = 0; i < ops.length; i++) // Read DOM
+	      endOperation_R1(ops[i]);
+	    for (var i = 0; i < ops.length; i++) // Write DOM (maybe)
+	      endOperation_W1(ops[i]);
+	    for (var i = 0; i < ops.length; i++) // Read DOM
+	      endOperation_R2(ops[i]);
+	    for (var i = 0; i < ops.length; i++) // Write DOM (maybe)
+	      endOperation_W2(ops[i]);
+	    for (var i = 0; i < ops.length; i++) // Read DOM
+	      endOperation_finish(ops[i]);
+	  }
+	
+	  function endOperation_R1(op) {
+	    var cm = op.cm, display = cm.display;
+	    maybeClipScrollbars(cm);
+	    if (op.updateMaxLine) findMaxLine(cm);
+	
+	    op.mustUpdate = op.viewChanged || op.forceUpdate || op.scrollTop != null ||
+	      op.scrollToPos && (op.scrollToPos.from.line < display.viewFrom ||
+	                         op.scrollToPos.to.line >= display.viewTo) ||
+	      display.maxLineChanged && cm.options.lineWrapping;
+	    op.update = op.mustUpdate &&
+	      new DisplayUpdate(cm, op.mustUpdate && {top: op.scrollTop, ensure: op.scrollToPos}, op.forceUpdate);
+	  }
+	
+	  function endOperation_W1(op) {
+	    op.updatedDisplay = op.mustUpdate && updateDisplayIfNeeded(op.cm, op.update);
+	  }
+	
+	  function endOperation_R2(op) {
+	    var cm = op.cm, display = cm.display;
+	    if (op.updatedDisplay) updateHeightsInViewport(cm);
+	
+	    op.barMeasure = measureForScrollbars(cm);
+	
+	    // If the max line changed since it was last measured, measure it,
+	    // and ensure the document's width matches it.
+	    // updateDisplay_W2 will use these properties to do the actual resizing
+	    if (display.maxLineChanged && !cm.options.lineWrapping) {
+	      op.adjustWidthTo = measureChar(cm, display.maxLine, display.maxLine.text.length).left + 3;
+	      cm.display.sizerWidth = op.adjustWidthTo;
+	      op.barMeasure.scrollWidth =
+	        Math.max(display.scroller.clientWidth, display.sizer.offsetLeft + op.adjustWidthTo + scrollGap(cm) + cm.display.barWidth);
+	      op.maxScrollLeft = Math.max(0, display.sizer.offsetLeft + op.adjustWidthTo - displayWidth(cm));
+	    }
+	
+	    if (op.updatedDisplay || op.selectionChanged)
+	      op.preparedSelection = display.input.prepareSelection(op.focus);
+	  }
+	
+	  function endOperation_W2(op) {
+	    var cm = op.cm;
+	
+	    if (op.adjustWidthTo != null) {
+	      cm.display.sizer.style.minWidth = op.adjustWidthTo + "px";
+	      if (op.maxScrollLeft < cm.doc.scrollLeft)
+	        setScrollLeft(cm, Math.min(cm.display.scroller.scrollLeft, op.maxScrollLeft), true);
+	      cm.display.maxLineChanged = false;
+	    }
+	
+	    var takeFocus = op.focus && op.focus == activeElt() && (!document.hasFocus || document.hasFocus())
+	    if (op.preparedSelection)
+	      cm.display.input.showSelection(op.preparedSelection, takeFocus);
+	    if (op.updatedDisplay || op.startHeight != cm.doc.height)
+	      updateScrollbars(cm, op.barMeasure);
+	    if (op.updatedDisplay)
+	      setDocumentHeight(cm, op.barMeasure);
+	
+	    if (op.selectionChanged) restartBlink(cm);
+	
+	    if (cm.state.focused && op.updateInput)
+	      cm.display.input.reset(op.typing);
+	    if (takeFocus) ensureFocus(op.cm);
+	  }
+	
+	  function endOperation_finish(op) {
+	    var cm = op.cm, display = cm.display, doc = cm.doc;
+	
+	    if (op.updatedDisplay) postUpdateDisplay(cm, op.update);
+	
+	    // Abort mouse wheel delta measurement, when scrolling explicitly
+	    if (display.wheelStartX != null && (op.scrollTop != null || op.scrollLeft != null || op.scrollToPos))
+	      display.wheelStartX = display.wheelStartY = null;
+	
+	    // Propagate the scroll position to the actual DOM scroller
+	    if (op.scrollTop != null && (display.scroller.scrollTop != op.scrollTop || op.forceScroll)) {
+	      doc.scrollTop = Math.max(0, Math.min(display.scroller.scrollHeight - display.scroller.clientHeight, op.scrollTop));
+	      display.scrollbars.setScrollTop(doc.scrollTop);
+	      display.scroller.scrollTop = doc.scrollTop;
+	    }
+	    if (op.scrollLeft != null && (display.scroller.scrollLeft != op.scrollLeft || op.forceScroll)) {
+	      doc.scrollLeft = Math.max(0, Math.min(display.scroller.scrollWidth - display.scroller.clientWidth, op.scrollLeft));
+	      display.scrollbars.setScrollLeft(doc.scrollLeft);
+	      display.scroller.scrollLeft = doc.scrollLeft;
+	      alignHorizontally(cm);
+	    }
+	    // If we need to scroll a specific position into view, do so.
+	    if (op.scrollToPos) {
+	      var coords = scrollPosIntoView(cm, clipPos(doc, op.scrollToPos.from),
+	                                     clipPos(doc, op.scrollToPos.to), op.scrollToPos.margin);
+	      if (op.scrollToPos.isCursor && cm.state.focused) maybeScrollWindow(cm, coords);
+	    }
+	
+	    // Fire events for markers that are hidden/unidden by editing or
+	    // undoing
+	    var hidden = op.maybeHiddenMarkers, unhidden = op.maybeUnhiddenMarkers;
+	    if (hidden) for (var i = 0; i < hidden.length; ++i)
+	      if (!hidden[i].lines.length) signal(hidden[i], "hide");
+	    if (unhidden) for (var i = 0; i < unhidden.length; ++i)
+	      if (unhidden[i].lines.length) signal(unhidden[i], "unhide");
+	
+	    if (display.wrapper.offsetHeight)
+	      doc.scrollTop = cm.display.scroller.scrollTop;
+	
+	    // Fire change events, and delayed event handlers
+	    if (op.changeObjs)
+	      signal(cm, "changes", cm, op.changeObjs);
+	    if (op.update)
+	      op.update.finish();
+	  }
+	
+	  // Run the given function in an operation
+	  function runInOp(cm, f) {
+	    if (cm.curOp) return f();
+	    startOperation(cm);
+	    try { return f(); }
+	    finally { endOperation(cm); }
+	  }
+	  // Wraps a function in an operation. Returns the wrapped function.
+	  function operation(cm, f) {
+	    return function() {
+	      if (cm.curOp) return f.apply(cm, arguments);
+	      startOperation(cm);
+	      try { return f.apply(cm, arguments); }
+	      finally { endOperation(cm); }
+	    };
+	  }
+	  // Used to add methods to editor and doc instances, wrapping them in
+	  // operations.
+	  function methodOp(f) {
+	    return function() {
+	      if (this.curOp) return f.apply(this, arguments);
+	      startOperation(this);
+	      try { return f.apply(this, arguments); }
+	      finally { endOperation(this); }
+	    };
+	  }
+	  function docMethodOp(f) {
+	    return function() {
+	      var cm = this.cm;
+	      if (!cm || cm.curOp) return f.apply(this, arguments);
+	      startOperation(cm);
+	      try { return f.apply(this, arguments); }
+	      finally { endOperation(cm); }
+	    };
+	  }
+	
+	  // VIEW TRACKING
+	
+	  // These objects are used to represent the visible (currently drawn)
+	  // part of the document. A LineView may correspond to multiple
+	  // logical lines, if those are connected by collapsed ranges.
+	  function LineView(doc, line, lineN) {
+	    // The starting line
+	    this.line = line;
+	    // Continuing lines, if any
+	    this.rest = visualLineContinued(line);
+	    // Number of logical lines in this visual line
+	    this.size = this.rest ? lineNo(lst(this.rest)) - lineN + 1 : 1;
+	    this.node = this.text = null;
+	    this.hidden = lineIsHidden(doc, line);
+	  }
+	
+	  // Create a range of LineView objects for the given lines.
+	  function buildViewArray(cm, from, to) {
+	    var array = [], nextPos;
+	    for (var pos = from; pos < to; pos = nextPos) {
+	      var view = new LineView(cm.doc, getLine(cm.doc, pos), pos);
+	      nextPos = pos + view.size;
+	      array.push(view);
+	    }
+	    return array;
+	  }
+	
+	  // Updates the display.view data structure for a given change to the
+	  // document. From and to are in pre-change coordinates. Lendiff is
+	  // the amount of lines added or subtracted by the change. This is
+	  // used for changes that span multiple lines, or change the way
+	  // lines are divided into visual lines. regLineChange (below)
+	  // registers single-line changes.
+	  function regChange(cm, from, to, lendiff) {
+	    if (from == null) from = cm.doc.first;
+	    if (to == null) to = cm.doc.first + cm.doc.size;
+	    if (!lendiff) lendiff = 0;
+	
+	    var display = cm.display;
+	    if (lendiff && to < display.viewTo &&
+	        (display.updateLineNumbers == null || display.updateLineNumbers > from))
+	      display.updateLineNumbers = from;
+	
+	    cm.curOp.viewChanged = true;
+	
+	    if (from >= display.viewTo) { // Change after
+	      if (sawCollapsedSpans && visualLineNo(cm.doc, from) < display.viewTo)
+	        resetView(cm);
+	    } else if (to <= display.viewFrom) { // Change before
+	      if (sawCollapsedSpans && visualLineEndNo(cm.doc, to + lendiff) > display.viewFrom) {
+	        resetView(cm);
+	      } else {
+	        display.viewFrom += lendiff;
+	        display.viewTo += lendiff;
+	      }
+	    } else if (from <= display.viewFrom && to >= display.viewTo) { // Full overlap
+	      resetView(cm);
+	    } else if (from <= display.viewFrom) { // Top overlap
+	      var cut = viewCuttingPoint(cm, to, to + lendiff, 1);
+	      if (cut) {
+	        display.view = display.view.slice(cut.index);
+	        display.viewFrom = cut.lineN;
+	        display.viewTo += lendiff;
+	      } else {
+	        resetView(cm);
+	      }
+	    } else if (to >= display.viewTo) { // Bottom overlap
+	      var cut = viewCuttingPoint(cm, from, from, -1);
+	      if (cut) {
+	        display.view = display.view.slice(0, cut.index);
+	        display.viewTo = cut.lineN;
+	      } else {
+	        resetView(cm);
+	      }
+	    } else { // Gap in the middle
+	      var cutTop = viewCuttingPoint(cm, from, from, -1);
+	      var cutBot = viewCuttingPoint(cm, to, to + lendiff, 1);
+	      if (cutTop && cutBot) {
+	        display.view = display.view.slice(0, cutTop.index)
+	          .concat(buildViewArray(cm, cutTop.lineN, cutBot.lineN))
+	          .concat(display.view.slice(cutBot.index));
+	        display.viewTo += lendiff;
+	      } else {
+	        resetView(cm);
+	      }
+	    }
+	
+	    var ext = display.externalMeasured;
+	    if (ext) {
+	      if (to < ext.lineN)
+	        ext.lineN += lendiff;
+	      else if (from < ext.lineN + ext.size)
+	        display.externalMeasured = null;
+	    }
+	  }
+	
+	  // Register a change to a single line. Type must be one of "text",
+	  // "gutter", "class", "widget"
+	  function regLineChange(cm, line, type) {
+	    cm.curOp.viewChanged = true;
+	    var display = cm.display, ext = cm.display.externalMeasured;
+	    if (ext && line >= ext.lineN && line < ext.lineN + ext.size)
+	      display.externalMeasured = null;
+	
+	    if (line < display.viewFrom || line >= display.viewTo) return;
+	    var lineView = display.view[findViewIndex(cm, line)];
+	    if (lineView.node == null) return;
+	    var arr = lineView.changes || (lineView.changes = []);
+	    if (indexOf(arr, type) == -1) arr.push(type);
+	  }
+	
+	  // Clear the view.
+	  function resetView(cm) {
+	    cm.display.viewFrom = cm.display.viewTo = cm.doc.first;
+	    cm.display.view = [];
+	    cm.display.viewOffset = 0;
+	  }
+	
+	  // Find the view element corresponding to a given line. Return null
+	  // when the line isn't visible.
+	  function findViewIndex(cm, n) {
+	    if (n >= cm.display.viewTo) return null;
+	    n -= cm.display.viewFrom;
+	    if (n < 0) return null;
+	    var view = cm.display.view;
+	    for (var i = 0; i < view.length; i++) {
+	      n -= view[i].size;
+	      if (n < 0) return i;
+	    }
+	  }
+	
+	  function viewCuttingPoint(cm, oldN, newN, dir) {
+	    var index = findViewIndex(cm, oldN), diff, view = cm.display.view;
+	    if (!sawCollapsedSpans || newN == cm.doc.first + cm.doc.size)
+	      return {index: index, lineN: newN};
+	    for (var i = 0, n = cm.display.viewFrom; i < index; i++)
+	      n += view[i].size;
+	    if (n != oldN) {
+	      if (dir > 0) {
+	        if (index == view.length - 1) return null;
+	        diff = (n + view[index].size) - oldN;
+	        index++;
+	      } else {
+	        diff = n - oldN;
+	      }
+	      oldN += diff; newN += diff;
+	    }
+	    while (visualLineNo(cm.doc, newN) != newN) {
+	      if (index == (dir < 0 ? 0 : view.length - 1)) return null;
+	      newN += dir * view[index - (dir < 0 ? 1 : 0)].size;
+	      index += dir;
+	    }
+	    return {index: index, lineN: newN};
+	  }
+	
+	  // Force the view to cover a given range, adding empty view element
+	  // or clipping off existing ones as needed.
+	  function adjustView(cm, from, to) {
+	    var display = cm.display, view = display.view;
+	    if (view.length == 0 || from >= display.viewTo || to <= display.viewFrom) {
+	      display.view = buildViewArray(cm, from, to);
+	      display.viewFrom = from;
+	    } else {
+	      if (display.viewFrom > from)
+	        display.view = buildViewArray(cm, from, display.viewFrom).concat(display.view);
+	      else if (display.viewFrom < from)
+	        display.view = display.view.slice(findViewIndex(cm, from));
+	      display.viewFrom = from;
+	      if (display.viewTo < to)
+	        display.view = display.view.concat(buildViewArray(cm, display.viewTo, to));
+	      else if (display.viewTo > to)
+	        display.view = display.view.slice(0, findViewIndex(cm, to));
+	    }
+	    display.viewTo = to;
+	  }
+	
+	  // Count the number of lines in the view whose DOM representation is
+	  // out of date (or nonexistent).
+	  function countDirtyView(cm) {
+	    var view = cm.display.view, dirty = 0;
+	    for (var i = 0; i < view.length; i++) {
+	      var lineView = view[i];
+	      if (!lineView.hidden && (!lineView.node || lineView.changes)) ++dirty;
+	    }
+	    return dirty;
+	  }
+	
+	  // EVENT HANDLERS
+	
+	  // Attach the necessary event handlers when initializing the editor
+	  function registerEventHandlers(cm) {
+	    var d = cm.display;
+	    on(d.scroller, "mousedown", operation(cm, onMouseDown));
+	    // Older IE's will not fire a second mousedown for a double click
+	    if (ie && ie_version < 11)
+	      on(d.scroller, "dblclick", operation(cm, function(e) {
+	        if (signalDOMEvent(cm, e)) return;
+	        var pos = posFromMouse(cm, e);
+	        if (!pos || clickInGutter(cm, e) || eventInWidget(cm.display, e)) return;
+	        e_preventDefault(e);
+	        var word = cm.findWordAt(pos);
+	        extendSelection(cm.doc, word.anchor, word.head);
+	      }));
+	    else
+	      on(d.scroller, "dblclick", function(e) { signalDOMEvent(cm, e) || e_preventDefault(e); });
+	    // Some browsers fire contextmenu *after* opening the menu, at
+	    // which point we can't mess with it anymore. Context menu is
+	    // handled in onMouseDown for these browsers.
+	    if (!captureRightClick) on(d.scroller, "contextmenu", function(e) {onContextMenu(cm, e);});
+	
+	    // Used to suppress mouse event handling when a touch happens
+	    var touchFinished, prevTouch = {end: 0};
+	    function finishTouch() {
+	      if (d.activeTouch) {
+	        touchFinished = setTimeout(function() {d.activeTouch = null;}, 1000);
+	        prevTouch = d.activeTouch;
+	        prevTouch.end = +new Date;
+	      }
+	    };
+	    function isMouseLikeTouchEvent(e) {
+	      if (e.touches.length != 1) return false;
+	      var touch = e.touches[0];
+	      return touch.radiusX <= 1 && touch.radiusY <= 1;
+	    }
+	    function farAway(touch, other) {
+	      if (other.left == null) return true;
+	      var dx = other.left - touch.left, dy = other.top - touch.top;
+	      return dx * dx + dy * dy > 20 * 20;
+	    }
+	    on(d.scroller, "touchstart", function(e) {
+	      if (!signalDOMEvent(cm, e) && !isMouseLikeTouchEvent(e)) {
+	        clearTimeout(touchFinished);
+	        var now = +new Date;
+	        d.activeTouch = {start: now, moved: false,
+	                         prev: now - prevTouch.end <= 300 ? prevTouch : null};
+	        if (e.touches.length == 1) {
+	          d.activeTouch.left = e.touches[0].pageX;
+	          d.activeTouch.top = e.touches[0].pageY;
+	        }
+	      }
+	    });
+	    on(d.scroller, "touchmove", function() {
+	      if (d.activeTouch) d.activeTouch.moved = true;
+	    });
+	    on(d.scroller, "touchend", function(e) {
+	      var touch = d.activeTouch;
+	      if (touch && !eventInWidget(d, e) && touch.left != null &&
+	          !touch.moved && new Date - touch.start < 300) {
+	        var pos = cm.coordsChar(d.activeTouch, "page"), range;
+	        if (!touch.prev || farAway(touch, touch.prev)) // Single tap
+	          range = new Range(pos, pos);
+	        else if (!touch.prev.prev || farAway(touch, touch.prev.prev)) // Double tap
+	          range = cm.findWordAt(pos);
+	        else // Triple tap
+	          range = new Range(Pos(pos.line, 0), clipPos(cm.doc, Pos(pos.line + 1, 0)));
+	        cm.setSelection(range.anchor, range.head);
+	        cm.focus();
+	        e_preventDefault(e);
+	      }
+	      finishTouch();
+	    });
+	    on(d.scroller, "touchcancel", finishTouch);
+	
+	    // Sync scrolling between fake scrollbars and real scrollable
+	    // area, ensure viewport is updated when scrolling.
+	    on(d.scroller, "scroll", function() {
+	      if (d.scroller.clientHeight) {
+	        setScrollTop(cm, d.scroller.scrollTop);
+	        setScrollLeft(cm, d.scroller.scrollLeft, true);
+	        signal(cm, "scroll", cm);
+	      }
+	    });
+	
+	    // Listen to wheel events in order to try and update the viewport on time.
+	    on(d.scroller, "mousewheel", function(e){onScrollWheel(cm, e);});
+	    on(d.scroller, "DOMMouseScroll", function(e){onScrollWheel(cm, e);});
+	
+	    // Prevent wrapper from ever scrolling
+	    on(d.wrapper, "scroll", function() { d.wrapper.scrollTop = d.wrapper.scrollLeft = 0; });
+	
+	    d.dragFunctions = {
+	      enter: function(e) {if (!signalDOMEvent(cm, e)) e_stop(e);},
+	      over: function(e) {if (!signalDOMEvent(cm, e)) { onDragOver(cm, e); e_stop(e); }},
+	      start: function(e){onDragStart(cm, e);},
+	      drop: operation(cm, onDrop),
+	      leave: function(e) {if (!signalDOMEvent(cm, e)) { clearDragCursor(cm); }}
+	    };
+	
+	    var inp = d.input.getField();
+	    on(inp, "keyup", function(e) { onKeyUp.call(cm, e); });
+	    on(inp, "keydown", operation(cm, onKeyDown));
+	    on(inp, "keypress", operation(cm, onKeyPress));
+	    on(inp, "focus", bind(onFocus, cm));
+	    on(inp, "blur", bind(onBlur, cm));
+	  }
+	
+	  function dragDropChanged(cm, value, old) {
+	    var wasOn = old && old != CodeMirror.Init;
+	    if (!value != !wasOn) {
+	      var funcs = cm.display.dragFunctions;
+	      var toggle = value ? on : off;
+	      toggle(cm.display.scroller, "dragstart", funcs.start);
+	      toggle(cm.display.scroller, "dragenter", funcs.enter);
+	      toggle(cm.display.scroller, "dragover", funcs.over);
+	      toggle(cm.display.scroller, "dragleave", funcs.leave);
+	      toggle(cm.display.scroller, "drop", funcs.drop);
+	    }
+	  }
+	
+	  // Called when the window resizes
+	  function onResize(cm) {
+	    var d = cm.display;
+	    if (d.lastWrapHeight == d.wrapper.clientHeight && d.lastWrapWidth == d.wrapper.clientWidth)
+	      return;
+	    // Might be a text scaling operation, clear size caches.
+	    d.cachedCharWidth = d.cachedTextHeight = d.cachedPaddingH = null;
+	    d.scrollbarsClipped = false;
+	    cm.setSize();
+	  }
+	
+	  // MOUSE EVENTS
+	
+	  // Return true when the given mouse event happened in a widget
+	  function eventInWidget(display, e) {
+	    for (var n = e_target(e); n != display.wrapper; n = n.parentNode) {
+	      if (!n || (n.nodeType == 1 && n.getAttribute("cm-ignore-events") == "true") ||
+	          (n.parentNode == display.sizer && n != display.mover))
+	        return true;
+	    }
+	  }
+	
+	  // Given a mouse event, find the corresponding position. If liberal
+	  // is false, it checks whether a gutter or scrollbar was clicked,
+	  // and returns null if it was. forRect is used by rectangular
+	  // selections, and tries to estimate a character position even for
+	  // coordinates beyond the right of the text.
+	  function posFromMouse(cm, e, liberal, forRect) {
+	    var display = cm.display;
+	    if (!liberal && e_target(e).getAttribute("cm-not-content") == "true") return null;
+	
+	    var x, y, space = display.lineSpace.getBoundingClientRect();
+	    // Fails unpredictably on IE[67] when mouse is dragged around quickly.
+	    try { x = e.clientX - space.left; y = e.clientY - space.top; }
+	    catch (e) { return null; }
+	    var coords = coordsChar(cm, x, y), line;
+	    if (forRect && coords.xRel == 1 && (line = getLine(cm.doc, coords.line).text).length == coords.ch) {
+	      var colDiff = countColumn(line, line.length, cm.options.tabSize) - line.length;
+	      coords = Pos(coords.line, Math.max(0, Math.round((x - paddingH(cm.display).left) / charWidth(cm.display)) - colDiff));
+	    }
+	    return coords;
+	  }
+	
+	  // A mouse down can be a single click, double click, triple click,
+	  // start of selection drag, start of text drag, new cursor
+	  // (ctrl-click), rectangle drag (alt-drag), or xwin
+	  // middle-click-paste. Or it might be a click on something we should
+	  // not interfere with, such as a scrollbar or widget.
+	  function onMouseDown(e) {
+	    var cm = this, display = cm.display;
+	    if (signalDOMEvent(cm, e) || display.activeTouch && display.input.supportsTouch()) return;
+	    display.shift = e.shiftKey;
+	
+	    if (eventInWidget(display, e)) {
+	      if (!webkit) {
+	        // Briefly turn off draggability, to allow widgets to do
+	        // normal dragging things.
+	        display.scroller.draggable = false;
+	        setTimeout(function(){display.scroller.draggable = true;}, 100);
+	      }
+	      return;
+	    }
+	    if (clickInGutter(cm, e)) return;
+	    var start = posFromMouse(cm, e);
+	    window.focus();
+	
+	    switch (e_button(e)) {
+	    case 1:
+	      // #3261: make sure, that we're not starting a second selection
+	      if (cm.state.selectingText)
+	        cm.state.selectingText(e);
+	      else if (start)
+	        leftButtonDown(cm, e, start);
+	      else if (e_target(e) == display.scroller)
+	        e_preventDefault(e);
+	      break;
+	    case 2:
+	      if (webkit) cm.state.lastMiddleDown = +new Date;
+	      if (start) extendSelection(cm.doc, start);
+	      setTimeout(function() {display.input.focus();}, 20);
+	      e_preventDefault(e);
+	      break;
+	    case 3:
+	      if (captureRightClick) onContextMenu(cm, e);
+	      else delayBlurEvent(cm);
+	      break;
+	    }
+	  }
+	
+	  var lastClick, lastDoubleClick;
+	  function leftButtonDown(cm, e, start) {
+	    if (ie) setTimeout(bind(ensureFocus, cm), 0);
+	    else cm.curOp.focus = activeElt();
+	
+	    var now = +new Date, type;
+	    if (lastDoubleClick && lastDoubleClick.time > now - 400 && cmp(lastDoubleClick.pos, start) == 0) {
+	      type = "triple";
+	    } else if (lastClick && lastClick.time > now - 400 && cmp(lastClick.pos, start) == 0) {
+	      type = "double";
+	      lastDoubleClick = {time: now, pos: start};
+	    } else {
+	      type = "single";
+	      lastClick = {time: now, pos: start};
+	    }
+	
+	    var sel = cm.doc.sel, modifier = mac ? e.metaKey : e.ctrlKey, contained;
+	    if (cm.options.dragDrop && dragAndDrop && !cm.isReadOnly() &&
+	        type == "single" && (contained = sel.contains(start)) > -1 &&
+	        (cmp((contained = sel.ranges[contained]).from(), start) < 0 || start.xRel > 0) &&
+	        (cmp(contained.to(), start) > 0 || start.xRel < 0))
+	      leftButtonStartDrag(cm, e, start, modifier);
+	    else
+	      leftButtonSelect(cm, e, start, type, modifier);
+	  }
+	
+	  // Start a text drag. When it ends, see if any dragging actually
+	  // happen, and treat as a click if it didn't.
+	  function leftButtonStartDrag(cm, e, start, modifier) {
+	    var display = cm.display, startTime = +new Date;
+	    var dragEnd = operation(cm, function(e2) {
+	      if (webkit) display.scroller.draggable = false;
+	      cm.state.draggingText = false;
+	      off(document, "mouseup", dragEnd);
+	      off(display.scroller, "drop", dragEnd);
+	      if (Math.abs(e.clientX - e2.clientX) + Math.abs(e.clientY - e2.clientY) < 10) {
+	        e_preventDefault(e2);
+	        if (!modifier && +new Date - 200 < startTime)
+	          extendSelection(cm.doc, start);
+	        // Work around unexplainable focus problem in IE9 (#2127) and Chrome (#3081)
+	        if (webkit || ie && ie_version == 9)
+	          setTimeout(function() {document.body.focus(); display.input.focus();}, 20);
+	        else
+	          display.input.focus();
+	      }
+	    });
+	    // Let the drag handler handle this.
+	    if (webkit) display.scroller.draggable = true;
+	    cm.state.draggingText = dragEnd;
+	    dragEnd.copy = mac ? e.altKey : e.ctrlKey
+	    // IE's approach to draggable
+	    if (display.scroller.dragDrop) display.scroller.dragDrop();
+	    on(document, "mouseup", dragEnd);
+	    on(display.scroller, "drop", dragEnd);
+	  }
+	
+	  // Normal selection, as opposed to text dragging.
+	  function leftButtonSelect(cm, e, start, type, addNew) {
+	    var display = cm.display, doc = cm.doc;
+	    e_preventDefault(e);
+	
+	    var ourRange, ourIndex, startSel = doc.sel, ranges = startSel.ranges;
+	    if (addNew && !e.shiftKey) {
+	      ourIndex = doc.sel.contains(start);
+	      if (ourIndex > -1)
+	        ourRange = ranges[ourIndex];
+	      else
+	        ourRange = new Range(start, start);
+	    } else {
+	      ourRange = doc.sel.primary();
+	      ourIndex = doc.sel.primIndex;
+	    }
+	
+	    if (chromeOS ? e.shiftKey && e.metaKey : e.altKey) {
+	      type = "rect";
+	      if (!addNew) ourRange = new Range(start, start);
+	      start = posFromMouse(cm, e, true, true);
+	      ourIndex = -1;
+	    } else if (type == "double") {
+	      var word = cm.findWordAt(start);
+	      if (cm.display.shift || doc.extend)
+	        ourRange = extendRange(doc, ourRange, word.anchor, word.head);
+	      else
+	        ourRange = word;
+	    } else if (type == "triple") {
+	      var line = new Range(Pos(start.line, 0), clipPos(doc, Pos(start.line + 1, 0)));
+	      if (cm.display.shift || doc.extend)
+	        ourRange = extendRange(doc, ourRange, line.anchor, line.head);
+	      else
+	        ourRange = line;
+	    } else {
+	      ourRange = extendRange(doc, ourRange, start);
+	    }
+	
+	    if (!addNew) {
+	      ourIndex = 0;
+	      setSelection(doc, new Selection([ourRange], 0), sel_mouse);
+	      startSel = doc.sel;
+	    } else if (ourIndex == -1) {
+	      ourIndex = ranges.length;
+	      setSelection(doc, normalizeSelection(ranges.concat([ourRange]), ourIndex),
+	                   {scroll: false, origin: "*mouse"});
+	    } else if (ranges.length > 1 && ranges[ourIndex].empty() && type == "single" && !e.shiftKey) {
+	      setSelection(doc, normalizeSelection(ranges.slice(0, ourIndex).concat(ranges.slice(ourIndex + 1)), 0),
+	                   {scroll: false, origin: "*mouse"});
+	      startSel = doc.sel;
+	    } else {
+	      replaceOneSelection(doc, ourIndex, ourRange, sel_mouse);
+	    }
+	
+	    var lastPos = start;
+	    function extendTo(pos) {
+	      if (cmp(lastPos, pos) == 0) return;
+	      lastPos = pos;
+	
+	      if (type == "rect") {
+	        var ranges = [], tabSize = cm.options.tabSize;
+	        var startCol = countColumn(getLine(doc, start.line).text, start.ch, tabSize);
+	        var posCol = countColumn(getLine(doc, pos.line).text, pos.ch, tabSize);
+	        var left = Math.min(startCol, posCol), right = Math.max(startCol, posCol);
+	        for (var line = Math.min(start.line, pos.line), end = Math.min(cm.lastLine(), Math.max(start.line, pos.line));
+	             line <= end; line++) {
+	          var text = getLine(doc, line).text, leftPos = findColumn(text, left, tabSize);
+	          if (left == right)
+	            ranges.push(new Range(Pos(line, leftPos), Pos(line, leftPos)));
+	          else if (text.length > leftPos)
+	            ranges.push(new Range(Pos(line, leftPos), Pos(line, findColumn(text, right, tabSize))));
+	        }
+	        if (!ranges.length) ranges.push(new Range(start, start));
+	        setSelection(doc, normalizeSelection(startSel.ranges.slice(0, ourIndex).concat(ranges), ourIndex),
+	                     {origin: "*mouse", scroll: false});
+	        cm.scrollIntoView(pos);
+	      } else {
+	        var oldRange = ourRange;
+	        var anchor = oldRange.anchor, head = pos;
+	        if (type != "single") {
+	          if (type == "double")
+	            var range = cm.findWordAt(pos);
+	          else
+	            var range = new Range(Pos(pos.line, 0), clipPos(doc, Pos(pos.line + 1, 0)));
+	          if (cmp(range.anchor, anchor) > 0) {
+	            head = range.head;
+	            anchor = minPos(oldRange.from(), range.anchor);
+	          } else {
+	            head = range.anchor;
+	            anchor = maxPos(oldRange.to(), range.head);
+	          }
+	        }
+	        var ranges = startSel.ranges.slice(0);
+	        ranges[ourIndex] = new Range(clipPos(doc, anchor), head);
+	        setSelection(doc, normalizeSelection(ranges, ourIndex), sel_mouse);
+	      }
+	    }
+	
+	    var editorSize = display.wrapper.getBoundingClientRect();
+	    // Used to ensure timeout re-tries don't fire when another extend
+	    // happened in the meantime (clearTimeout isn't reliable -- at
+	    // least on Chrome, the timeouts still happen even when cleared,
+	    // if the clear happens after their scheduled firing time).
+	    var counter = 0;
+	
+	    function extend(e) {
+	      var curCount = ++counter;
+	      var cur = posFromMouse(cm, e, true, type == "rect");
+	      if (!cur) return;
+	      if (cmp(cur, lastPos) != 0) {
+	        cm.curOp.focus = activeElt();
+	        extendTo(cur);
+	        var visible = visibleLines(display, doc);
+	        if (cur.line >= visible.to || cur.line < visible.from)
+	          setTimeout(operation(cm, function(){if (counter == curCount) extend(e);}), 150);
+	      } else {
+	        var outside = e.clientY < editorSize.top ? -20 : e.clientY > editorSize.bottom ? 20 : 0;
+	        if (outside) setTimeout(operation(cm, function() {
+	          if (counter != curCount) return;
+	          display.scroller.scrollTop += outside;
+	          extend(e);
+	        }), 50);
+	      }
+	    }
+	
+	    function done(e) {
+	      cm.state.selectingText = false;
+	      counter = Infinity;
+	      e_preventDefault(e);
+	      display.input.focus();
+	      off(document, "mousemove", move);
+	      off(document, "mouseup", up);
+	      doc.history.lastSelOrigin = null;
+	    }
+	
+	    var move = operation(cm, function(e) {
+	      if (!e_button(e)) done(e);
+	      else extend(e);
+	    });
+	    var up = operation(cm, done);
+	    cm.state.selectingText = up;
+	    on(document, "mousemove", move);
+	    on(document, "mouseup", up);
+	  }
+	
+	  // Determines whether an event happened in the gutter, and fires the
+	  // handlers for the corresponding event.
+	  function gutterEvent(cm, e, type, prevent) {
+	    try { var mX = e.clientX, mY = e.clientY; }
+	    catch(e) { return false; }
+	    if (mX >= Math.floor(cm.display.gutters.getBoundingClientRect().right)) return false;
+	    if (prevent) e_preventDefault(e);
+	
+	    var display = cm.display;
+	    var lineBox = display.lineDiv.getBoundingClientRect();
+	
+	    if (mY > lineBox.bottom || !hasHandler(cm, type)) return e_defaultPrevented(e);
+	    mY -= lineBox.top - display.viewOffset;
+	
+	    for (var i = 0; i < cm.options.gutters.length; ++i) {
+	      var g = display.gutters.childNodes[i];
+	      if (g && g.getBoundingClientRect().right >= mX) {
+	        var line = lineAtHeight(cm.doc, mY);
+	        var gutter = cm.options.gutters[i];
+	        signal(cm, type, cm, line, gutter, e);
+	        return e_defaultPrevented(e);
+	      }
+	    }
+	  }
+	
+	  function clickInGutter(cm, e) {
+	    return gutterEvent(cm, e, "gutterClick", true);
+	  }
+	
+	  // Kludge to work around strange IE behavior where it'll sometimes
+	  // re-fire a series of drag-related events right after the drop (#1551)
+	  var lastDrop = 0;
+	
+	  function onDrop(e) {
+	    var cm = this;
+	    clearDragCursor(cm);
+	    if (signalDOMEvent(cm, e) || eventInWidget(cm.display, e))
+	      return;
+	    e_preventDefault(e);
+	    if (ie) lastDrop = +new Date;
+	    var pos = posFromMouse(cm, e, true), files = e.dataTransfer.files;
+	    if (!pos || cm.isReadOnly()) return;
+	    // Might be a file drop, in which case we simply extract the text
+	    // and insert it.
+	    if (files && files.length && window.FileReader && window.File) {
+	      var n = files.length, text = Array(n), read = 0;
+	      var loadFile = function(file, i) {
+	        if (cm.options.allowDropFileTypes &&
+	            indexOf(cm.options.allowDropFileTypes, file.type) == -1)
+	          return;
+	
+	        var reader = new FileReader;
+	        reader.onload = operation(cm, function() {
+	          var content = reader.result;
+	          if (/[\x00-\x08\x0e-\x1f]{2}/.test(content)) content = "";
+	          text[i] = content;
+	          if (++read == n) {
+	            pos = clipPos(cm.doc, pos);
+	            var change = {from: pos, to: pos,
+	                          text: cm.doc.splitLines(text.join(cm.doc.lineSeparator())),
+	                          origin: "paste"};
+	            makeChange(cm.doc, change);
+	            setSelectionReplaceHistory(cm.doc, simpleSelection(pos, changeEnd(change)));
+	          }
+	        });
+	        reader.readAsText(file);
+	      };
+	      for (var i = 0; i < n; ++i) loadFile(files[i], i);
+	    } else { // Normal drop
+	      // Don't do a replace if the drop happened inside of the selected text.
+	      if (cm.state.draggingText && cm.doc.sel.contains(pos) > -1) {
+	        cm.state.draggingText(e);
+	        // Ensure the editor is re-focused
+	        setTimeout(function() {cm.display.input.focus();}, 20);
+	        return;
+	      }
+	      try {
+	        var text = e.dataTransfer.getData("Text");
+	        if (text) {
+	          if (cm.state.draggingText && !cm.state.draggingText.copy)
+	            var selected = cm.listSelections();
+	          setSelectionNoUndo(cm.doc, simpleSelection(pos, pos));
+	          if (selected) for (var i = 0; i < selected.length; ++i)
+	            replaceRange(cm.doc, "", selected[i].anchor, selected[i].head, "drag");
+	          cm.replaceSelection(text, "around", "paste");
+	          cm.display.input.focus();
+	        }
+	      }
+	      catch(e){}
+	    }
+	  }
+	
+	  function onDragStart(cm, e) {
+	    if (ie && (!cm.state.draggingText || +new Date - lastDrop < 100)) { e_stop(e); return; }
+	    if (signalDOMEvent(cm, e) || eventInWidget(cm.display, e)) return;
+	
+	    e.dataTransfer.setData("Text", cm.getSelection());
+	    e.dataTransfer.effectAllowed = "copyMove"
+	
+	    // Use dummy image instead of default browsers image.
+	    // Recent Safari (~6.0.2) have a tendency to segfault when this happens, so we don't do it there.
+	    if (e.dataTransfer.setDragImage && !safari) {
+	      var img = elt("img", null, null, "position: fixed; left: 0; top: 0;");
+	      img.src = "data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==";
+	      if (presto) {
+	        img.width = img.height = 1;
+	        cm.display.wrapper.appendChild(img);
+	        // Force a relayout, or Opera won't use our image for some obscure reason
+	        img._top = img.offsetTop;
+	      }
+	      e.dataTransfer.setDragImage(img, 0, 0);
+	      if (presto) img.parentNode.removeChild(img);
+	    }
+	  }
+	
+	  function onDragOver(cm, e) {
+	    var pos = posFromMouse(cm, e);
+	    if (!pos) return;
+	    var frag = document.createDocumentFragment();
+	    drawSelectionCursor(cm, pos, frag);
+	    if (!cm.display.dragCursor) {
+	      cm.display.dragCursor = elt("div", null, "CodeMirror-cursors CodeMirror-dragcursors");
+	      cm.display.lineSpace.insertBefore(cm.display.dragCursor, cm.display.cursorDiv);
+	    }
+	    removeChildrenAndAdd(cm.display.dragCursor, frag);
+	  }
+	
+	  function clearDragCursor(cm) {
+	    if (cm.display.dragCursor) {
+	      cm.display.lineSpace.removeChild(cm.display.dragCursor);
+	      cm.display.dragCursor = null;
+	    }
+	  }
+	
+	  // SCROLL EVENTS
+	
+	  // Sync the scrollable area and scrollbars, ensure the viewport
+	  // covers the visible area.
+	  function setScrollTop(cm, val) {
+	    if (Math.abs(cm.doc.scrollTop - val) < 2) return;
+	    cm.doc.scrollTop = val;
+	    if (!gecko) updateDisplaySimple(cm, {top: val});
+	    if (cm.display.scroller.scrollTop != val) cm.display.scroller.scrollTop = val;
+	    cm.display.scrollbars.setScrollTop(val);
+	    if (gecko) updateDisplaySimple(cm);
+	    startWorker(cm, 100);
+	  }
+	  // Sync scroller and scrollbar, ensure the gutter elements are
+	  // aligned.
+	  function setScrollLeft(cm, val, isScroller) {
+	    if (isScroller ? val == cm.doc.scrollLeft : Math.abs(cm.doc.scrollLeft - val) < 2) return;
+	    val = Math.min(val, cm.display.scroller.scrollWidth - cm.display.scroller.clientWidth);
+	    cm.doc.scrollLeft = val;
+	    alignHorizontally(cm);
+	    if (cm.display.scroller.scrollLeft != val) cm.display.scroller.scrollLeft = val;
+	    cm.display.scrollbars.setScrollLeft(val);
+	  }
+	
+	  // Since the delta values reported on mouse wheel events are
+	  // unstandardized between browsers and even browser versions, and
+	  // generally horribly unpredictable, this code starts by measuring
+	  // the scroll effect that the first few mouse wheel events have,
+	  // and, from that, detects the way it can convert deltas to pixel
+	  // offsets afterwards.
+	  //
+	  // The reason we want to know the amount a wheel event will scroll
+	  // is that it gives us a chance to update the display before the
+	  // actual scrolling happens, reducing flickering.
+	
+	  var wheelSamples = 0, wheelPixelsPerUnit = null;
+	  // Fill in a browser-detected starting value on browsers where we
+	  // know one. These don't have to be accurate -- the result of them
+	  // being wrong would just be a slight flicker on the first wheel
+	  // scroll (if it is large enough).
+	  if (ie) wheelPixelsPerUnit = -.53;
+	  else if (gecko) wheelPixelsPerUnit = 15;
+	  else if (chrome) wheelPixelsPerUnit = -.7;
+	  else if (safari) wheelPixelsPerUnit = -1/3;
+	
+	  var wheelEventDelta = function(e) {
+	    var dx = e.wheelDeltaX, dy = e.wheelDeltaY;
+	    if (dx == null && e.detail && e.axis == e.HORIZONTAL_AXIS) dx = e.detail;
+	    if (dy == null && e.detail && e.axis == e.VERTICAL_AXIS) dy = e.detail;
+	    else if (dy == null) dy = e.wheelDelta;
+	    return {x: dx, y: dy};
+	  };
+	  CodeMirror.wheelEventPixels = function(e) {
+	    var delta = wheelEventDelta(e);
+	    delta.x *= wheelPixelsPerUnit;
+	    delta.y *= wheelPixelsPerUnit;
+	    return delta;
+	  };
+	
+	  function onScrollWheel(cm, e) {
+	    var delta = wheelEventDelta(e), dx = delta.x, dy = delta.y;
+	
+	    var display = cm.display, scroll = display.scroller;
+	    // Quit if there's nothing to scroll here
+	    var canScrollX = scroll.scrollWidth > scroll.clientWidth;
+	    var canScrollY = scroll.scrollHeight > scroll.clientHeight;
+	    if (!(dx && canScrollX || dy && canScrollY)) return;
+	
+	    // Webkit browsers on OS X abort momentum scrolls when the target
+	    // of the scroll event is removed from the scrollable element.
+	    // This hack (see related code in patchDisplay) makes sure the
+	    // element is kept around.
+	    if (dy && mac && webkit) {
+	      outer: for (var cur = e.target, view = display.view; cur != scroll; cur = cur.parentNode) {
+	        for (var i = 0; i < view.length; i++) {
+	          if (view[i].node == cur) {
+	            cm.display.currentWheelTarget = cur;
+	            break outer;
+	          }
+	        }
+	      }
+	    }
+	
+	    // On some browsers, horizontal scrolling will cause redraws to
+	    // happen before the gutter has been realigned, causing it to
+	    // wriggle around in a most unseemly way. When we have an
+	    // estimated pixels/delta value, we just handle horizontal
+	    // scrolling entirely here. It'll be slightly off from native, but
+	    // better than glitching out.
+	    if (dx && !gecko && !presto && wheelPixelsPerUnit != null) {
+	      if (dy && canScrollY)
+	        setScrollTop(cm, Math.max(0, Math.min(scroll.scrollTop + dy * wheelPixelsPerUnit, scroll.scrollHeight - scroll.clientHeight)));
+	      setScrollLeft(cm, Math.max(0, Math.min(scroll.scrollLeft + dx * wheelPixelsPerUnit, scroll.scrollWidth - scroll.clientWidth)));
+	      // Only prevent default scrolling if vertical scrolling is
+	      // actually possible. Otherwise, it causes vertical scroll
+	      // jitter on OSX trackpads when deltaX is small and deltaY
+	      // is large (issue #3579)
+	      if (!dy || (dy && canScrollY))
+	        e_preventDefault(e);
+	      display.wheelStartX = null; // Abort measurement, if in progress
+	      return;
+	    }
+	
+	    // 'Project' the visible viewport to cover the area that is being
+	    // scrolled into view (if we know enough to estimate it).
+	    if (dy && wheelPixelsPerUnit != null) {
+	      var pixels = dy * wheelPixelsPerUnit;
+	      var top = cm.doc.scrollTop, bot = top + display.wrapper.clientHeight;
+	      if (pixels < 0) top = Math.max(0, top + pixels - 50);
+	      else bot = Math.min(cm.doc.height, bot + pixels + 50);
+	      updateDisplaySimple(cm, {top: top, bottom: bot});
+	    }
+	
+	    if (wheelSamples < 20) {
+	      if (display.wheelStartX == null) {
+	        display.wheelStartX = scroll.scrollLeft; display.wheelStartY = scroll.scrollTop;
+	        display.wheelDX = dx; display.wheelDY = dy;
+	        setTimeout(function() {
+	          if (display.wheelStartX == null) return;
+	          var movedX = scroll.scrollLeft - display.wheelStartX;
+	          var movedY = scroll.scrollTop - display.wheelStartY;
+	          var sample = (movedY && display.wheelDY && movedY / display.wheelDY) ||
+	            (movedX && display.wheelDX && movedX / display.wheelDX);
+	          display.wheelStartX = display.wheelStartY = null;
+	          if (!sample) return;
+	          wheelPixelsPerUnit = (wheelPixelsPerUnit * wheelSamples + sample) / (wheelSamples + 1);
+	          ++wheelSamples;
+	        }, 200);
+	      } else {
+	        display.wheelDX += dx; display.wheelDY += dy;
+	      }
+	    }
+	  }
+	
+	  // KEY EVENTS
+	
+	  // Run a handler that was bound to a key.
+	  function doHandleBinding(cm, bound, dropShift) {
+	    if (typeof bound == "string") {
+	      bound = commands[bound];
+	      if (!bound) return false;
+	    }
+	    // Ensure previous input has been read, so that the handler sees a
+	    // consistent view of the document
+	    cm.display.input.ensurePolled();
+	    var prevShift = cm.display.shift, done = false;
+	    try {
+	      if (cm.isReadOnly()) cm.state.suppressEdits = true;
+	      if (dropShift) cm.display.shift = false;
+	      done = bound(cm) != Pass;
+	    } finally {
+	      cm.display.shift = prevShift;
+	      cm.state.suppressEdits = false;
+	    }
+	    return done;
+	  }
+	
+	  function lookupKeyForEditor(cm, name, handle) {
+	    for (var i = 0; i < cm.state.keyMaps.length; i++) {
+	      var result = lookupKey(name, cm.state.keyMaps[i], handle, cm);
+	      if (result) return result;
+	    }
+	    return (cm.options.extraKeys && lookupKey(name, cm.options.extraKeys, handle, cm))
+	      || lookupKey(name, cm.options.keyMap, handle, cm);
+	  }
+	
+	  var stopSeq = new Delayed;
+	  function dispatchKey(cm, name, e, handle) {
+	    var seq = cm.state.keySeq;
+	    if (seq) {
+	      if (isModifierKey(name)) return "handled";
+	      stopSeq.set(50, function() {
+	        if (cm.state.keySeq == seq) {
+	          cm.state.keySeq = null;
+	          cm.display.input.reset();
+	        }
+	      });
+	      name = seq + " " + name;
+	    }
+	    var result = lookupKeyForEditor(cm, name, handle);
+	
+	    if (result == "multi")
+	      cm.state.keySeq = name;
+	    if (result == "handled")
+	      signalLater(cm, "keyHandled", cm, name, e);
+	
+	    if (result == "handled" || result == "multi") {
+	      e_preventDefault(e);
+	      restartBlink(cm);
+	    }
+	
+	    if (seq && !result && /\'$/.test(name)) {
+	      e_preventDefault(e);
+	      return true;
+	    }
+	    return !!result;
+	  }
+	
+	  // Handle a key from the keydown event.
+	  function handleKeyBinding(cm, e) {
+	    var name = keyName(e, true);
+	    if (!name) return false;
+	
+	    if (e.shiftKey && !cm.state.keySeq) {
+	      // First try to resolve full name (including 'Shift-'). Failing
+	      // that, see if there is a cursor-motion command (starting with
+	      // 'go') bound to the keyname without 'Shift-'.
+	      return dispatchKey(cm, "Shift-" + name, e, function(b) {return doHandleBinding(cm, b, true);})
+	          || dispatchKey(cm, name, e, function(b) {
+	               if (typeof b == "string" ? /^go[A-Z]/.test(b) : b.motion)
+	                 return doHandleBinding(cm, b);
+	             });
+	    } else {
+	      return dispatchKey(cm, name, e, function(b) { return doHandleBinding(cm, b); });
+	    }
+	  }
+	
+	  // Handle a key from the keypress event
+	  function handleCharBinding(cm, e, ch) {
+	    return dispatchKey(cm, "'" + ch + "'", e,
+	                       function(b) { return doHandleBinding(cm, b, true); });
+	  }
+	
+	  var lastStoppedKey = null;
+	  function onKeyDown(e) {
+	    var cm = this;
+	    cm.curOp.focus = activeElt();
+	    if (signalDOMEvent(cm, e)) return;
+	    // IE does strange things with escape.
+	    if (ie && ie_version < 11 && e.keyCode == 27) e.returnValue = false;
+	    var code = e.keyCode;
+	    cm.display.shift = code == 16 || e.shiftKey;
+	    var handled = handleKeyBinding(cm, e);
+	    if (presto) {
+	      lastStoppedKey = handled ? code : null;
+	      // Opera has no cut event... we try to at least catch the key combo
+	      if (!handled && code == 88 && !hasCopyEvent && (mac ? e.metaKey : e.ctrlKey))
+	        cm.replaceSelection("", null, "cut");
+	    }
+	
+	    // Turn mouse into crosshair when Alt is held on Mac.
+	    if (code == 18 && !/\bCodeMirror-crosshair\b/.test(cm.display.lineDiv.className))
+	      showCrossHair(cm);
+	  }
+	
+	  function showCrossHair(cm) {
+	    var lineDiv = cm.display.lineDiv;
+	    addClass(lineDiv, "CodeMirror-crosshair");
+	
+	    function up(e) {
+	      if (e.keyCode == 18 || !e.altKey) {
+	        rmClass(lineDiv, "CodeMirror-crosshair");
+	        off(document, "keyup", up);
+	        off(document, "mouseover", up);
+	      }
+	    }
+	    on(document, "keyup", up);
+	    on(document, "mouseover", up);
+	  }
+	
+	  function onKeyUp(e) {
+	    if (e.keyCode == 16) this.doc.sel.shift = false;
+	    signalDOMEvent(this, e);
+	  }
+	
+	  function onKeyPress(e) {
+	    var cm = this;
+	    if (eventInWidget(cm.display, e) || signalDOMEvent(cm, e) || e.ctrlKey && !e.altKey || mac && e.metaKey) return;
+	    var keyCode = e.keyCode, charCode = e.charCode;
+	    if (presto && keyCode == lastStoppedKey) {lastStoppedKey = null; e_preventDefault(e); return;}
+	    if ((presto && (!e.which || e.which < 10)) && handleKeyBinding(cm, e)) return;
+	    var ch = String.fromCharCode(charCode == null ? keyCode : charCode);
+	    if (handleCharBinding(cm, e, ch)) return;
+	    cm.display.input.onKeyPress(e);
+	  }
+	
+	  // FOCUS/BLUR EVENTS
+	
+	  function delayBlurEvent(cm) {
+	    cm.state.delayingBlurEvent = true;
+	    setTimeout(function() {
+	      if (cm.state.delayingBlurEvent) {
+	        cm.state.delayingBlurEvent = false;
+	        onBlur(cm);
+	      }
+	    }, 100);
+	  }
+	
+	  function onFocus(cm) {
+	    if (cm.state.delayingBlurEvent) cm.state.delayingBlurEvent = false;
+	
+	    if (cm.options.readOnly == "nocursor") return;
+	    if (!cm.state.focused) {
+	      signal(cm, "focus", cm);
+	      cm.state.focused = true;
+	      addClass(cm.display.wrapper, "CodeMirror-focused");
+	      // This test prevents this from firing when a context
+	      // menu is closed (since the input reset would kill the
+	      // select-all detection hack)
+	      if (!cm.curOp && cm.display.selForContextMenu != cm.doc.sel) {
+	        cm.display.input.reset();
+	        if (webkit) setTimeout(function() { cm.display.input.reset(true); }, 20); // Issue #1730
+	      }
+	      cm.display.input.receivedFocus();
+	    }
+	    restartBlink(cm);
+	  }
+	  function onBlur(cm) {
+	    if (cm.state.delayingBlurEvent) return;
+	
+	    if (cm.state.focused) {
+	      signal(cm, "blur", cm);
+	      cm.state.focused = false;
+	      rmClass(cm.display.wrapper, "CodeMirror-focused");
+	    }
+	    clearInterval(cm.display.blinker);
+	    setTimeout(function() {if (!cm.state.focused) cm.display.shift = false;}, 150);
+	  }
+	
+	  // CONTEXT MENU HANDLING
+	
+	  // To make the context menu work, we need to briefly unhide the
+	  // textarea (making it as unobtrusive as possible) to let the
+	  // right-click take effect on it.
+	  function onContextMenu(cm, e) {
+	    if (eventInWidget(cm.display, e) || contextMenuInGutter(cm, e)) return;
+	    if (signalDOMEvent(cm, e, "contextmenu")) return;
+	    cm.display.input.onContextMenu(e);
+	  }
+	
+	  function contextMenuInGutter(cm, e) {
+	    if (!hasHandler(cm, "gutterContextMenu")) return false;
+	    return gutterEvent(cm, e, "gutterContextMenu", false);
+	  }
+	
+	  // UPDATING
+	
+	  // Compute the position of the end of a change (its 'to' property
+	  // refers to the pre-change end).
+	  var changeEnd = CodeMirror.changeEnd = function(change) {
+	    if (!change.text) return change.to;
+	    return Pos(change.from.line + change.text.length - 1,
+	               lst(change.text).length + (change.text.length == 1 ? change.from.ch : 0));
+	  };
+	
+	  // Adjust a position to refer to the post-change position of the
+	  // same text, or the end of the change if the change covers it.
+	  function adjustForChange(pos, change) {
+	    if (cmp(pos, change.from) < 0) return pos;
+	    if (cmp(pos, change.to) <= 0) return changeEnd(change);
+	
+	    var line = pos.line + change.text.length - (change.to.line - change.from.line) - 1, ch = pos.ch;
+	    if (pos.line == change.to.line) ch += changeEnd(change).ch - change.to.ch;
+	    return Pos(line, ch);
+	  }
+	
+	  function computeSelAfterChange(doc, change) {
+	    var out = [];
+	    for (var i = 0; i < doc.sel.ranges.length; i++) {
+	      var range = doc.sel.ranges[i];
+	      out.push(new Range(adjustForChange(range.anchor, change),
+	                         adjustForChange(range.head, change)));
+	    }
+	    return normalizeSelection(out, doc.sel.primIndex);
+	  }
+	
+	  function offsetPos(pos, old, nw) {
+	    if (pos.line == old.line)
+	      return Pos(nw.line, pos.ch - old.ch + nw.ch);
+	    else
+	      return Pos(nw.line + (pos.line - old.line), pos.ch);
+	  }
+	
+	  // Used by replaceSelections to allow moving the selection to the
+	  // start or around the replaced test. Hint may be "start" or "around".
+	  function computeReplacedSel(doc, changes, hint) {
+	    var out = [];
+	    var oldPrev = Pos(doc.first, 0), newPrev = oldPrev;
+	    for (var i = 0; i < changes.length; i++) {
+	      var change = changes[i];
+	      var from = offsetPos(change.from, oldPrev, newPrev);
+	      var to = offsetPos(changeEnd(change), oldPrev, newPrev);
+	      oldPrev = change.to;
+	      newPrev = to;
+	      if (hint == "around") {
+	        var range = doc.sel.ranges[i], inv = cmp(range.head, range.anchor) < 0;
+	        out[i] = new Range(inv ? to : from, inv ? from : to);
+	      } else {
+	        out[i] = new Range(from, from);
+	      }
+	    }
+	    return new Selection(out, doc.sel.primIndex);
+	  }
+	
+	  // Allow "beforeChange" event handlers to influence a change
+	  function filterChange(doc, change, update) {
+	    var obj = {
+	      canceled: false,
+	      from: change.from,
+	      to: change.to,
+	      text: change.text,
+	      origin: change.origin,
+	      cancel: function() { this.canceled = true; }
+	    };
+	    if (update) obj.update = function(from, to, text, origin) {
+	      if (from) this.from = clipPos(doc, from);
+	      if (to) this.to = clipPos(doc, to);
+	      if (text) this.text = text;
+	      if (origin !== undefined) this.origin = origin;
+	    };
+	    signal(doc, "beforeChange", doc, obj);
+	    if (doc.cm) signal(doc.cm, "beforeChange", doc.cm, obj);
+	
+	    if (obj.canceled) return null;
+	    return {from: obj.from, to: obj.to, text: obj.text, origin: obj.origin};
+	  }
+	
+	  // Apply a change to a document, and add it to the document's
+	  // history, and propagating it to all linked documents.
+	  function makeChange(doc, change, ignoreReadOnly) {
+	    if (doc.cm) {
+	      if (!doc.cm.curOp) return operation(doc.cm, makeChange)(doc, change, ignoreReadOnly);
+	      if (doc.cm.state.suppressEdits) return;
+	    }
+	
+	    if (hasHandler(doc, "beforeChange") || doc.cm && hasHandler(doc.cm, "beforeChange")) {
+	      change = filterChange(doc, change, true);
+	      if (!change) return;
+	    }
+	
+	    // Possibly split or suppress the update based on the presence
+	    // of read-only spans in its range.
+	    var split = sawReadOnlySpans && !ignoreReadOnly && removeReadOnlyRanges(doc, change.from, change.to);
+	    if (split) {
+	      for (var i = split.length - 1; i >= 0; --i)
+	        makeChangeInner(doc, {from: split[i].from, to: split[i].to, text: i ? [""] : change.text});
+	    } else {
+	      makeChangeInner(doc, change);
+	    }
+	  }
+	
+	  function makeChangeInner(doc, change) {
+	    if (change.text.length == 1 && change.text[0] == "" && cmp(change.from, change.to) == 0) return;
+	    var selAfter = computeSelAfterChange(doc, change);
+	    addChangeToHistory(doc, change, selAfter, doc.cm ? doc.cm.curOp.id : NaN);
+	
+	    makeChangeSingleDoc(doc, change, selAfter, stretchSpansOverChange(doc, change));
+	    var rebased = [];
+	
+	    linkedDocs(doc, function(doc, sharedHist) {
+	      if (!sharedHist && indexOf(rebased, doc.history) == -1) {
+	        rebaseHist(doc.history, change);
+	        rebased.push(doc.history);
+	      }
+	      makeChangeSingleDoc(doc, change, null, stretchSpansOverChange(doc, change));
+	    });
+	  }
+	
+	  // Revert a change stored in a document's history.
+	  function makeChangeFromHistory(doc, type, allowSelectionOnly) {
+	    if (doc.cm && doc.cm.state.suppressEdits && !allowSelectionOnly) return;
+	
+	    var hist = doc.history, event, selAfter = doc.sel;
+	    var source = type == "undo" ? hist.done : hist.undone, dest = type == "undo" ? hist.undone : hist.done;
+	
+	    // Verify that there is a useable event (so that ctrl-z won't
+	    // needlessly clear selection events)
+	    for (var i = 0; i < source.length; i++) {
+	      event = source[i];
+	      if (allowSelectionOnly ? event.ranges && !event.equals(doc.sel) : !event.ranges)
+	        break;
+	    }
+	    if (i == source.length) return;
+	    hist.lastOrigin = hist.lastSelOrigin = null;
+	
+	    for (;;) {
+	      event = source.pop();
+	      if (event.ranges) {
+	        pushSelectionToHistory(event, dest);
+	        if (allowSelectionOnly && !event.equals(doc.sel)) {
+	          setSelection(doc, event, {clearRedo: false});
+	          return;
+	        }
+	        selAfter = event;
+	      }
+	      else break;
+	    }
+	
+	    // Build up a reverse change object to add to the opposite history
+	    // stack (redo when undoing, and vice versa).
+	    var antiChanges = [];
+	    pushSelectionToHistory(selAfter, dest);
+	    dest.push({changes: antiChanges, generation: hist.generation});
+	    hist.generation = event.generation || ++hist.maxGeneration;
+	
+	    var filter = hasHandler(doc, "beforeChange") || doc.cm && hasHandler(doc.cm, "beforeChange");
+	
+	    for (var i = event.changes.length - 1; i >= 0; --i) {
+	      var change = event.changes[i];
+	      change.origin = type;
+	      if (filter && !filterChange(doc, change, false)) {
+	        source.length = 0;
+	        return;
+	      }
+	
+	      antiChanges.push(historyChangeFromChange(doc, change));
+	
+	      var after = i ? computeSelAfterChange(doc, change) : lst(source);
+	      makeChangeSingleDoc(doc, change, after, mergeOldSpans(doc, change));
+	      if (!i && doc.cm) doc.cm.scrollIntoView({from: change.from, to: changeEnd(change)});
+	      var rebased = [];
+	
+	      // Propagate to the linked documents
+	      linkedDocs(doc, function(doc, sharedHist) {
+	        if (!sharedHist && indexOf(rebased, doc.history) == -1) {
+	          rebaseHist(doc.history, change);
+	          rebased.push(doc.history);
+	        }
+	        makeChangeSingleDoc(doc, change, null, mergeOldSpans(doc, change));
+	      });
+	    }
+	  }
+	
+	  // Sub-views need their line numbers shifted when text is added
+	  // above or below them in the parent document.
+	  function shiftDoc(doc, distance) {
+	    if (distance == 0) return;
+	    doc.first += distance;
+	    doc.sel = new Selection(map(doc.sel.ranges, function(range) {
+	      return new Range(Pos(range.anchor.line + distance, range.anchor.ch),
+	                       Pos(range.head.line + distance, range.head.ch));
+	    }), doc.sel.primIndex);
+	    if (doc.cm) {
+	      regChange(doc.cm, doc.first, doc.first - distance, distance);
+	      for (var d = doc.cm.display, l = d.viewFrom; l < d.viewTo; l++)
+	        regLineChange(doc.cm, l, "gutter");
+	    }
+	  }
+	
+	  // More lower-level change function, handling only a single document
+	  // (not linked ones).
+	  function makeChangeSingleDoc(doc, change, selAfter, spans) {
+	    if (doc.cm && !doc.cm.curOp)
+	      return operation(doc.cm, makeChangeSingleDoc)(doc, change, selAfter, spans);
+	
+	    if (change.to.line < doc.first) {
+	      shiftDoc(doc, change.text.length - 1 - (change.to.line - change.from.line));
+	      return;
+	    }
+	    if (change.from.line > doc.lastLine()) return;
+	
+	    // Clip the change to the size of this doc
+	    if (change.from.line < doc.first) {
+	      var shift = change.text.length - 1 - (doc.first - change.from.line);
+	      shiftDoc(doc, shift);
+	      change = {from: Pos(doc.first, 0), to: Pos(change.to.line + shift, change.to.ch),
+	                text: [lst(change.text)], origin: change.origin};
+	    }
+	    var last = doc.lastLine();
+	    if (change.to.line > last) {
+	      change = {from: change.from, to: Pos(last, getLine(doc, last).text.length),
+	                text: [change.text[0]], origin: change.origin};
+	    }
+	
+	    change.removed = getBetween(doc, change.from, change.to);
+	
+	    if (!selAfter) selAfter = computeSelAfterChange(doc, change);
+	    if (doc.cm) makeChangeSingleDocInEditor(doc.cm, change, spans);
+	    else updateDoc(doc, change, spans);
+	    setSelectionNoUndo(doc, selAfter, sel_dontScroll);
+	  }
+	
+	  // Handle the interaction of a change to a document with the editor
+	  // that this document is part of.
+	  function makeChangeSingleDocInEditor(cm, change, spans) {
+	    var doc = cm.doc, display = cm.display, from = change.from, to = change.to;
+	
+	    var recomputeMaxLength = false, checkWidthStart = from.line;
+	    if (!cm.options.lineWrapping) {
+	      checkWidthStart = lineNo(visualLine(getLine(doc, from.line)));
+	      doc.iter(checkWidthStart, to.line + 1, function(line) {
+	        if (line == display.maxLine) {
+	          recomputeMaxLength = true;
+	          return true;
+	        }
+	      });
+	    }
+	
+	    if (doc.sel.contains(change.from, change.to) > -1)
+	      signalCursorActivity(cm);
+	
+	    updateDoc(doc, change, spans, estimateHeight(cm));
+	
+	    if (!cm.options.lineWrapping) {
+	      doc.iter(checkWidthStart, from.line + change.text.length, function(line) {
+	        var len = lineLength(line);
+	        if (len > display.maxLineLength) {
+	          display.maxLine = line;
+	          display.maxLineLength = len;
+	          display.maxLineChanged = true;
+	          recomputeMaxLength = false;
+	        }
+	      });
+	      if (recomputeMaxLength) cm.curOp.updateMaxLine = true;
+	    }
+	
+	    // Adjust frontier, schedule worker
+	    doc.frontier = Math.min(doc.frontier, from.line);
+	    startWorker(cm, 400);
+	
+	    var lendiff = change.text.length - (to.line - from.line) - 1;
+	    // Remember that these lines changed, for updating the display
+	    if (change.full)
+	      regChange(cm);
+	    else if (from.line == to.line && change.text.length == 1 && !isWholeLineUpdate(cm.doc, change))
+	      regLineChange(cm, from.line, "text");
+	    else
+	      regChange(cm, from.line, to.line + 1, lendiff);
+	
+	    var changesHandler = hasHandler(cm, "changes"), changeHandler = hasHandler(cm, "change");
+	    if (changeHandler || changesHandler) {
+	      var obj = {
+	        from: from, to: to,
+	        text: change.text,
+	        removed: change.removed,
+	        origin: change.origin
+	      };
+	      if (changeHandler) signalLater(cm, "change", cm, obj);
+	      if (changesHandler) (cm.curOp.changeObjs || (cm.curOp.changeObjs = [])).push(obj);
+	    }
+	    cm.display.selForContextMenu = null;
+	  }
+	
+	  function replaceRange(doc, code, from, to, origin) {
+	    if (!to) to = from;
+	    if (cmp(to, from) < 0) { var tmp = to; to = from; from = tmp; }
+	    if (typeof code == "string") code = doc.splitLines(code);
+	    makeChange(doc, {from: from, to: to, text: code, origin: origin});
+	  }
+	
+	  // SCROLLING THINGS INTO VIEW
+	
+	  // If an editor sits on the top or bottom of the window, partially
+	  // scrolled out of view, this ensures that the cursor is visible.
+	  function maybeScrollWindow(cm, coords) {
+	    if (signalDOMEvent(cm, "scrollCursorIntoView")) return;
+	
+	    var display = cm.display, box = display.sizer.getBoundingClientRect(), doScroll = null;
+	    if (coords.top + box.top < 0) doScroll = true;
+	    else if (coords.bottom + box.top > (window.innerHeight || document.documentElement.clientHeight)) doScroll = false;
+	    if (doScroll != null && !phantom) {
+	      var scrollNode = elt("div", "\u200b", null, "position: absolute; top: " +
+	                           (coords.top - display.viewOffset - paddingTop(cm.display)) + "px; height: " +
+	                           (coords.bottom - coords.top + scrollGap(cm) + display.barHeight) + "px; left: " +
+	                           coords.left + "px; width: 2px;");
+	      cm.display.lineSpace.appendChild(scrollNode);
+	      scrollNode.scrollIntoView(doScroll);
+	      cm.display.lineSpace.removeChild(scrollNode);
+	    }
+	  }
+	
+	  // Scroll a given position into view (immediately), verifying that
+	  // it actually became visible (as line heights are accurately
+	  // measured, the position of something may 'drift' during drawing).
+	  function scrollPosIntoView(cm, pos, end, margin) {
+	    if (margin == null) margin = 0;
+	    for (var limit = 0; limit < 5; limit++) {
+	      var changed = false, coords = cursorCoords(cm, pos);
+	      var endCoords = !end || end == pos ? coords : cursorCoords(cm, end);
+	      var scrollPos = calculateScrollPos(cm, Math.min(coords.left, endCoords.left),
+	                                         Math.min(coords.top, endCoords.top) - margin,
+	                                         Math.max(coords.left, endCoords.left),
+	                                         Math.max(coords.bottom, endCoords.bottom) + margin);
+	      var startTop = cm.doc.scrollTop, startLeft = cm.doc.scrollLeft;
+	      if (scrollPos.scrollTop != null) {
+	        setScrollTop(cm, scrollPos.scrollTop);
+	        if (Math.abs(cm.doc.scrollTop - startTop) > 1) changed = true;
+	      }
+	      if (scrollPos.scrollLeft != null) {
+	        setScrollLeft(cm, scrollPos.scrollLeft);
+	        if (Math.abs(cm.doc.scrollLeft - startLeft) > 1) changed = true;
+	      }
+	      if (!changed) break;
+	    }
+	    return coords;
+	  }
+	
+	  // Scroll a given set of coordinates into view (immediately).
+	  function scrollIntoView(cm, x1, y1, x2, y2) {
+	    var scrollPos = calculateScrollPos(cm, x1, y1, x2, y2);
+	    if (scrollPos.scrollTop != null) setScrollTop(cm, scrollPos.scrollTop);
+	    if (scrollPos.scrollLeft != null) setScrollLeft(cm, scrollPos.scrollLeft);
+	  }
+	
+	  // Calculate a new scroll position needed to scroll the given
+	  // rectangle into view. Returns an object with scrollTop and
+	  // scrollLeft properties. When these are undefined, the
+	  // vertical/horizontal position does not need to be adjusted.
+	  function calculateScrollPos(cm, x1, y1, x2, y2) {
+	    var display = cm.display, snapMargin = textHeight(cm.display);
+	    if (y1 < 0) y1 = 0;
+	    var screentop = cm.curOp && cm.curOp.scrollTop != null ? cm.curOp.scrollTop : display.scroller.scrollTop;
+	    var screen = displayHeight(cm), result = {};
+	    if (y2 - y1 > screen) y2 = y1 + screen;
+	    var docBottom = cm.doc.height + paddingVert(display);
+	    var atTop = y1 < snapMargin, atBottom = y2 > docBottom - snapMargin;
+	    if (y1 < screentop) {
+	      result.scrollTop = atTop ? 0 : y1;
+	    } else if (y2 > screentop + screen) {
+	      var newTop = Math.min(y1, (atBottom ? docBottom : y2) - screen);
+	      if (newTop != screentop) result.scrollTop = newTop;
+	    }
+	
+	    var screenleft = cm.curOp && cm.curOp.scrollLeft != null ? cm.curOp.scrollLeft : display.scroller.scrollLeft;
+	    var screenw = displayWidth(cm) - (cm.options.fixedGutter ? display.gutters.offsetWidth : 0);
+	    var tooWide = x2 - x1 > screenw;
+	    if (tooWide) x2 = x1 + screenw;
+	    if (x1 < 10)
+	      result.scrollLeft = 0;
+	    else if (x1 < screenleft)
+	      result.scrollLeft = Math.max(0, x1 - (tooWide ? 0 : 10));
+	    else if (x2 > screenw + screenleft - 3)
+	      result.scrollLeft = x2 + (tooWide ? 0 : 10) - screenw;
+	    return result;
+	  }
+	
+	  // Store a relative adjustment to the scroll position in the current
+	  // operation (to be applied when the operation finishes).
+	  function addToScrollPos(cm, left, top) {
+	    if (left != null || top != null) resolveScrollToPos(cm);
+	    if (left != null)
+	      cm.curOp.scrollLeft = (cm.curOp.scrollLeft == null ? cm.doc.scrollLeft : cm.curOp.scrollLeft) + left;
+	    if (top != null)
+	      cm.curOp.scrollTop = (cm.curOp.scrollTop == null ? cm.doc.scrollTop : cm.curOp.scrollTop) + top;
+	  }
+	
+	  // Make sure that at the end of the operation the current cursor is
+	  // shown.
+	  function ensureCursorVisible(cm) {
+	    resolveScrollToPos(cm);
+	    var cur = cm.getCursor(), from = cur, to = cur;
+	    if (!cm.options.lineWrapping) {
+	      from = cur.ch ? Pos(cur.line, cur.ch - 1) : cur;
+	      to = Pos(cur.line, cur.ch + 1);
+	    }
+	    cm.curOp.scrollToPos = {from: from, to: to, margin: cm.options.cursorScrollMargin, isCursor: true};
+	  }
+	
+	  // When an operation has its scrollToPos property set, and another
+	  // scroll action is applied before the end of the operation, this
+	  // 'simulates' scrolling that position into view in a cheap way, so
+	  // that the effect of intermediate scroll commands is not ignored.
+	  function resolveScrollToPos(cm) {
+	    var range = cm.curOp.scrollToPos;
+	    if (range) {
+	      cm.curOp.scrollToPos = null;
+	      var from = estimateCoords(cm, range.from), to = estimateCoords(cm, range.to);
+	      var sPos = calculateScrollPos(cm, Math.min(from.left, to.left),
+	                                    Math.min(from.top, to.top) - range.margin,
+	                                    Math.max(from.right, to.right),
+	                                    Math.max(from.bottom, to.bottom) + range.margin);
+	      cm.scrollTo(sPos.scrollLeft, sPos.scrollTop);
+	    }
+	  }
+	
+	  // API UTILITIES
+	
+	  // Indent the given line. The how parameter can be "smart",
+	  // "add"/null, "subtract", or "prev". When aggressive is false
+	  // (typically set to true for forced single-line indents), empty
+	  // lines are not indented, and places where the mode returns Pass
+	  // are left alone.
+	  function indentLine(cm, n, how, aggressive) {
+	    var doc = cm.doc, state;
+	    if (how == null) how = "add";
+	    if (how == "smart") {
+	      // Fall back to "prev" when the mode doesn't have an indentation
+	      // method.
+	      if (!doc.mode.indent) how = "prev";
+	      else state = getStateBefore(cm, n);
+	    }
+	
+	    var tabSize = cm.options.tabSize;
+	    var line = getLine(doc, n), curSpace = countColumn(line.text, null, tabSize);
+	    if (line.stateAfter) line.stateAfter = null;
+	    var curSpaceString = line.text.match(/^\s*/)[0], indentation;
+	    if (!aggressive && !/\S/.test(line.text)) {
+	      indentation = 0;
+	      how = "not";
+	    } else if (how == "smart") {
+	      indentation = doc.mode.indent(state, line.text.slice(curSpaceString.length), line.text);
+	      if (indentation == Pass || indentation > 150) {
+	        if (!aggressive) return;
+	        how = "prev";
+	      }
+	    }
+	    if (how == "prev") {
+	      if (n > doc.first) indentation = countColumn(getLine(doc, n-1).text, null, tabSize);
+	      else indentation = 0;
+	    } else if (how == "add") {
+	      indentation = curSpace + cm.options.indentUnit;
+	    } else if (how == "subtract") {
+	      indentation = curSpace - cm.options.indentUnit;
+	    } else if (typeof how == "number") {
+	      indentation = curSpace + how;
+	    }
+	    indentation = Math.max(0, indentation);
+	
+	    var indentString = "", pos = 0;
+	    if (cm.options.indentWithTabs)
+	      for (var i = Math.floor(indentation / tabSize); i; --i) {pos += tabSize; indentString += "\t";}
+	    if (pos < indentation) indentString += spaceStr(indentation - pos);
+	
+	    if (indentString != curSpaceString) {
+	      replaceRange(doc, indentString, Pos(n, 0), Pos(n, curSpaceString.length), "+input");
+	      line.stateAfter = null;
+	      return true;
+	    } else {
+	      // Ensure that, if the cursor was in the whitespace at the start
+	      // of the line, it is moved to the end of that space.
+	      for (var i = 0; i < doc.sel.ranges.length; i++) {
+	        var range = doc.sel.ranges[i];
+	        if (range.head.line == n && range.head.ch < curSpaceString.length) {
+	          var pos = Pos(n, curSpaceString.length);
+	          replaceOneSelection(doc, i, new Range(pos, pos));
+	          break;
+	        }
+	      }
+	    }
+	  }
+	
+	  // Utility for applying a change to a line by handle or number,
+	  // returning the number and optionally registering the line as
+	  // changed.
+	  function changeLine(doc, handle, changeType, op) {
+	    var no = handle, line = handle;
+	    if (typeof handle == "number") line = getLine(doc, clipLine(doc, handle));
+	    else no = lineNo(handle);
+	    if (no == null) return null;
+	    if (op(line, no) && doc.cm) regLineChange(doc.cm, no, changeType);
+	    return line;
+	  }
+	
+	  // Helper for deleting text near the selection(s), used to implement
+	  // backspace, delete, and similar functionality.
+	  function deleteNearSelection(cm, compute) {
+	    var ranges = cm.doc.sel.ranges, kill = [];
+	    // Build up a set of ranges to kill first, merging overlapping
+	    // ranges.
+	    for (var i = 0; i < ranges.length; i++) {
+	      var toKill = compute(ranges[i]);
+	      while (kill.length && cmp(toKill.from, lst(kill).to) <= 0) {
+	        var replaced = kill.pop();
+	        if (cmp(replaced.from, toKill.from) < 0) {
+	          toKill.from = replaced.from;
+	          break;
+	        }
+	      }
+	      kill.push(toKill);
+	    }
+	    // Next, remove those actual ranges.
+	    runInOp(cm, function() {
+	      for (var i = kill.length - 1; i >= 0; i--)
+	        replaceRange(cm.doc, "", kill[i].from, kill[i].to, "+delete");
+	      ensureCursorVisible(cm);
+	    });
+	  }
+	
+	  // Used for horizontal relative motion. Dir is -1 or 1 (left or
+	  // right), unit can be "char", "column" (like char, but doesn't
+	  // cross line boundaries), "word" (across next word), or "group" (to
+	  // the start of next group of word or non-word-non-whitespace
+	  // chars). The visually param controls whether, in right-to-left
+	  // text, direction 1 means to move towards the next index in the
+	  // string, or towards the character to the right of the current
+	  // position. The resulting position will have a hitSide=true
+	  // property if it reached the end of the document.
+	  function findPosH(doc, pos, dir, unit, visually) {
+	    var line = pos.line, ch = pos.ch, origDir = dir;
+	    var lineObj = getLine(doc, line);
+	    function findNextLine() {
+	      var l = line + dir;
+	      if (l < doc.first || l >= doc.first + doc.size) return false
+	      line = l;
+	      return lineObj = getLine(doc, l);
+	    }
+	    function moveOnce(boundToLine) {
+	      var next = (visually ? moveVisually : moveLogically)(lineObj, ch, dir, true);
+	      if (next == null) {
+	        if (!boundToLine && findNextLine()) {
+	          if (visually) ch = (dir < 0 ? lineRight : lineLeft)(lineObj);
+	          else ch = dir < 0 ? lineObj.text.length : 0;
+	        } else return false
+	      } else ch = next;
+	      return true;
+	    }
+	
+	    if (unit == "char") {
+	      moveOnce()
+	    } else if (unit == "column") {
+	      moveOnce(true)
+	    } else if (unit == "word" || unit == "group") {
+	      var sawType = null, group = unit == "group";
+	      var helper = doc.cm && doc.cm.getHelper(pos, "wordChars");
+	      for (var first = true;; first = false) {
+	        if (dir < 0 && !moveOnce(!first)) break;
+	        var cur = lineObj.text.charAt(ch) || "\n";
+	        var type = isWordChar(cur, helper) ? "w"
+	          : group && cur == "\n" ? "n"
+	          : !group || /\s/.test(cur) ? null
+	          : "p";
+	        if (group && !first && !type) type = "s";
+	        if (sawType && sawType != type) {
+	          if (dir < 0) {dir = 1; moveOnce();}
+	          break;
+	        }
+	
+	        if (type) sawType = type;
+	        if (dir > 0 && !moveOnce(!first)) break;
+	      }
+	    }
+	    var result = skipAtomic(doc, Pos(line, ch), pos, origDir, true);
+	    if (!cmp(pos, result)) result.hitSide = true;
+	    return result;
+	  }
+	
+	  // For relative vertical movement. Dir may be -1 or 1. Unit can be
+	  // "page" or "line". The resulting position will have a hitSide=true
+	  // property if it reached the end of the document.
+	  function findPosV(cm, pos, dir, unit) {
+	    var doc = cm.doc, x = pos.left, y;
+	    if (unit == "page") {
+	      var pageSize = Math.min(cm.display.wrapper.clientHeight, window.innerHeight || document.documentElement.clientHeight);
+	      y = pos.top + dir * (pageSize - (dir < 0 ? 1.5 : .5) * textHeight(cm.display));
+	    } else if (unit == "line") {
+	      y = dir > 0 ? pos.bottom + 3 : pos.top - 3;
+	    }
+	    for (;;) {
+	      var target = coordsChar(cm, x, y);
+	      if (!target.outside) break;
+	      if (dir < 0 ? y <= 0 : y >= doc.height) { target.hitSide = true; break; }
+	      y += dir * 5;
+	    }
+	    return target;
+	  }
+	
+	  // EDITOR METHODS
+	
+	  // The publicly visible API. Note that methodOp(f) means
+	  // 'wrap f in an operation, performed on its `this` parameter'.
+	
+	  // This is not the complete set of editor methods. Most of the
+	  // methods defined on the Doc type are also injected into
+	  // CodeMirror.prototype, for backwards compatibility and
+	  // convenience.
+	
+	  CodeMirror.prototype = {
+	    constructor: CodeMirror,
+	    focus: function(){window.focus(); this.display.input.focus();},
+	
+	    setOption: function(option, value) {
+	      var options = this.options, old = options[option];
+	      if (options[option] == value && option != "mode") return;
+	      options[option] = value;
+	      if (optionHandlers.hasOwnProperty(option))
+	        operation(this, optionHandlers[option])(this, value, old);
+	    },
+	
+	    getOption: function(option) {return this.options[option];},
+	    getDoc: function() {return this.doc;},
+	
+	    addKeyMap: function(map, bottom) {
+	      this.state.keyMaps[bottom ? "push" : "unshift"](getKeyMap(map));
+	    },
+	    removeKeyMap: function(map) {
+	      var maps = this.state.keyMaps;
+	      for (var i = 0; i < maps.length; ++i)
+	        if (maps[i] == map || maps[i].name == map) {
+	          maps.splice(i, 1);
+	          return true;
+	        }
+	    },
+	
+	    addOverlay: methodOp(function(spec, options) {
+	      var mode = spec.token ? spec : CodeMirror.getMode(this.options, spec);
+	      if (mode.startState) throw new Error("Overlays may not be stateful.");
+	      insertSorted(this.state.overlays,
+	                   {mode: mode, modeSpec: spec, opaque: options && options.opaque,
+	                    priority: (options && options.priority) || 0},
+	                   function(overlay) { return overlay.priority })
+	      this.state.modeGen++;
+	      regChange(this);
+	    }),
+	    removeOverlay: methodOp(function(spec) {
+	      var overlays = this.state.overlays;
+	      for (var i = 0; i < overlays.length; ++i) {
+	        var cur = overlays[i].modeSpec;
+	        if (cur == spec || typeof spec == "string" && cur.name == spec) {
+	          overlays.splice(i, 1);
+	          this.state.modeGen++;
+	          regChange(this);
+	          return;
+	        }
+	      }
+	    }),
+	
+	    indentLine: methodOp(function(n, dir, aggressive) {
+	      if (typeof dir != "string" && typeof dir != "number") {
+	        if (dir == null) dir = this.options.smartIndent ? "smart" : "prev";
+	        else dir = dir ? "add" : "subtract";
+	      }
+	      if (isLine(this.doc, n)) indentLine(this, n, dir, aggressive);
+	    }),
+	    indentSelection: methodOp(function(how) {
+	      var ranges = this.doc.sel.ranges, end = -1;
+	      for (var i = 0; i < ranges.length; i++) {
+	        var range = ranges[i];
+	        if (!range.empty()) {
+	          var from = range.from(), to = range.to();
+	          var start = Math.max(end, from.line);
+	          end = Math.min(this.lastLine(), to.line - (to.ch ? 0 : 1)) + 1;
+	          for (var j = start; j < end; ++j)
+	            indentLine(this, j, how);
+	          var newRanges = this.doc.sel.ranges;
+	          if (from.ch == 0 && ranges.length == newRanges.length && newRanges[i].from().ch > 0)
+	            replaceOneSelection(this.doc, i, new Range(from, newRanges[i].to()), sel_dontScroll);
+	        } else if (range.head.line > end) {
+	          indentLine(this, range.head.line, how, true);
+	          end = range.head.line;
+	          if (i == this.doc.sel.primIndex) ensureCursorVisible(this);
+	        }
+	      }
+	    }),
+	
+	    // Fetch the parser token for a given character. Useful for hacks
+	    // that want to inspect the mode state (say, for completion).
+	    getTokenAt: function(pos, precise) {
+	      return takeToken(this, pos, precise);
+	    },
+	
+	    getLineTokens: function(line, precise) {
+	      return takeToken(this, Pos(line), precise, true);
+	    },
+	
+	    getTokenTypeAt: function(pos) {
+	      pos = clipPos(this.doc, pos);
+	      var styles = getLineStyles(this, getLine(this.doc, pos.line));
+	      var before = 0, after = (styles.length - 1) / 2, ch = pos.ch;
+	      var type;
+	      if (ch == 0) type = styles[2];
+	      else for (;;) {
+	        var mid = (before + after) >> 1;
+	        if ((mid ? styles[mid * 2 - 1] : 0) >= ch) after = mid;
+	        else if (styles[mid * 2 + 1] < ch) before = mid + 1;
+	        else { type = styles[mid * 2 + 2]; break; }
+	      }
+	      var cut = type ? type.indexOf("cm-overlay ") : -1;
+	      return cut < 0 ? type : cut == 0 ? null : type.slice(0, cut - 1);
+	    },
+	
+	    getModeAt: function(pos) {
+	      var mode = this.doc.mode;
+	      if (!mode.innerMode) return mode;
+	      return CodeMirror.innerMode(mode, this.getTokenAt(pos).state).mode;
+	    },
+	
+	    getHelper: function(pos, type) {
+	      return this.getHelpers(pos, type)[0];
+	    },
+	
+	    getHelpers: function(pos, type) {
+	      var found = [];
+	      if (!helpers.hasOwnProperty(type)) return found;
+	      var help = helpers[type], mode = this.getModeAt(pos);
+	      if (typeof mode[type] == "string") {
+	        if (help[mode[type]]) found.push(help[mode[type]]);
+	      } else if (mode[type]) {
+	        for (var i = 0; i < mode[type].length; i++) {
+	          var val = help[mode[type][i]];
+	          if (val) found.push(val);
+	        }
+	      } else if (mode.helperType && help[mode.helperType]) {
+	        found.push(help[mode.helperType]);
+	      } else if (help[mode.name]) {
+	        found.push(help[mode.name]);
+	      }
+	      for (var i = 0; i < help._global.length; i++) {
+	        var cur = help._global[i];
+	        if (cur.pred(mode, this) && indexOf(found, cur.val) == -1)
+	          found.push(cur.val);
+	      }
+	      return found;
+	    },
+	
+	    getStateAfter: function(line, precise) {
+	      var doc = this.doc;
+	      line = clipLine(doc, line == null ? doc.first + doc.size - 1: line);
+	      return getStateBefore(this, line + 1, precise);
+	    },
+	
+	    cursorCoords: function(start, mode) {
+	      var pos, range = this.doc.sel.primary();
+	      if (start == null) pos = range.head;
+	      else if (typeof start == "object") pos = clipPos(this.doc, start);
+	      else pos = start ? range.from() : range.to();
+	      return cursorCoords(this, pos, mode || "page");
+	    },
+	
+	    charCoords: function(pos, mode) {
+	      return charCoords(this, clipPos(this.doc, pos), mode || "page");
+	    },
+	
+	    coordsChar: function(coords, mode) {
+	      coords = fromCoordSystem(this, coords, mode || "page");
+	      return coordsChar(this, coords.left, coords.top);
+	    },
+	
+	    lineAtHeight: function(height, mode) {
+	      height = fromCoordSystem(this, {top: height, left: 0}, mode || "page").top;
+	      return lineAtHeight(this.doc, height + this.display.viewOffset);
+	    },
+	    heightAtLine: function(line, mode) {
+	      var end = false, lineObj;
+	      if (typeof line == "number") {
+	        var last = this.doc.first + this.doc.size - 1;
+	        if (line < this.doc.first) line = this.doc.first;
+	        else if (line > last) { line = last; end = true; }
+	        lineObj = getLine(this.doc, line);
+	      } else {
+	        lineObj = line;
+	      }
+	      return intoCoordSystem(this, lineObj, {top: 0, left: 0}, mode || "page").top +
+	        (end ? this.doc.height - heightAtLine(lineObj) : 0);
+	    },
+	
+	    defaultTextHeight: function() { return textHeight(this.display); },
+	    defaultCharWidth: function() { return charWidth(this.display); },
+	
+	    setGutterMarker: methodOp(function(line, gutterID, value) {
+	      return changeLine(this.doc, line, "gutter", function(line) {
+	        var markers = line.gutterMarkers || (line.gutterMarkers = {});
+	        markers[gutterID] = value;
+	        if (!value && isEmpty(markers)) line.gutterMarkers = null;
+	        return true;
+	      });
+	    }),
+	
+	    clearGutter: methodOp(function(gutterID) {
+	      var cm = this, doc = cm.doc, i = doc.first;
+	      doc.iter(function(line) {
+	        if (line.gutterMarkers && line.gutterMarkers[gutterID]) {
+	          line.gutterMarkers[gutterID] = null;
+	          regLineChange(cm, i, "gutter");
+	          if (isEmpty(line.gutterMarkers)) line.gutterMarkers = null;
+	        }
+	        ++i;
+	      });
+	    }),
+	
+	    lineInfo: function(line) {
+	      if (typeof line == "number") {
+	        if (!isLine(this.doc, line)) return null;
+	        var n = line;
+	        line = getLine(this.doc, line);
+	        if (!line) return null;
+	      } else {
+	        var n = lineNo(line);
+	        if (n == null) return null;
+	      }
+	      return {line: n, handle: line, text: line.text, gutterMarkers: line.gutterMarkers,
+	              textClass: line.textClass, bgClass: line.bgClass, wrapClass: line.wrapClass,
+	              widgets: line.widgets};
+	    },
+	
+	    getViewport: function() { return {from: this.display.viewFrom, to: this.display.viewTo};},
+	
+	    addWidget: function(pos, node, scroll, vert, horiz) {
+	      var display = this.display;
+	      pos = cursorCoords(this, clipPos(this.doc, pos));
+	      var top = pos.bottom, left = pos.left;
+	      node.style.position = "absolute";
+	      node.setAttribute("cm-ignore-events", "true");
+	      this.display.input.setUneditable(node);
+	      display.sizer.appendChild(node);
+	      if (vert == "over") {
+	        top = pos.top;
+	      } else if (vert == "above" || vert == "near") {
+	        var vspace = Math.max(display.wrapper.clientHeight, this.doc.height),
+	        hspace = Math.max(display.sizer.clientWidth, display.lineSpace.clientWidth);
+	        // Default to positioning above (if specified and possible); otherwise default to positioning below
+	        if ((vert == 'above' || pos.bottom + node.offsetHeight > vspace) && pos.top > node.offsetHeight)
+	          top = pos.top - node.offsetHeight;
+	        else if (pos.bottom + node.offsetHeight <= vspace)
+	          top = pos.bottom;
+	        if (left + node.offsetWidth > hspace)
+	          left = hspace - node.offsetWidth;
+	      }
+	      node.style.top = top + "px";
+	      node.style.left = node.style.right = "";
+	      if (horiz == "right") {
+	        left = display.sizer.clientWidth - node.offsetWidth;
+	        node.style.right = "0px";
+	      } else {
+	        if (horiz == "left") left = 0;
+	        else if (horiz == "middle") left = (display.sizer.clientWidth - node.offsetWidth) / 2;
+	        node.style.left = left + "px";
+	      }
+	      if (scroll)
+	        scrollIntoView(this, left, top, left + node.offsetWidth, top + node.offsetHeight);
+	    },
+	
+	    triggerOnKeyDown: methodOp(onKeyDown),
+	    triggerOnKeyPress: methodOp(onKeyPress),
+	    triggerOnKeyUp: onKeyUp,
+	
+	    execCommand: function(cmd) {
+	      if (commands.hasOwnProperty(cmd))
+	        return commands[cmd].call(null, this);
+	    },
+	
+	    triggerElectric: methodOp(function(text) { triggerElectric(this, text); }),
+	
+	    findPosH: function(from, amount, unit, visually) {
+	      var dir = 1;
+	      if (amount < 0) { dir = -1; amount = -amount; }
+	      for (var i = 0, cur = clipPos(this.doc, from); i < amount; ++i) {
+	        cur = findPosH(this.doc, cur, dir, unit, visually);
+	        if (cur.hitSide) break;
+	      }
+	      return cur;
+	    },
+	
+	    moveH: methodOp(function(dir, unit) {
+	      var cm = this;
+	      cm.extendSelectionsBy(function(range) {
+	        if (cm.display.shift || cm.doc.extend || range.empty())
+	          return findPosH(cm.doc, range.head, dir, unit, cm.options.rtlMoveVisually);
+	        else
+	          return dir < 0 ? range.from() : range.to();
+	      }, sel_move);
+	    }),
+	
+	    deleteH: methodOp(function(dir, unit) {
+	      var sel = this.doc.sel, doc = this.doc;
+	      if (sel.somethingSelected())
+	        doc.replaceSelection("", null, "+delete");
+	      else
+	        deleteNearSelection(this, function(range) {
+	          var other = findPosH(doc, range.head, dir, unit, false);
+	          return dir < 0 ? {from: other, to: range.head} : {from: range.head, to: other};
+	        });
+	    }),
+	
+	    findPosV: function(from, amount, unit, goalColumn) {
+	      var dir = 1, x = goalColumn;
+	      if (amount < 0) { dir = -1; amount = -amount; }
+	      for (var i = 0, cur = clipPos(this.doc, from); i < amount; ++i) {
+	        var coords = cursorCoords(this, cur, "div");
+	        if (x == null) x = coords.left;
+	        else coords.left = x;
+	        cur = findPosV(this, coords, dir, unit);
+	        if (cur.hitSide) break;
+	      }
+	      return cur;
+	    },
+	
+	    moveV: methodOp(function(dir, unit) {
+	      var cm = this, doc = this.doc, goals = [];
+	      var collapse = !cm.display.shift && !doc.extend && doc.sel.somethingSelected();
+	      doc.extendSelectionsBy(function(range) {
+	        if (collapse)
+	          return dir < 0 ? range.from() : range.to();
+	        var headPos = cursorCoords(cm, range.head, "div");
+	        if (range.goalColumn != null) headPos.left = range.goalColumn;
+	        goals.push(headPos.left);
+	        var pos = findPosV(cm, headPos, dir, unit);
+	        if (unit == "page" && range == doc.sel.primary())
+	          addToScrollPos(cm, null, charCoords(cm, pos, "div").top - headPos.top);
+	        return pos;
+	      }, sel_move);
+	      if (goals.length) for (var i = 0; i < doc.sel.ranges.length; i++)
+	        doc.sel.ranges[i].goalColumn = goals[i];
+	    }),
+	
+	    // Find the word at the given position (as returned by coordsChar).
+	    findWordAt: function(pos) {
+	      var doc = this.doc, line = getLine(doc, pos.line).text;
+	      var start = pos.ch, end = pos.ch;
+	      if (line) {
+	        var helper = this.getHelper(pos, "wordChars");
+	        if ((pos.xRel < 0 || end == line.length) && start) --start; else ++end;
+	        var startChar = line.charAt(start);
+	        var check = isWordChar(startChar, helper)
+	          ? function(ch) { return isWordChar(ch, helper); }
+	          : /\s/.test(startChar) ? function(ch) {return /\s/.test(ch);}
+	          : function(ch) {return !/\s/.test(ch) && !isWordChar(ch);};
+	        while (start > 0 && check(line.charAt(start - 1))) --start;
+	        while (end < line.length && check(line.charAt(end))) ++end;
+	      }
+	      return new Range(Pos(pos.line, start), Pos(pos.line, end));
+	    },
+	
+	    toggleOverwrite: function(value) {
+	      if (value != null && value == this.state.overwrite) return;
+	      if (this.state.overwrite = !this.state.overwrite)
+	        addClass(this.display.cursorDiv, "CodeMirror-overwrite");
+	      else
+	        rmClass(this.display.cursorDiv, "CodeMirror-overwrite");
+	
+	      signal(this, "overwriteToggle", this, this.state.overwrite);
+	    },
+	    hasFocus: function() { return this.display.input.getField() == activeElt(); },
+	    isReadOnly: function() { return !!(this.options.readOnly || this.doc.cantEdit); },
+	
+	    scrollTo: methodOp(function(x, y) {
+	      if (x != null || y != null) resolveScrollToPos(this);
+	      if (x != null) this.curOp.scrollLeft = x;
+	      if (y != null) this.curOp.scrollTop = y;
+	    }),
+	    getScrollInfo: function() {
+	      var scroller = this.display.scroller;
+	      return {left: scroller.scrollLeft, top: scroller.scrollTop,
+	              height: scroller.scrollHeight - scrollGap(this) - this.display.barHeight,
+	              width: scroller.scrollWidth - scrollGap(this) - this.display.barWidth,
+	              clientHeight: displayHeight(this), clientWidth: displayWidth(this)};
+	    },
+	
+	    scrollIntoView: methodOp(function(range, margin) {
+	      if (range == null) {
+	        range = {from: this.doc.sel.primary().head, to: null};
+	        if (margin == null) margin = this.options.cursorScrollMargin;
+	      } else if (typeof range == "number") {
+	        range = {from: Pos(range, 0), to: null};
+	      } else if (range.from == null) {
+	        range = {from: range, to: null};
+	      }
+	      if (!range.to) range.to = range.from;
+	      range.margin = margin || 0;
+	
+	      if (range.from.line != null) {
+	        resolveScrollToPos(this);
+	        this.curOp.scrollToPos = range;
+	      } else {
+	        var sPos = calculateScrollPos(this, Math.min(range.from.left, range.to.left),
+	                                      Math.min(range.from.top, range.to.top) - range.margin,
+	                                      Math.max(range.from.right, range.to.right),
+	                                      Math.max(range.from.bottom, range.to.bottom) + range.margin);
+	        this.scrollTo(sPos.scrollLeft, sPos.scrollTop);
+	      }
+	    }),
+	
+	    setSize: methodOp(function(width, height) {
+	      var cm = this;
+	      function interpret(val) {
+	        return typeof val == "number" || /^\d+$/.test(String(val)) ? val + "px" : val;
+	      }
+	      if (width != null) cm.display.wrapper.style.width = interpret(width);
+	      if (height != null) cm.display.wrapper.style.height = interpret(height);
+	      if (cm.options.lineWrapping) clearLineMeasurementCache(this);
+	      var lineNo = cm.display.viewFrom;
+	      cm.doc.iter(lineNo, cm.display.viewTo, function(line) {
+	        if (line.widgets) for (var i = 0; i < line.widgets.length; i++)
+	          if (line.widgets[i].noHScroll) { regLineChange(cm, lineNo, "widget"); break; }
+	        ++lineNo;
+	      });
+	      cm.curOp.forceUpdate = true;
+	      signal(cm, "refresh", this);
+	    }),
+	
+	    operation: function(f){return runInOp(this, f);},
+	
+	    refresh: methodOp(function() {
+	      var oldHeight = this.display.cachedTextHeight;
+	      regChange(this);
+	      this.curOp.forceUpdate = true;
+	      clearCaches(this);
+	      this.scrollTo(this.doc.scrollLeft, this.doc.scrollTop);
+	      updateGutterSpace(this);
+	      if (oldHeight == null || Math.abs(oldHeight - textHeight(this.display)) > .5)
+	        estimateLineHeights(this);
+	      signal(this, "refresh", this);
+	    }),
+	
+	    swapDoc: methodOp(function(doc) {
+	      var old = this.doc;
+	      old.cm = null;
+	      attachDoc(this, doc);
+	      clearCaches(this);
+	      this.display.input.reset();
+	      this.scrollTo(doc.scrollLeft, doc.scrollTop);
+	      this.curOp.forceScroll = true;
+	      signalLater(this, "swapDoc", this, old);
+	      return old;
+	    }),
+	
+	    getInputField: function(){return this.display.input.getField();},
+	    getWrapperElement: function(){return this.display.wrapper;},
+	    getScrollerElement: function(){return this.display.scroller;},
+	    getGutterElement: function(){return this.display.gutters;}
+	  };
+	  eventMixin(CodeMirror);
+	
+	  // OPTION DEFAULTS
+	
+	  // The default configuration options.
+	  var defaults = CodeMirror.defaults = {};
+	  // Functions to run when options are changed.
+	  var optionHandlers = CodeMirror.optionHandlers = {};
+	
+	  function option(name, deflt, handle, notOnInit) {
+	    CodeMirror.defaults[name] = deflt;
+	    if (handle) optionHandlers[name] =
+	      notOnInit ? function(cm, val, old) {if (old != Init) handle(cm, val, old);} : handle;
+	  }
+	
+	  // Passed to option handlers when there is no old value.
+	  var Init = CodeMirror.Init = {toString: function(){return "CodeMirror.Init";}};
+	
+	  // These two are, on init, called from the constructor because they
+	  // have to be initialized before the editor can start at all.
+	  option("value", "", function(cm, val) {
+	    cm.setValue(val);
+	  }, true);
+	  option("mode", null, function(cm, val) {
+	    cm.doc.modeOption = val;
+	    loadMode(cm);
+	  }, true);
+	
+	  option("indentUnit", 2, loadMode, true);
+	  option("indentWithTabs", false);
+	  option("smartIndent", true);
+	  option("tabSize", 4, function(cm) {
+	    resetModeState(cm);
+	    clearCaches(cm);
+	    regChange(cm);
+	  }, true);
+	  option("lineSeparator", null, function(cm, val) {
+	    cm.doc.lineSep = val;
+	    if (!val) return;
+	    var newBreaks = [], lineNo = cm.doc.first;
+	    cm.doc.iter(function(line) {
+	      for (var pos = 0;;) {
+	        var found = line.text.indexOf(val, pos);
+	        if (found == -1) break;
+	        pos = found + val.length;
+	        newBreaks.push(Pos(lineNo, found));
+	      }
+	      lineNo++;
+	    });
+	    for (var i = newBreaks.length - 1; i >= 0; i--)
+	      replaceRange(cm.doc, val, newBreaks[i], Pos(newBreaks[i].line, newBreaks[i].ch + val.length))
+	  });
+	  option("specialChars", /[\u0000-\u001f\u007f\u00ad\u200b-\u200f\u2028\u2029\ufeff]/g, function(cm, val, old) {
+	    cm.state.specialChars = new RegExp(val.source + (val.test("\t") ? "" : "|\t"), "g");
+	    if (old != CodeMirror.Init) cm.refresh();
+	  });
+	  option("specialCharPlaceholder", defaultSpecialCharPlaceholder, function(cm) {cm.refresh();}, true);
+	  option("electricChars", true);
+	  option("inputStyle", mobile ? "contenteditable" : "textarea", function() {
+	    throw new Error("inputStyle can not (yet) be changed in a running editor"); // FIXME
+	  }, true);
+	  option("spellcheck", false, function(cm, val) {
+	    cm.getInputField().spellcheck = val
+	  }, true);
+	  option("rtlMoveVisually", !windows);
+	  option("wholeLineUpdateBefore", true);
+	
+	  option("theme", "default", function(cm) {
+	    themeChanged(cm);
+	    guttersChanged(cm);
+	  }, true);
+	  option("keyMap", "default", function(cm, val, old) {
+	    var next = getKeyMap(val);
+	    var prev = old != CodeMirror.Init && getKeyMap(old);
+	    if (prev && prev.detach) prev.detach(cm, next);
+	    if (next.attach) next.attach(cm, prev || null);
+	  });
+	  option("extraKeys", null);
+	
+	  option("lineWrapping", false, wrappingChanged, true);
+	  option("gutters", [], function(cm) {
+	    setGuttersForLineNumbers(cm.options);
+	    guttersChanged(cm);
+	  }, true);
+	  option("fixedGutter", true, function(cm, val) {
+	    cm.display.gutters.style.left = val ? compensateForHScroll(cm.display) + "px" : "0";
+	    cm.refresh();
+	  }, true);
+	  option("coverGutterNextToScrollbar", false, function(cm) {updateScrollbars(cm);}, true);
+	  option("scrollbarStyle", "native", function(cm) {
+	    initScrollbars(cm);
+	    updateScrollbars(cm);
+	    cm.display.scrollbars.setScrollTop(cm.doc.scrollTop);
+	    cm.display.scrollbars.setScrollLeft(cm.doc.scrollLeft);
+	  }, true);
+	  option("lineNumbers", false, function(cm) {
+	    setGuttersForLineNumbers(cm.options);
+	    guttersChanged(cm);
+	  }, true);
+	  option("firstLineNumber", 1, guttersChanged, true);
+	  option("lineNumberFormatter", function(integer) {return integer;}, guttersChanged, true);
+	  option("showCursorWhenSelecting", false, updateSelection, true);
+	
+	  option("resetSelectionOnContextMenu", true);
+	  option("lineWiseCopyCut", true);
+	
+	  option("readOnly", false, function(cm, val) {
+	    if (val == "nocursor") {
+	      onBlur(cm);
+	      cm.display.input.blur();
+	      cm.display.disabled = true;
+	    } else {
+	      cm.display.disabled = false;
+	    }
+	    cm.display.input.readOnlyChanged(val)
+	  });
+	  option("disableInput", false, function(cm, val) {if (!val) cm.display.input.reset();}, true);
+	  option("dragDrop", true, dragDropChanged);
+	  option("allowDropFileTypes", null);
+	
+	  option("cursorBlinkRate", 530);
+	  option("cursorScrollMargin", 0);
+	  option("cursorHeight", 1, updateSelection, true);
+	  option("singleCursorHeightPerLine", true, updateSelection, true);
+	  option("workTime", 100);
+	  option("workDelay", 100);
+	  option("flattenSpans", true, resetModeState, true);
+	  option("addModeClass", false, resetModeState, true);
+	  option("pollInterval", 100);
+	  option("undoDepth", 200, function(cm, val){cm.doc.history.undoDepth = val;});
+	  option("historyEventDelay", 1250);
+	  option("viewportMargin", 10, function(cm){cm.refresh();}, true);
+	  option("maxHighlightLength", 10000, resetModeState, true);
+	  option("moveInputWithCursor", true, function(cm, val) {
+	    if (!val) cm.display.input.resetPosition();
+	  });
+	
+	  option("tabindex", null, function(cm, val) {
+	    cm.display.input.getField().tabIndex = val || "";
+	  });
+	  option("autofocus", null);
+	
+	  // MODE DEFINITION AND QUERYING
+	
+	  // Known modes, by name and by MIME
+	  var modes = CodeMirror.modes = {}, mimeModes = CodeMirror.mimeModes = {};
+	
+	  // Extra arguments are stored as the mode's dependencies, which is
+	  // used by (legacy) mechanisms like loadmode.js to automatically
+	  // load a mode. (Preferred mechanism is the require/define calls.)
+	  CodeMirror.defineMode = function(name, mode) {
+	    if (!CodeMirror.defaults.mode && name != "null") CodeMirror.defaults.mode = name;
+	    if (arguments.length > 2)
+	      mode.dependencies = Array.prototype.slice.call(arguments, 2);
+	    modes[name] = mode;
+	  };
+	
+	  CodeMirror.defineMIME = function(mime, spec) {
+	    mimeModes[mime] = spec;
+	  };
+	
+	  // Given a MIME type, a {name, ...options} config object, or a name
+	  // string, return a mode config object.
+	  CodeMirror.resolveMode = function(spec) {
+	    if (typeof spec == "string" && mimeModes.hasOwnProperty(spec)) {
+	      spec = mimeModes[spec];
+	    } else if (spec && typeof spec.name == "string" && mimeModes.hasOwnProperty(spec.name)) {
+	      var found = mimeModes[spec.name];
+	      if (typeof found == "string") found = {name: found};
+	      spec = createObj(found, spec);
+	      spec.name = found.name;
+	    } else if (typeof spec == "string" && /^[\w\-]+\/[\w\-]+\+xml$/.test(spec)) {
+	      return CodeMirror.resolveMode("application/xml");
+	    } else if (typeof spec == "string" && /^[\w\-]+\/[\w\-]+\+json$/.test(spec)) {
+	      return CodeMirror.resolveMode("application/json");
+	    }
+	    if (typeof spec == "string") return {name: spec};
+	    else return spec || {name: "null"};
+	  };
+	
+	  // Given a mode spec (anything that resolveMode accepts), find and
+	  // initialize an actual mode object.
+	  CodeMirror.getMode = function(options, spec) {
+	    var spec = CodeMirror.resolveMode(spec);
+	    var mfactory = modes[spec.name];
+	    if (!mfactory) return CodeMirror.getMode(options, "text/plain");
+	    var modeObj = mfactory(options, spec);
+	    if (modeExtensions.hasOwnProperty(spec.name)) {
+	      var exts = modeExtensions[spec.name];
+	      for (var prop in exts) {
+	        if (!exts.hasOwnProperty(prop)) continue;
+	        if (modeObj.hasOwnProperty(prop)) modeObj["_" + prop] = modeObj[prop];
+	        modeObj[prop] = exts[prop];
+	      }
+	    }
+	    modeObj.name = spec.name;
+	    if (spec.helperType) modeObj.helperType = spec.helperType;
+	    if (spec.modeProps) for (var prop in spec.modeProps)
+	      modeObj[prop] = spec.modeProps[prop];
+	
+	    return modeObj;
+	  };
+	
+	  // Minimal default mode.
+	  CodeMirror.defineMode("null", function() {
+	    return {token: function(stream) {stream.skipToEnd();}};
+	  });
+	  CodeMirror.defineMIME("text/plain", "null");
+	
+	  // This can be used to attach properties to mode objects from
+	  // outside the actual mode definition.
+	  var modeExtensions = CodeMirror.modeExtensions = {};
+	  CodeMirror.extendMode = function(mode, properties) {
+	    var exts = modeExtensions.hasOwnProperty(mode) ? modeExtensions[mode] : (modeExtensions[mode] = {});
+	    copyObj(properties, exts);
+	  };
+	
+	  // EXTENSIONS
+	
+	  CodeMirror.defineExtension = function(name, func) {
+	    CodeMirror.prototype[name] = func;
+	  };
+	  CodeMirror.defineDocExtension = function(name, func) {
+	    Doc.prototype[name] = func;
+	  };
+	  CodeMirror.defineOption = option;
+	
+	  var initHooks = [];
+	  CodeMirror.defineInitHook = function(f) {initHooks.push(f);};
+	
+	  var helpers = CodeMirror.helpers = {};
+	  CodeMirror.registerHelper = function(type, name, value) {
+	    if (!helpers.hasOwnProperty(type)) helpers[type] = CodeMirror[type] = {_global: []};
+	    helpers[type][name] = value;
+	  };
+	  CodeMirror.registerGlobalHelper = function(type, name, predicate, value) {
+	    CodeMirror.registerHelper(type, name, value);
+	    helpers[type]._global.push({pred: predicate, val: value});
+	  };
+	
+	  // MODE STATE HANDLING
+	
+	  // Utility functions for working with state. Exported because nested
+	  // modes need to do this for their inner modes.
+	
+	  var copyState = CodeMirror.copyState = function(mode, state) {
+	    if (state === true) return state;
+	    if (mode.copyState) return mode.copyState(state);
+	    var nstate = {};
+	    for (var n in state) {
+	      var val = state[n];
+	      if (val instanceof Array) val = val.concat([]);
+	      nstate[n] = val;
+	    }
+	    return nstate;
+	  };
+	
+	  var startState = CodeMirror.startState = function(mode, a1, a2) {
+	    return mode.startState ? mode.startState(a1, a2) : true;
+	  };
+	
+	  // Given a mode and a state (for that mode), find the inner mode and
+	  // state at the position that the state refers to.
+	  CodeMirror.innerMode = function(mode, state) {
+	    while (mode.innerMode) {
+	      var info = mode.innerMode(state);
+	      if (!info || info.mode == mode) break;
+	      state = info.state;
+	      mode = info.mode;
+	    }
+	    return info || {mode: mode, state: state};
+	  };
+	
+	  // STANDARD COMMANDS
+	
+	  // Commands are parameter-less actions that can be performed on an
+	  // editor, mostly used for keybindings.
+	  var commands = CodeMirror.commands = {
+	    selectAll: function(cm) {cm.setSelection(Pos(cm.firstLine(), 0), Pos(cm.lastLine()), sel_dontScroll);},
+	    singleSelection: function(cm) {
+	      cm.setSelection(cm.getCursor("anchor"), cm.getCursor("head"), sel_dontScroll);
+	    },
+	    killLine: function(cm) {
+	      deleteNearSelection(cm, function(range) {
+	        if (range.empty()) {
+	          var len = getLine(cm.doc, range.head.line).text.length;
+	          if (range.head.ch == len && range.head.line < cm.lastLine())
+	            return {from: range.head, to: Pos(range.head.line + 1, 0)};
+	          else
+	            return {from: range.head, to: Pos(range.head.line, len)};
+	        } else {
+	          return {from: range.from(), to: range.to()};
+	        }
+	      });
+	    },
+	    deleteLine: function(cm) {
+	      deleteNearSelection(cm, function(range) {
+	        return {from: Pos(range.from().line, 0),
+	                to: clipPos(cm.doc, Pos(range.to().line + 1, 0))};
+	      });
+	    },
+	    delLineLeft: function(cm) {
+	      deleteNearSelection(cm, function(range) {
+	        return {from: Pos(range.from().line, 0), to: range.from()};
+	      });
+	    },
+	    delWrappedLineLeft: function(cm) {
+	      deleteNearSelection(cm, function(range) {
+	        var top = cm.charCoords(range.head, "div").top + 5;
+	        var leftPos = cm.coordsChar({left: 0, top: top}, "div");
+	        return {from: leftPos, to: range.from()};
+	      });
+	    },
+	    delWrappedLineRight: function(cm) {
+	      deleteNearSelection(cm, function(range) {
+	        var top = cm.charCoords(range.head, "div").top + 5;
+	        var rightPos = cm.coordsChar({left: cm.display.lineDiv.offsetWidth + 100, top: top}, "div");
+	        return {from: range.from(), to: rightPos };
+	      });
+	    },
+	    undo: function(cm) {cm.undo();},
+	    redo: function(cm) {cm.redo();},
+	    undoSelection: function(cm) {cm.undoSelection();},
+	    redoSelection: function(cm) {cm.redoSelection();},
+	    goDocStart: function(cm) {cm.extendSelection(Pos(cm.firstLine(), 0));},
+	    goDocEnd: function(cm) {cm.extendSelection(Pos(cm.lastLine()));},
+	    goLineStart: function(cm) {
+	      cm.extendSelectionsBy(function(range) { return lineStart(cm, range.head.line); },
+	                            {origin: "+move", bias: 1});
+	    },
+	    goLineStartSmart: function(cm) {
+	      cm.extendSelectionsBy(function(range) {
+	        return lineStartSmart(cm, range.head);
+	      }, {origin: "+move", bias: 1});
+	    },
+	    goLineEnd: function(cm) {
+	      cm.extendSelectionsBy(function(range) { return lineEnd(cm, range.head.line); },
+	                            {origin: "+move", bias: -1});
+	    },
+	    goLineRight: function(cm) {
+	      cm.extendSelectionsBy(function(range) {
+	        var top = cm.charCoords(range.head, "div").top + 5;
+	        return cm.coordsChar({left: cm.display.lineDiv.offsetWidth + 100, top: top}, "div");
+	      }, sel_move);
+	    },
+	    goLineLeft: function(cm) {
+	      cm.extendSelectionsBy(function(range) {
+	        var top = cm.charCoords(range.head, "div").top + 5;
+	        return cm.coordsChar({left: 0, top: top}, "div");
+	      }, sel_move);
+	    },
+	    goLineLeftSmart: function(cm) {
+	      cm.extendSelectionsBy(function(range) {
+	        var top = cm.charCoords(range.head, "div").top + 5;
+	        var pos = cm.coordsChar({left: 0, top: top}, "div");
+	        if (pos.ch < cm.getLine(pos.line).search(/\S/)) return lineStartSmart(cm, range.head);
+	        return pos;
+	      }, sel_move);
+	    },
+	    goLineUp: function(cm) {cm.moveV(-1, "line");},
+	    goLineDown: function(cm) {cm.moveV(1, "line");},
+	    goPageUp: function(cm) {cm.moveV(-1, "page");},
+	    goPageDown: function(cm) {cm.moveV(1, "page");},
+	    goCharLeft: function(cm) {cm.moveH(-1, "char");},
+	    goCharRight: function(cm) {cm.moveH(1, "char");},
+	    goColumnLeft: function(cm) {cm.moveH(-1, "column");},
+	    goColumnRight: function(cm) {cm.moveH(1, "column");},
+	    goWordLeft: function(cm) {cm.moveH(-1, "word");},
+	    goGroupRight: function(cm) {cm.moveH(1, "group");},
+	    goGroupLeft: function(cm) {cm.moveH(-1, "group");},
+	    goWordRight: function(cm) {cm.moveH(1, "word");},
+	    delCharBefore: function(cm) {cm.deleteH(-1, "char");},
+	    delCharAfter: function(cm) {cm.deleteH(1, "char");},
+	    delWordBefore: function(cm) {cm.deleteH(-1, "word");},
+	    delWordAfter: function(cm) {cm.deleteH(1, "word");},
+	    delGroupBefore: function(cm) {cm.deleteH(-1, "group");},
+	    delGroupAfter: function(cm) {cm.deleteH(1, "group");},
+	    indentAuto: function(cm) {cm.indentSelection("smart");},
+	    indentMore: function(cm) {cm.indentSelection("add");},
+	    indentLess: function(cm) {cm.indentSelection("subtract");},
+	    insertTab: function(cm) {cm.replaceSelection("\t");},
+	    insertSoftTab: function(cm) {
+	      var spaces = [], ranges = cm.listSelections(), tabSize = cm.options.tabSize;
+	      for (var i = 0; i < ranges.length; i++) {
+	        var pos = ranges[i].from();
+	        var col = countColumn(cm.getLine(pos.line), pos.ch, tabSize);
+	        spaces.push(spaceStr(tabSize - col % tabSize));
+	      }
+	      cm.replaceSelections(spaces);
+	    },
+	    defaultTab: function(cm) {
+	      if (cm.somethingSelected()) cm.indentSelection("add");
+	      else cm.execCommand("insertTab");
+	    },
+	    transposeChars: function(cm) {
+	      runInOp(cm, function() {
+	        var ranges = cm.listSelections(), newSel = [];
+	        for (var i = 0; i < ranges.length; i++) {
+	          var cur = ranges[i].head, line = getLine(cm.doc, cur.line).text;
+	          if (line) {
+	            if (cur.ch == line.length) cur = new Pos(cur.line, cur.ch - 1);
+	            if (cur.ch > 0) {
+	              cur = new Pos(cur.line, cur.ch + 1);
+	              cm.replaceRange(line.charAt(cur.ch - 1) + line.charAt(cur.ch - 2),
+	                              Pos(cur.line, cur.ch - 2), cur, "+transpose");
+	            } else if (cur.line > cm.doc.first) {
+	              var prev = getLine(cm.doc, cur.line - 1).text;
+	              if (prev)
+	                cm.replaceRange(line.charAt(0) + cm.doc.lineSeparator() +
+	                                prev.charAt(prev.length - 1),
+	                                Pos(cur.line - 1, prev.length - 1), Pos(cur.line, 1), "+transpose");
+	            }
+	          }
+	          newSel.push(new Range(cur, cur));
+	        }
+	        cm.setSelections(newSel);
+	      });
+	    },
+	    newlineAndIndent: function(cm) {
+	      runInOp(cm, function() {
+	        var len = cm.listSelections().length;
+	        for (var i = 0; i < len; i++) {
+	          var range = cm.listSelections()[i];
+	          cm.replaceRange(cm.doc.lineSeparator(), range.anchor, range.head, "+input");
+	          cm.indentLine(range.from().line + 1, null, true);
+	        }
+	        ensureCursorVisible(cm);
+	      });
+	    },
+	    openLine: function(cm) {cm.replaceSelection("\n", "start")},
+	    toggleOverwrite: function(cm) {cm.toggleOverwrite();}
+	  };
+	
+	
+	  // STANDARD KEYMAPS
+	
+	  var keyMap = CodeMirror.keyMap = {};
+	
+	  keyMap.basic = {
+	    "Left": "goCharLeft", "Right": "goCharRight", "Up": "goLineUp", "Down": "goLineDown",
+	    "End": "goLineEnd", "Home": "goLineStartSmart", "PageUp": "goPageUp", "PageDown": "goPageDown",
+	    "Delete": "delCharAfter", "Backspace": "delCharBefore", "Shift-Backspace": "delCharBefore",
+	    "Tab": "defaultTab", "Shift-Tab": "indentAuto",
+	    "Enter": "newlineAndIndent", "Insert": "toggleOverwrite",
+	    "Esc": "singleSelection"
+	  };
+	  // Note that the save and find-related commands aren't defined by
+	  // default. User code or addons can define them. Unknown commands
+	  // are simply ignored.
+	  keyMap.pcDefault = {
+	    "Ctrl-A": "selectAll", "Ctrl-D": "deleteLine", "Ctrl-Z": "undo", "Shift-Ctrl-Z": "redo", "Ctrl-Y": "redo",
+	    "Ctrl-Home": "goDocStart", "Ctrl-End": "goDocEnd", "Ctrl-Up": "goLineUp", "Ctrl-Down": "goLineDown",
+	    "Ctrl-Left": "goGroupLeft", "Ctrl-Right": "goGroupRight", "Alt-Left": "goLineStart", "Alt-Right": "goLineEnd",
+	    "Ctrl-Backspace": "delGroupBefore", "Ctrl-Delete": "delGroupAfter", "Ctrl-S": "save", "Ctrl-F": "find",
+	    "Ctrl-G": "findNext", "Shift-Ctrl-G": "findPrev", "Shift-Ctrl-F": "replace", "Shift-Ctrl-R": "replaceAll",
+	    "Ctrl-[": "indentLess", "Ctrl-]": "indentMore",
+	    "Ctrl-U": "undoSelection", "Shift-Ctrl-U": "redoSelection", "Alt-U": "redoSelection",
+	    fallthrough: "basic"
+	  };
+	  // Very basic readline/emacs-style bindings, which are standard on Mac.
+	  keyMap.emacsy = {
+	    "Ctrl-F": "goCharRight", "Ctrl-B": "goCharLeft", "Ctrl-P": "goLineUp", "Ctrl-N": "goLineDown",
+	    "Alt-F": "goWordRight", "Alt-B": "goWordLeft", "Ctrl-A": "goLineStart", "Ctrl-E": "goLineEnd",
+	    "Ctrl-V": "goPageDown", "Shift-Ctrl-V": "goPageUp", "Ctrl-D": "delCharAfter", "Ctrl-H": "delCharBefore",
+	    "Alt-D": "delWordAfter", "Alt-Backspace": "delWordBefore", "Ctrl-K": "killLine", "Ctrl-T": "transposeChars",
+	    "Ctrl-O": "openLine"
+	  };
+	  keyMap.macDefault = {
+	    "Cmd-A": "selectAll", "Cmd-D": "deleteLine", "Cmd-Z": "undo", "Shift-Cmd-Z": "redo", "Cmd-Y": "redo",
+	    "Cmd-Home": "goDocStart", "Cmd-Up": "goDocStart", "Cmd-End": "goDocEnd", "Cmd-Down": "goDocEnd", "Alt-Left": "goGroupLeft",
+	    "Alt-Right": "goGroupRight", "Cmd-Left": "goLineLeft", "Cmd-Right": "goLineRight", "Alt-Backspace": "delGroupBefore",
+	    "Ctrl-Alt-Backspace": "delGroupAfter", "Alt-Delete": "delGroupAfter", "Cmd-S": "save", "Cmd-F": "find",
+	    "Cmd-G": "findNext", "Shift-Cmd-G": "findPrev", "Cmd-Alt-F": "replace", "Shift-Cmd-Alt-F": "replaceAll",
+	    "Cmd-[": "indentLess", "Cmd-]": "indentMore", "Cmd-Backspace": "delWrappedLineLeft", "Cmd-Delete": "delWrappedLineRight",
+	    "Cmd-U": "undoSelection", "Shift-Cmd-U": "redoSelection", "Ctrl-Up": "goDocStart", "Ctrl-Down": "goDocEnd",
+	    fallthrough: ["basic", "emacsy"]
+	  };
+	  keyMap["default"] = mac ? keyMap.macDefault : keyMap.pcDefault;
+	
+	  // KEYMAP DISPATCH
+	
+	  function normalizeKeyName(name) {
+	    var parts = name.split(/-(?!$)/), name = parts[parts.length - 1];
+	    var alt, ctrl, shift, cmd;
+	    for (var i = 0; i < parts.length - 1; i++) {
+	      var mod = parts[i];
+	      if (/^(cmd|meta|m)$/i.test(mod)) cmd = true;
+	      else if (/^a(lt)?$/i.test(mod)) alt = true;
+	      else if (/^(c|ctrl|control)$/i.test(mod)) ctrl = true;
+	      else if (/^s(hift)$/i.test(mod)) shift = true;
+	      else throw new Error("Unrecognized modifier name: " + mod);
+	    }
+	    if (alt) name = "Alt-" + name;
+	    if (ctrl) name = "Ctrl-" + name;
+	    if (cmd) name = "Cmd-" + name;
+	    if (shift) name = "Shift-" + name;
+	    return name;
+	  }
+	
+	  // This is a kludge to keep keymaps mostly working as raw objects
+	  // (backwards compatibility) while at the same time support features
+	  // like normalization and multi-stroke key bindings. It compiles a
+	  // new normalized keymap, and then updates the old object to reflect
+	  // this.
+	  CodeMirror.normalizeKeyMap = function(keymap) {
+	    var copy = {};
+	    for (var keyname in keymap) if (keymap.hasOwnProperty(keyname)) {
+	      var value = keymap[keyname];
+	      if (/^(name|fallthrough|(de|at)tach)$/.test(keyname)) continue;
+	      if (value == "...") { delete keymap[keyname]; continue; }
+	
+	      var keys = map(keyname.split(" "), normalizeKeyName);
+	      for (var i = 0; i < keys.length; i++) {
+	        var val, name;
+	        if (i == keys.length - 1) {
+	          name = keys.join(" ");
+	          val = value;
+	        } else {
+	          name = keys.slice(0, i + 1).join(" ");
+	          val = "...";
+	        }
+	        var prev = copy[name];
+	        if (!prev) copy[name] = val;
+	        else if (prev != val) throw new Error("Inconsistent bindings for " + name);
+	      }
+	      delete keymap[keyname];
+	    }
+	    for (var prop in copy) keymap[prop] = copy[prop];
+	    return keymap;
+	  };
+	
+	  var lookupKey = CodeMirror.lookupKey = function(key, map, handle, context) {
+	    map = getKeyMap(map);
+	    var found = map.call ? map.call(key, context) : map[key];
+	    if (found === false) return "nothing";
+	    if (found === "...") return "multi";
+	    if (found != null && handle(found)) return "handled";
+	
+	    if (map.fallthrough) {
+	      if (Object.prototype.toString.call(map.fallthrough) != "[object Array]")
+	        return lookupKey(key, map.fallthrough, handle, context);
+	      for (var i = 0; i < map.fallthrough.length; i++) {
+	        var result = lookupKey(key, map.fallthrough[i], handle, context);
+	        if (result) return result;
+	      }
+	    }
+	  };
+	
+	  // Modifier key presses don't count as 'real' key presses for the
+	  // purpose of keymap fallthrough.
+	  var isModifierKey = CodeMirror.isModifierKey = function(value) {
+	    var name = typeof value == "string" ? value : keyNames[value.keyCode];
+	    return name == "Ctrl" || name == "Alt" || name == "Shift" || name == "Mod";
+	  };
+	
+	  // Look up the name of a key as indicated by an event object.
+	  var keyName = CodeMirror.keyName = function(event, noShift) {
+	    if (presto && event.keyCode == 34 && event["char"]) return false;
+	    var base = keyNames[event.keyCode], name = base;
+	    if (name == null || event.altGraphKey) return false;
+	    if (event.altKey && base != "Alt") name = "Alt-" + name;
+	    if ((flipCtrlCmd ? event.metaKey : event.ctrlKey) && base != "Ctrl") name = "Ctrl-" + name;
+	    if ((flipCtrlCmd ? event.ctrlKey : event.metaKey) && base != "Cmd") name = "Cmd-" + name;
+	    if (!noShift && event.shiftKey && base != "Shift") name = "Shift-" + name;
+	    return name;
+	  };
+	
+	  function getKeyMap(val) {
+	    return typeof val == "string" ? keyMap[val] : val;
+	  }
+	
+	  // FROMTEXTAREA
+	
+	  CodeMirror.fromTextArea = function(textarea, options) {
+	    options = options ? copyObj(options) : {};
+	    options.value = textarea.value;
+	    if (!options.tabindex && textarea.tabIndex)
+	      options.tabindex = textarea.tabIndex;
+	    if (!options.placeholder && textarea.placeholder)
+	      options.placeholder = textarea.placeholder;
+	    // Set autofocus to true if this textarea is focused, or if it has
+	    // autofocus and no other element is focused.
+	    if (options.autofocus == null) {
+	      var hasFocus = activeElt();
+	      options.autofocus = hasFocus == textarea ||
+	        textarea.getAttribute("autofocus") != null && hasFocus == document.body;
+	    }
+	
+	    function save() {textarea.value = cm.getValue();}
+	    if (textarea.form) {
+	      on(textarea.form, "submit", save);
+	      // Deplorable hack to make the submit method do the right thing.
+	      if (!options.leaveSubmitMethodAlone) {
+	        var form = textarea.form, realSubmit = form.submit;
+	        try {
+	          var wrappedSubmit = form.submit = function() {
+	            save();
+	            form.submit = realSubmit;
+	            form.submit();
+	            form.submit = wrappedSubmit;
+	          };
+	        } catch(e) {}
+	      }
+	    }
+	
+	    options.finishInit = function(cm) {
+	      cm.save = save;
+	      cm.getTextArea = function() { return textarea; };
+	      cm.toTextArea = function() {
+	        cm.toTextArea = isNaN; // Prevent this from being ran twice
+	        save();
+	        textarea.parentNode.removeChild(cm.getWrapperElement());
+	        textarea.style.display = "";
+	        if (textarea.form) {
+	          off(textarea.form, "submit", save);
+	          if (typeof textarea.form.submit == "function")
+	            textarea.form.submit = realSubmit;
+	        }
+	      };
+	    };
+	
+	    textarea.style.display = "none";
+	    var cm = CodeMirror(function(node) {
+	      textarea.parentNode.insertBefore(node, textarea.nextSibling);
+	    }, options);
+	    return cm;
+	  };
+	
+	  // STRING STREAM
+	
+	  // Fed to the mode parsers, provides helper functions to make
+	  // parsers more succinct.
+	
+	  var StringStream = CodeMirror.StringStream = function(string, tabSize) {
+	    this.pos = this.start = 0;
+	    this.string = string;
+	    this.tabSize = tabSize || 8;
+	    this.lastColumnPos = this.lastColumnValue = 0;
+	    this.lineStart = 0;
+	  };
+	
+	  StringStream.prototype = {
+	    eol: function() {return this.pos >= this.string.length;},
+	    sol: function() {return this.pos == this.lineStart;},
+	    peek: function() {return this.string.charAt(this.pos) || undefined;},
+	    next: function() {
+	      if (this.pos < this.string.length)
+	        return this.string.charAt(this.pos++);
+	    },
+	    eat: function(match) {
+	      var ch = this.string.charAt(this.pos);
+	      if (typeof match == "string") var ok = ch == match;
+	      else var ok = ch && (match.test ? match.test(ch) : match(ch));
+	      if (ok) {++this.pos; return ch;}
+	    },
+	    eatWhile: function(match) {
+	      var start = this.pos;
+	      while (this.eat(match)){}
+	      return this.pos > start;
+	    },
+	    eatSpace: function() {
+	      var start = this.pos;
+	      while (/[\s\u00a0]/.test(this.string.charAt(this.pos))) ++this.pos;
+	      return this.pos > start;
+	    },
+	    skipToEnd: function() {this.pos = this.string.length;},
+	    skipTo: function(ch) {
+	      var found = this.string.indexOf(ch, this.pos);
+	      if (found > -1) {this.pos = found; return true;}
+	    },
+	    backUp: function(n) {this.pos -= n;},
+	    column: function() {
+	      if (this.lastColumnPos < this.start) {
+	        this.lastColumnValue = countColumn(this.string, this.start, this.tabSize, this.lastColumnPos, this.lastColumnValue);
+	        this.lastColumnPos = this.start;
+	      }
+	      return this.lastColumnValue - (this.lineStart ? countColumn(this.string, this.lineStart, this.tabSize) : 0);
+	    },
+	    indentation: function() {
+	      return countColumn(this.string, null, this.tabSize) -
+	        (this.lineStart ? countColumn(this.string, this.lineStart, this.tabSize) : 0);
+	    },
+	    match: function(pattern, consume, caseInsensitive) {
+	      if (typeof pattern == "string") {
+	        var cased = function(str) {return caseInsensitive ? str.toLowerCase() : str;};
+	        var substr = this.string.substr(this.pos, pattern.length);
+	        if (cased(substr) == cased(pattern)) {
+	          if (consume !== false) this.pos += pattern.length;
+	          return true;
+	        }
+	      } else {
+	        var match = this.string.slice(this.pos).match(pattern);
+	        if (match && match.index > 0) return null;
+	        if (match && consume !== false) this.pos += match[0].length;
+	        return match;
+	      }
+	    },
+	    current: function(){return this.string.slice(this.start, this.pos);},
+	    hideFirstChars: function(n, inner) {
+	      this.lineStart += n;
+	      try { return inner(); }
+	      finally { this.lineStart -= n; }
+	    }
+	  };
+	
+	  // TEXTMARKERS
+	
+	  // Created with markText and setBookmark methods. A TextMarker is a
+	  // handle that can be used to clear or find a marked position in the
+	  // document. Line objects hold arrays (markedSpans) containing
+	  // {from, to, marker} object pointing to such marker objects, and
+	  // indicating that such a marker is present on that line. Multiple
+	  // lines may point to the same marker when it spans across lines.
+	  // The spans will have null for their from/to properties when the
+	  // marker continues beyond the start/end of the line. Markers have
+	  // links back to the lines they currently touch.
+	
+	  var nextMarkerId = 0;
+	
+	  var TextMarker = CodeMirror.TextMarker = function(doc, type) {
+	    this.lines = [];
+	    this.type = type;
+	    this.doc = doc;
+	    this.id = ++nextMarkerId;
+	  };
+	  eventMixin(TextMarker);
+	
+	  // Clear the marker.
+	  TextMarker.prototype.clear = function() {
+	    if (this.explicitlyCleared) return;
+	    var cm = this.doc.cm, withOp = cm && !cm.curOp;
+	    if (withOp) startOperation(cm);
+	    if (hasHandler(this, "clear")) {
+	      var found = this.find();
+	      if (found) signalLater(this, "clear", found.from, found.to);
+	    }
+	    var min = null, max = null;
+	    for (var i = 0; i < this.lines.length; ++i) {
+	      var line = this.lines[i];
+	      var span = getMarkedSpanFor(line.markedSpans, this);
+	      if (cm && !this.collapsed) regLineChange(cm, lineNo(line), "text");
+	      else if (cm) {
+	        if (span.to != null) max = lineNo(line);
+	        if (span.from != null) min = lineNo(line);
+	      }
+	      line.markedSpans = removeMarkedSpan(line.markedSpans, span);
+	      if (span.from == null && this.collapsed && !lineIsHidden(this.doc, line) && cm)
+	        updateLineHeight(line, textHeight(cm.display));
+	    }
+	    if (cm && this.collapsed && !cm.options.lineWrapping) for (var i = 0; i < this.lines.length; ++i) {
+	      var visual = visualLine(this.lines[i]), len = lineLength(visual);
+	      if (len > cm.display.maxLineLength) {
+	        cm.display.maxLine = visual;
+	        cm.display.maxLineLength = len;
+	        cm.display.maxLineChanged = true;
+	      }
+	    }
+	
+	    if (min != null && cm && this.collapsed) regChange(cm, min, max + 1);
+	    this.lines.length = 0;
+	    this.explicitlyCleared = true;
+	    if (this.atomic && this.doc.cantEdit) {
+	      this.doc.cantEdit = false;
+	      if (cm) reCheckSelection(cm.doc);
+	    }
+	    if (cm) signalLater(cm, "markerCleared", cm, this);
+	    if (withOp) endOperation(cm);
+	    if (this.parent) this.parent.clear();
+	  };
+	
+	  // Find the position of the marker in the document. Returns a {from,
+	  // to} object by default. Side can be passed to get a specific side
+	  // -- 0 (both), -1 (left), or 1 (right). When lineObj is true, the
+	  // Pos objects returned contain a line object, rather than a line
+	  // number (used to prevent looking up the same line twice).
+	  TextMarker.prototype.find = function(side, lineObj) {
+	    if (side == null && this.type == "bookmark") side = 1;
+	    var from, to;
+	    for (var i = 0; i < this.lines.length; ++i) {
+	      var line = this.lines[i];
+	      var span = getMarkedSpanFor(line.markedSpans, this);
+	      if (span.from != null) {
+	        from = Pos(lineObj ? line : lineNo(line), span.from);
+	        if (side == -1) return from;
+	      }
+	      if (span.to != null) {
+	        to = Pos(lineObj ? line : lineNo(line), span.to);
+	        if (side == 1) return to;
+	      }
+	    }
+	    return from && {from: from, to: to};
+	  };
+	
+	  // Signals that the marker's widget changed, and surrounding layout
+	  // should be recomputed.
+	  TextMarker.prototype.changed = function() {
+	    var pos = this.find(-1, true), widget = this, cm = this.doc.cm;
+	    if (!pos || !cm) return;
+	    runInOp(cm, function() {
+	      var line = pos.line, lineN = lineNo(pos.line);
+	      var view = findViewForLine(cm, lineN);
+	      if (view) {
+	        clearLineMeasurementCacheFor(view);
+	        cm.curOp.selectionChanged = cm.curOp.forceUpdate = true;
+	      }
+	      cm.curOp.updateMaxLine = true;
+	      if (!lineIsHidden(widget.doc, line) && widget.height != null) {
+	        var oldHeight = widget.height;
+	        widget.height = null;
+	        var dHeight = widgetHeight(widget) - oldHeight;
+	        if (dHeight)
+	          updateLineHeight(line, line.height + dHeight);
+	      }
+	    });
+	  };
+	
+	  TextMarker.prototype.attachLine = function(line) {
+	    if (!this.lines.length && this.doc.cm) {
+	      var op = this.doc.cm.curOp;
+	      if (!op.maybeHiddenMarkers || indexOf(op.maybeHiddenMarkers, this) == -1)
+	        (op.maybeUnhiddenMarkers || (op.maybeUnhiddenMarkers = [])).push(this);
+	    }
+	    this.lines.push(line);
+	  };
+	  TextMarker.prototype.detachLine = function(line) {
+	    this.lines.splice(indexOf(this.lines, line), 1);
+	    if (!this.lines.length && this.doc.cm) {
+	      var op = this.doc.cm.curOp;
+	      (op.maybeHiddenMarkers || (op.maybeHiddenMarkers = [])).push(this);
+	    }
+	  };
+	
+	  // Collapsed markers have unique ids, in order to be able to order
+	  // them, which is needed for uniquely determining an outer marker
+	  // when they overlap (they may nest, but not partially overlap).
+	  var nextMarkerId = 0;
+	
+	  // Create a marker, wire it up to the right lines, and
+	  function markText(doc, from, to, options, type) {
+	    // Shared markers (across linked documents) are handled separately
+	    // (markTextShared will call out to this again, once per
+	    // document).
+	    if (options && options.shared) return markTextShared(doc, from, to, options, type);
+	    // Ensure we are in an operation.
+	    if (doc.cm && !doc.cm.curOp) return operation(doc.cm, markText)(doc, from, to, options, type);
+	
+	    var marker = new TextMarker(doc, type), diff = cmp(from, to);
+	    if (options) copyObj(options, marker, false);
+	    // Don't connect empty markers unless clearWhenEmpty is false
+	    if (diff > 0 || diff == 0 && marker.clearWhenEmpty !== false)
+	      return marker;
+	    if (marker.replacedWith) {
+	      // Showing up as a widget implies collapsed (widget replaces text)
+	      marker.collapsed = true;
+	      marker.widgetNode = elt("span", [marker.replacedWith], "CodeMirror-widget");
+	      if (!options.handleMouseEvents) marker.widgetNode.setAttribute("cm-ignore-events", "true");
+	      if (options.insertLeft) marker.widgetNode.insertLeft = true;
+	    }
+	    if (marker.collapsed) {
+	      if (conflictingCollapsedRange(doc, from.line, from, to, marker) ||
+	          from.line != to.line && conflictingCollapsedRange(doc, to.line, from, to, marker))
+	        throw new Error("Inserting collapsed marker partially overlapping an existing one");
+	      sawCollapsedSpans = true;
+	    }
+	
+	    if (marker.addToHistory)
+	      addChangeToHistory(doc, {from: from, to: to, origin: "markText"}, doc.sel, NaN);
+	
+	    var curLine = from.line, cm = doc.cm, updateMaxLine;
+	    doc.iter(curLine, to.line + 1, function(line) {
+	      if (cm && marker.collapsed && !cm.options.lineWrapping && visualLine(line) == cm.display.maxLine)
+	        updateMaxLine = true;
+	      if (marker.collapsed && curLine != from.line) updateLineHeight(line, 0);
+	      addMarkedSpan(line, new MarkedSpan(marker,
+	                                         curLine == from.line ? from.ch : null,
+	                                         curLine == to.line ? to.ch : null));
+	      ++curLine;
+	    });
+	    // lineIsHidden depends on the presence of the spans, so needs a second pass
+	    if (marker.collapsed) doc.iter(from.line, to.line + 1, function(line) {
+	      if (lineIsHidden(doc, line)) updateLineHeight(line, 0);
+	    });
+	
+	    if (marker.clearOnEnter) on(marker, "beforeCursorEnter", function() { marker.clear(); });
+	
+	    if (marker.readOnly) {
+	      sawReadOnlySpans = true;
+	      if (doc.history.done.length || doc.history.undone.length)
+	        doc.clearHistory();
+	    }
+	    if (marker.collapsed) {
+	      marker.id = ++nextMarkerId;
+	      marker.atomic = true;
+	    }
+	    if (cm) {
+	      // Sync editor state
+	      if (updateMaxLine) cm.curOp.updateMaxLine = true;
+	      if (marker.collapsed)
+	        regChange(cm, from.line, to.line + 1);
+	      else if (marker.className || marker.title || marker.startStyle || marker.endStyle || marker.css)
+	        for (var i = from.line; i <= to.line; i++) regLineChange(cm, i, "text");
+	      if (marker.atomic) reCheckSelection(cm.doc);
+	      signalLater(cm, "markerAdded", cm, marker);
+	    }
+	    return marker;
+	  }
+	
+	  // SHARED TEXTMARKERS
+	
+	  // A shared marker spans multiple linked documents. It is
+	  // implemented as a meta-marker-object controlling multiple normal
+	  // markers.
+	  var SharedTextMarker = CodeMirror.SharedTextMarker = function(markers, primary) {
+	    this.markers = markers;
+	    this.primary = primary;
+	    for (var i = 0; i < markers.length; ++i)
+	      markers[i].parent = this;
+	  };
+	  eventMixin(SharedTextMarker);
+	
+	  SharedTextMarker.prototype.clear = function() {
+	    if (this.explicitlyCleared) return;
+	    this.explicitlyCleared = true;
+	    for (var i = 0; i < this.markers.length; ++i)
+	      this.markers[i].clear();
+	    signalLater(this, "clear");
+	  };
+	  SharedTextMarker.prototype.find = function(side, lineObj) {
+	    return this.primary.find(side, lineObj);
+	  };
+	
+	  function markTextShared(doc, from, to, options, type) {
+	    options = copyObj(options);
+	    options.shared = false;
+	    var markers = [markText(doc, from, to, options, type)], primary = markers[0];
+	    var widget = options.widgetNode;
+	    linkedDocs(doc, function(doc) {
+	      if (widget) options.widgetNode = widget.cloneNode(true);
+	      markers.push(markText(doc, clipPos(doc, from), clipPos(doc, to), options, type));
+	      for (var i = 0; i < doc.linked.length; ++i)
+	        if (doc.linked[i].isParent) return;
+	      primary = lst(markers);
+	    });
+	    return new SharedTextMarker(markers, primary);
+	  }
+	
+	  function findSharedMarkers(doc) {
+	    return doc.findMarks(Pos(doc.first, 0), doc.clipPos(Pos(doc.lastLine())),
+	                         function(m) { return m.parent; });
+	  }
+	
+	  function copySharedMarkers(doc, markers) {
+	    for (var i = 0; i < markers.length; i++) {
+	      var marker = markers[i], pos = marker.find();
+	      var mFrom = doc.clipPos(pos.from), mTo = doc.clipPos(pos.to);
+	      if (cmp(mFrom, mTo)) {
+	        var subMark = markText(doc, mFrom, mTo, marker.primary, marker.primary.type);
+	        marker.markers.push(subMark);
+	        subMark.parent = marker;
+	      }
+	    }
+	  }
+	
+	  function detachSharedMarkers(markers) {
+	    for (var i = 0; i < markers.length; i++) {
+	      var marker = markers[i], linked = [marker.primary.doc];;
+	      linkedDocs(marker.primary.doc, function(d) { linked.push(d); });
+	      for (var j = 0; j < marker.markers.length; j++) {
+	        var subMarker = marker.markers[j];
+	        if (indexOf(linked, subMarker.doc) == -1) {
+	          subMarker.parent = null;
+	          marker.markers.splice(j--, 1);
+	        }
+	      }
+	    }
+	  }
+	
+	  // TEXTMARKER SPANS
+	
+	  function MarkedSpan(marker, from, to) {
+	    this.marker = marker;
+	    this.from = from; this.to = to;
+	  }
+	
+	  // Search an array of spans for a span matching the given marker.
+	  function getMarkedSpanFor(spans, marker) {
+	    if (spans) for (var i = 0; i < spans.length; ++i) {
+	      var span = spans[i];
+	      if (span.marker == marker) return span;
+	    }
+	  }
+	  // Remove a span from an array, returning undefined if no spans are
+	  // left (we don't store arrays for lines without spans).
+	  function removeMarkedSpan(spans, span) {
+	    for (var r, i = 0; i < spans.length; ++i)
+	      if (spans[i] != span) (r || (r = [])).push(spans[i]);
+	    return r;
+	  }
+	  // Add a span to a line.
+	  function addMarkedSpan(line, span) {
+	    line.markedSpans = line.markedSpans ? line.markedSpans.concat([span]) : [span];
+	    span.marker.attachLine(line);
+	  }
+	
+	  // Used for the algorithm that adjusts markers for a change in the
+	  // document. These functions cut an array of spans at a given
+	  // character position, returning an array of remaining chunks (or
+	  // undefined if nothing remains).
+	  function markedSpansBefore(old, startCh, isInsert) {
+	    if (old) for (var i = 0, nw; i < old.length; ++i) {
+	      var span = old[i], marker = span.marker;
+	      var startsBefore = span.from == null || (marker.inclusiveLeft ? span.from <= startCh : span.from < startCh);
+	      if (startsBefore || span.from == startCh && marker.type == "bookmark" && (!isInsert || !span.marker.insertLeft)) {
+	        var endsAfter = span.to == null || (marker.inclusiveRight ? span.to >= startCh : span.to > startCh);
+	        (nw || (nw = [])).push(new MarkedSpan(marker, span.from, endsAfter ? null : span.to));
+	      }
+	    }
+	    return nw;
+	  }
+	  function markedSpansAfter(old, endCh, isInsert) {
+	    if (old) for (var i = 0, nw; i < old.length; ++i) {
+	      var span = old[i], marker = span.marker;
+	      var endsAfter = span.to == null || (marker.inclusiveRight ? span.to >= endCh : span.to > endCh);
+	      if (endsAfter || span.from == endCh && marker.type == "bookmark" && (!isInsert || span.marker.insertLeft)) {
+	        var startsBefore = span.from == null || (marker.inclusiveLeft ? span.from <= endCh : span.from < endCh);
+	        (nw || (nw = [])).push(new MarkedSpan(marker, startsBefore ? null : span.from - endCh,
+	                                              span.to == null ? null : span.to - endCh));
+	      }
+	    }
+	    return nw;
+	  }
+	
+	  // Given a change object, compute the new set of marker spans that
+	  // cover the line in which the change took place. Removes spans
+	  // entirely within the change, reconnects spans belonging to the
+	  // same marker that appear on both sides of the change, and cuts off
+	  // spans partially within the change. Returns an array of span
+	  // arrays with one element for each line in (after) the change.
+	  function stretchSpansOverChange(doc, change) {
+	    if (change.full) return null;
+	    var oldFirst = isLine(doc, change.from.line) && getLine(doc, change.from.line).markedSpans;
+	    var oldLast = isLine(doc, change.to.line) && getLine(doc, change.to.line).markedSpans;
+	    if (!oldFirst && !oldLast) return null;
+	
+	    var startCh = change.from.ch, endCh = change.to.ch, isInsert = cmp(change.from, change.to) == 0;
+	    // Get the spans that 'stick out' on both sides
+	    var first = markedSpansBefore(oldFirst, startCh, isInsert);
+	    var last = markedSpansAfter(oldLast, endCh, isInsert);
+	
+	    // Next, merge those two ends
+	    var sameLine = change.text.length == 1, offset = lst(change.text).length + (sameLine ? startCh : 0);
+	    if (first) {
+	      // Fix up .to properties of first
+	      for (var i = 0; i < first.length; ++i) {
+	        var span = first[i];
+	        if (span.to == null) {
+	          var found = getMarkedSpanFor(last, span.marker);
+	          if (!found) span.to = startCh;
+	          else if (sameLine) span.to = found.to == null ? null : found.to + offset;
+	        }
+	      }
+	    }
+	    if (last) {
+	      // Fix up .from in last (or move them into first in case of sameLine)
+	      for (var i = 0; i < last.length; ++i) {
+	        var span = last[i];
+	        if (span.to != null) span.to += offset;
+	        if (span.from == null) {
+	          var found = getMarkedSpanFor(first, span.marker);
+	          if (!found) {
+	            span.from = offset;
+	            if (sameLine) (first || (first = [])).push(span);
+	          }
+	        } else {
+	          span.from += offset;
+	          if (sameLine) (first || (first = [])).push(span);
+	        }
+	      }
+	    }
+	    // Make sure we didn't create any zero-length spans
+	    if (first) first = clearEmptySpans(first);
+	    if (last && last != first) last = clearEmptySpans(last);
+	
+	    var newMarkers = [first];
+	    if (!sameLine) {
+	      // Fill gap with whole-line-spans
+	      var gap = change.text.length - 2, gapMarkers;
+	      if (gap > 0 && first)
+	        for (var i = 0; i < first.length; ++i)
+	          if (first[i].to == null)
+	            (gapMarkers || (gapMarkers = [])).push(new MarkedSpan(first[i].marker, null, null));
+	      for (var i = 0; i < gap; ++i)
+	        newMarkers.push(gapMarkers);
+	      newMarkers.push(last);
+	    }
+	    return newMarkers;
+	  }
+	
+	  // Remove spans that are empty and don't have a clearWhenEmpty
+	  // option of false.
+	  function clearEmptySpans(spans) {
+	    for (var i = 0; i < spans.length; ++i) {
+	      var span = spans[i];
+	      if (span.from != null && span.from == span.to && span.marker.clearWhenEmpty !== false)
+	        spans.splice(i--, 1);
+	    }
+	    if (!spans.length) return null;
+	    return spans;
+	  }
+	
+	  // Used for un/re-doing changes from the history. Combines the
+	  // result of computing the existing spans with the set of spans that
+	  // existed in the history (so that deleting around a span and then
+	  // undoing brings back the span).
+	  function mergeOldSpans(doc, change) {
+	    var old = getOldSpans(doc, change);
+	    var stretched = stretchSpansOverChange(doc, change);
+	    if (!old) return stretched;
+	    if (!stretched) return old;
+	
+	    for (var i = 0; i < old.length; ++i) {
+	      var oldCur = old[i], stretchCur = stretched[i];
+	      if (oldCur && stretchCur) {
+	        spans: for (var j = 0; j < stretchCur.length; ++j) {
+	          var span = stretchCur[j];
+	          for (var k = 0; k < oldCur.length; ++k)
+	            if (oldCur[k].marker == span.marker) continue spans;
+	          oldCur.push(span);
+	        }
+	      } else if (stretchCur) {
+	        old[i] = stretchCur;
+	      }
+	    }
+	    return old;
+	  }
+	
+	  // Used to 'clip' out readOnly ranges when making a change.
+	  function removeReadOnlyRanges(doc, from, to) {
+	    var markers = null;
+	    doc.iter(from.line, to.line + 1, function(line) {
+	      if (line.markedSpans) for (var i = 0; i < line.markedSpans.length; ++i) {
+	        var mark = line.markedSpans[i].marker;
+	        if (mark.readOnly && (!markers || indexOf(markers, mark) == -1))
+	          (markers || (markers = [])).push(mark);
+	      }
+	    });
+	    if (!markers) return null;
+	    var parts = [{from: from, to: to}];
+	    for (var i = 0; i < markers.length; ++i) {
+	      var mk = markers[i], m = mk.find(0);
+	      for (var j = 0; j < parts.length; ++j) {
+	        var p = parts[j];
+	        if (cmp(p.to, m.from) < 0 || cmp(p.from, m.to) > 0) continue;
+	        var newParts = [j, 1], dfrom = cmp(p.from, m.from), dto = cmp(p.to, m.to);
+	        if (dfrom < 0 || !mk.inclusiveLeft && !dfrom)
+	          newParts.push({from: p.from, to: m.from});
+	        if (dto > 0 || !mk.inclusiveRight && !dto)
+	          newParts.push({from: m.to, to: p.to});
+	        parts.splice.apply(parts, newParts);
+	        j += newParts.length - 1;
+	      }
+	    }
+	    return parts;
+	  }
+	
+	  // Connect or disconnect spans from a line.
+	  function detachMarkedSpans(line) {
+	    var spans = line.markedSpans;
+	    if (!spans) return;
+	    for (var i = 0; i < spans.length; ++i)
+	      spans[i].marker.detachLine(line);
+	    line.markedSpans = null;
+	  }
+	  function attachMarkedSpans(line, spans) {
+	    if (!spans) return;
+	    for (var i = 0; i < spans.length; ++i)
+	      spans[i].marker.attachLine(line);
+	    line.markedSpans = spans;
+	  }
+	
+	  // Helpers used when computing which overlapping collapsed span
+	  // counts as the larger one.
+	  function extraLeft(marker) { return marker.inclusiveLeft ? -1 : 0; }
+	  function extraRight(marker) { return marker.inclusiveRight ? 1 : 0; }
+	
+	  // Returns a number indicating which of two overlapping collapsed
+	  // spans is larger (and thus includes the other). Falls back to
+	  // comparing ids when the spans cover exactly the same range.
+	  function compareCollapsedMarkers(a, b) {
+	    var lenDiff = a.lines.length - b.lines.length;
+	    if (lenDiff != 0) return lenDiff;
+	    var aPos = a.find(), bPos = b.find();
+	    var fromCmp = cmp(aPos.from, bPos.from) || extraLeft(a) - extraLeft(b);
+	    if (fromCmp) return -fromCmp;
+	    var toCmp = cmp(aPos.to, bPos.to) || extraRight(a) - extraRight(b);
+	    if (toCmp) return toCmp;
+	    return b.id - a.id;
+	  }
+	
+	  // Find out whether a line ends or starts in a collapsed span. If
+	  // so, return the marker for that span.
+	  function collapsedSpanAtSide(line, start) {
+	    var sps = sawCollapsedSpans && line.markedSpans, found;
+	    if (sps) for (var sp, i = 0; i < sps.length; ++i) {
+	      sp = sps[i];
+	      if (sp.marker.collapsed && (start ? sp.from : sp.to) == null &&
+	          (!found || compareCollapsedMarkers(found, sp.marker) < 0))
+	        found = sp.marker;
+	    }
+	    return found;
+	  }
+	  function collapsedSpanAtStart(line) { return collapsedSpanAtSide(line, true); }
+	  function collapsedSpanAtEnd(line) { return collapsedSpanAtSide(line, false); }
+	
+	  // Test whether there exists a collapsed span that partially
+	  // overlaps (covers the start or end, but not both) of a new span.
+	  // Such overlap is not allowed.
+	  function conflictingCollapsedRange(doc, lineNo, from, to, marker) {
+	    var line = getLine(doc, lineNo);
+	    var sps = sawCollapsedSpans && line.markedSpans;
+	    if (sps) for (var i = 0; i < sps.length; ++i) {
+	      var sp = sps[i];
+	      if (!sp.marker.collapsed) continue;
+	      var found = sp.marker.find(0);
+	      var fromCmp = cmp(found.from, from) || extraLeft(sp.marker) - extraLeft(marker);
+	      var toCmp = cmp(found.to, to) || extraRight(sp.marker) - extraRight(marker);
+	      if (fromCmp >= 0 && toCmp <= 0 || fromCmp <= 0 && toCmp >= 0) continue;
+	      if (fromCmp <= 0 && (sp.marker.inclusiveRight && marker.inclusiveLeft ? cmp(found.to, from) >= 0 : cmp(found.to, from) > 0) ||
+	          fromCmp >= 0 && (sp.marker.inclusiveRight && marker.inclusiveLeft ? cmp(found.from, to) <= 0 : cmp(found.from, to) < 0))
+	        return true;
+	    }
+	  }
+	
+	  // A visual line is a line as drawn on the screen. Folding, for
+	  // example, can cause multiple logical lines to appear on the same
+	  // visual line. This finds the start of the visual line that the
+	  // given line is part of (usually that is the line itself).
+	  function visualLine(line) {
+	    var merged;
+	    while (merged = collapsedSpanAtStart(line))
+	      line = merged.find(-1, true).line;
+	    return line;
+	  }
+	
+	  // Returns an array of logical lines that continue the visual line
+	  // started by the argument, or undefined if there are no such lines.
+	  function visualLineContinued(line) {
+	    var merged, lines;
+	    while (merged = collapsedSpanAtEnd(line)) {
+	      line = merged.find(1, true).line;
+	      (lines || (lines = [])).push(line);
+	    }
+	    return lines;
+	  }
+	
+	  // Get the line number of the start of the visual line that the
+	  // given line number is part of.
+	  function visualLineNo(doc, lineN) {
+	    var line = getLine(doc, lineN), vis = visualLine(line);
+	    if (line == vis) return lineN;
+	    return lineNo(vis);
+	  }
+	  // Get the line number of the start of the next visual line after
+	  // the given line.
+	  function visualLineEndNo(doc, lineN) {
+	    if (lineN > doc.lastLine()) return lineN;
+	    var line = getLine(doc, lineN), merged;
+	    if (!lineIsHidden(doc, line)) return lineN;
+	    while (merged = collapsedSpanAtEnd(line))
+	      line = merged.find(1, true).line;
+	    return lineNo(line) + 1;
+	  }
+	
+	  // Compute whether a line is hidden. Lines count as hidden when they
+	  // are part of a visual line that starts with another line, or when
+	  // they are entirely covered by collapsed, non-widget span.
+	  function lineIsHidden(doc, line) {
+	    var sps = sawCollapsedSpans && line.markedSpans;
+	    if (sps) for (var sp, i = 0; i < sps.length; ++i) {
+	      sp = sps[i];
+	      if (!sp.marker.collapsed) continue;
+	      if (sp.from == null) return true;
+	      if (sp.marker.widgetNode) continue;
+	      if (sp.from == 0 && sp.marker.inclusiveLeft && lineIsHiddenInner(doc, line, sp))
+	        return true;
+	    }
+	  }
+	  function lineIsHiddenInner(doc, line, span) {
+	    if (span.to == null) {
+	      var end = span.marker.find(1, true);
+	      return lineIsHiddenInner(doc, end.line, getMarkedSpanFor(end.line.markedSpans, span.marker));
+	    }
+	    if (span.marker.inclusiveRight && span.to == line.text.length)
+	      return true;
+	    for (var sp, i = 0; i < line.markedSpans.length; ++i) {
+	      sp = line.markedSpans[i];
+	      if (sp.marker.collapsed && !sp.marker.widgetNode && sp.from == span.to &&
+	          (sp.to == null || sp.to != span.from) &&
+	          (sp.marker.inclusiveLeft || span.marker.inclusiveRight) &&
+	          lineIsHiddenInner(doc, line, sp)) return true;
+	    }
+	  }
+	
+	  // LINE WIDGETS
+	
+	  // Line widgets are block elements displayed above or below a line.
+	
+	  var LineWidget = CodeMirror.LineWidget = function(doc, node, options) {
+	    if (options) for (var opt in options) if (options.hasOwnProperty(opt))
+	      this[opt] = options[opt];
+	    this.doc = doc;
+	    this.node = node;
+	  };
+	  eventMixin(LineWidget);
+	
+	  function adjustScrollWhenAboveVisible(cm, line, diff) {
+	    if (heightAtLine(line) < ((cm.curOp && cm.curOp.scrollTop) || cm.doc.scrollTop))
+	      addToScrollPos(cm, null, diff);
+	  }
+	
+	  LineWidget.prototype.clear = function() {
+	    var cm = this.doc.cm, ws = this.line.widgets, line = this.line, no = lineNo(line);
+	    if (no == null || !ws) return;
+	    for (var i = 0; i < ws.length; ++i) if (ws[i] == this) ws.splice(i--, 1);
+	    if (!ws.length) line.widgets = null;
+	    var height = widgetHeight(this);
+	    updateLineHeight(line, Math.max(0, line.height - height));
+	    if (cm) runInOp(cm, function() {
+	      adjustScrollWhenAboveVisible(cm, line, -height);
+	      regLineChange(cm, no, "widget");
+	    });
+	  };
+	  LineWidget.prototype.changed = function() {
+	    var oldH = this.height, cm = this.doc.cm, line = this.line;
+	    this.height = null;
+	    var diff = widgetHeight(this) - oldH;
+	    if (!diff) return;
+	    updateLineHeight(line, line.height + diff);
+	    if (cm) runInOp(cm, function() {
+	      cm.curOp.forceUpdate = true;
+	      adjustScrollWhenAboveVisible(cm, line, diff);
+	    });
+	  };
+	
+	  function widgetHeight(widget) {
+	    if (widget.height != null) return widget.height;
+	    var cm = widget.doc.cm;
+	    if (!cm) return 0;
+	    if (!contains(document.body, widget.node)) {
+	      var parentStyle = "position: relative;";
+	      if (widget.coverGutter)
+	        parentStyle += "margin-left: -" + cm.display.gutters.offsetWidth + "px;";
+	      if (widget.noHScroll)
+	        parentStyle += "width: " + cm.display.wrapper.clientWidth + "px;";
+	      removeChildrenAndAdd(cm.display.measure, elt("div", [widget.node], null, parentStyle));
+	    }
+	    return widget.height = widget.node.parentNode.offsetHeight;
+	  }
+	
+	  function addLineWidget(doc, handle, node, options) {
+	    var widget = new LineWidget(doc, node, options);
+	    var cm = doc.cm;
+	    if (cm && widget.noHScroll) cm.display.alignWidgets = true;
+	    changeLine(doc, handle, "widget", function(line) {
+	      var widgets = line.widgets || (line.widgets = []);
+	      if (widget.insertAt == null) widgets.push(widget);
+	      else widgets.splice(Math.min(widgets.length - 1, Math.max(0, widget.insertAt)), 0, widget);
+	      widget.line = line;
+	      if (cm && !lineIsHidden(doc, line)) {
+	        var aboveVisible = heightAtLine(line) < doc.scrollTop;
+	        updateLineHeight(line, line.height + widgetHeight(widget));
+	        if (aboveVisible) addToScrollPos(cm, null, widget.height);
+	        cm.curOp.forceUpdate = true;
+	      }
+	      return true;
+	    });
+	    return widget;
+	  }
+	
+	  // LINE DATA STRUCTURE
+	
+	  // Line objects. These hold state related to a line, including
+	  // highlighting info (the styles array).
+	  var Line = CodeMirror.Line = function(text, markedSpans, estimateHeight) {
+	    this.text = text;
+	    attachMarkedSpans(this, markedSpans);
+	    this.height = estimateHeight ? estimateHeight(this) : 1;
+	  };
+	  eventMixin(Line);
+	  Line.prototype.lineNo = function() { return lineNo(this); };
+	
+	  // Change the content (text, markers) of a line. Automatically
+	  // invalidates cached information and tries to re-estimate the
+	  // line's height.
+	  function updateLine(line, text, markedSpans, estimateHeight) {
+	    line.text = text;
+	    if (line.stateAfter) line.stateAfter = null;
+	    if (line.styles) line.styles = null;
+	    if (line.order != null) line.order = null;
+	    detachMarkedSpans(line);
+	    attachMarkedSpans(line, markedSpans);
+	    var estHeight = estimateHeight ? estimateHeight(line) : 1;
+	    if (estHeight != line.height) updateLineHeight(line, estHeight);
+	  }
+	
+	  // Detach a line from the document tree and its markers.
+	  function cleanUpLine(line) {
+	    line.parent = null;
+	    detachMarkedSpans(line);
+	  }
+	
+	  function extractLineClasses(type, output) {
+	    if (type) for (;;) {
+	      var lineClass = type.match(/(?:^|\s+)line-(background-)?(\S+)/);
+	      if (!lineClass) break;
+	      type = type.slice(0, lineClass.index) + type.slice(lineClass.index + lineClass[0].length);
+	      var prop = lineClass[1] ? "bgClass" : "textClass";
+	      if (output[prop] == null)
+	        output[prop] = lineClass[2];
+	      else if (!(new RegExp("(?:^|\s)" + lineClass[2] + "(?:$|\s)")).test(output[prop]))
+	        output[prop] += " " + lineClass[2];
+	    }
+	    return type;
+	  }
+	
+	  function callBlankLine(mode, state) {
+	    if (mode.blankLine) return mode.blankLine(state);
+	    if (!mode.innerMode) return;
+	    var inner = CodeMirror.innerMode(mode, state);
+	    if (inner.mode.blankLine) return inner.mode.blankLine(inner.state);
+	  }
+	
+	  function readToken(mode, stream, state, inner) {
+	    for (var i = 0; i < 10; i++) {
+	      if (inner) inner[0] = CodeMirror.innerMode(mode, state).mode;
+	      var style = mode.token(stream, state);
+	      if (stream.pos > stream.start) return style;
+	    }
+	    throw new Error("Mode " + mode.name + " failed to advance stream.");
+	  }
+	
+	  // Utility for getTokenAt and getLineTokens
+	  function takeToken(cm, pos, precise, asArray) {
+	    function getObj(copy) {
+	      return {start: stream.start, end: stream.pos,
+	              string: stream.current(),
+	              type: style || null,
+	              state: copy ? copyState(doc.mode, state) : state};
+	    }
+	
+	    var doc = cm.doc, mode = doc.mode, style;
+	    pos = clipPos(doc, pos);
+	    var line = getLine(doc, pos.line), state = getStateBefore(cm, pos.line, precise);
+	    var stream = new StringStream(line.text, cm.options.tabSize), tokens;
+	    if (asArray) tokens = [];
+	    while ((asArray || stream.pos < pos.ch) && !stream.eol()) {
+	      stream.start = stream.pos;
+	      style = readToken(mode, stream, state);
+	      if (asArray) tokens.push(getObj(true));
+	    }
+	    return asArray ? tokens : getObj();
+	  }
+	
+	  // Run the given mode's parser over a line, calling f for each token.
+	  function runMode(cm, text, mode, state, f, lineClasses, forceToEnd) {
+	    var flattenSpans = mode.flattenSpans;
+	    if (flattenSpans == null) flattenSpans = cm.options.flattenSpans;
+	    var curStart = 0, curStyle = null;
+	    var stream = new StringStream(text, cm.options.tabSize), style;
+	    var inner = cm.options.addModeClass && [null];
+	    if (text == "") extractLineClasses(callBlankLine(mode, state), lineClasses);
+	    while (!stream.eol()) {
+	      if (stream.pos > cm.options.maxHighlightLength) {
+	        flattenSpans = false;
+	        if (forceToEnd) processLine(cm, text, state, stream.pos);
+	        stream.pos = text.length;
+	        style = null;
+	      } else {
+	        style = extractLineClasses(readToken(mode, stream, state, inner), lineClasses);
+	      }
+	      if (inner) {
+	        var mName = inner[0].name;
+	        if (mName) style = "m-" + (style ? mName + " " + style : mName);
+	      }
+	      if (!flattenSpans || curStyle != style) {
+	        while (curStart < stream.start) {
+	          curStart = Math.min(stream.start, curStart + 50000);
+	          f(curStart, curStyle);
+	        }
+	        curStyle = style;
+	      }
+	      stream.start = stream.pos;
+	    }
+	    while (curStart < stream.pos) {
+	      // Webkit seems to refuse to render text nodes longer than 57444 characters
+	      var pos = Math.min(stream.pos, curStart + 50000);
+	      f(pos, curStyle);
+	      curStart = pos;
+	    }
+	  }
+	
+	  // Compute a style array (an array starting with a mode generation
+	  // -- for invalidation -- followed by pairs of end positions and
+	  // style strings), which is used to highlight the tokens on the
+	  // line.
+	  function highlightLine(cm, line, state, forceToEnd) {
+	    // A styles array always starts with a number identifying the
+	    // mode/overlays that it is based on (for easy invalidation).
+	    var st = [cm.state.modeGen], lineClasses = {};
+	    // Compute the base array of styles
+	    runMode(cm, line.text, cm.doc.mode, state, function(end, style) {
+	      st.push(end, style);
+	    }, lineClasses, forceToEnd);
+	
+	    // Run overlays, adjust style array.
+	    for (var o = 0; o < cm.state.overlays.length; ++o) {
+	      var overlay = cm.state.overlays[o], i = 1, at = 0;
+	      runMode(cm, line.text, overlay.mode, true, function(end, style) {
+	        var start = i;
+	        // Ensure there's a token end at the current position, and that i points at it
+	        while (at < end) {
+	          var i_end = st[i];
+	          if (i_end > end)
+	            st.splice(i, 1, end, st[i+1], i_end);
+	          i += 2;
+	          at = Math.min(end, i_end);
+	        }
+	        if (!style) return;
+	        if (overlay.opaque) {
+	          st.splice(start, i - start, end, "cm-overlay " + style);
+	          i = start + 2;
+	        } else {
+	          for (; start < i; start += 2) {
+	            var cur = st[start+1];
+	            st[start+1] = (cur ? cur + " " : "") + "cm-overlay " + style;
+	          }
+	        }
+	      }, lineClasses);
+	    }
+	
+	    return {styles: st, classes: lineClasses.bgClass || lineClasses.textClass ? lineClasses : null};
+	  }
+	
+	  function getLineStyles(cm, line, updateFrontier) {
+	    if (!line.styles || line.styles[0] != cm.state.modeGen) {
+	      var state = getStateBefore(cm, lineNo(line));
+	      var result = highlightLine(cm, line, line.text.length > cm.options.maxHighlightLength ? copyState(cm.doc.mode, state) : state);
+	      line.stateAfter = state;
+	      line.styles = result.styles;
+	      if (result.classes) line.styleClasses = result.classes;
+	      else if (line.styleClasses) line.styleClasses = null;
+	      if (updateFrontier === cm.doc.frontier) cm.doc.frontier++;
+	    }
+	    return line.styles;
+	  }
+	
+	  // Lightweight form of highlight -- proceed over this line and
+	  // update state, but don't save a style array. Used for lines that
+	  // aren't currently visible.
+	  function processLine(cm, text, state, startAt) {
+	    var mode = cm.doc.mode;
+	    var stream = new StringStream(text, cm.options.tabSize);
+	    stream.start = stream.pos = startAt || 0;
+	    if (text == "") callBlankLine(mode, state);
+	    while (!stream.eol()) {
+	      readToken(mode, stream, state);
+	      stream.start = stream.pos;
+	    }
+	  }
+	
+	  // Convert a style as returned by a mode (either null, or a string
+	  // containing one or more styles) to a CSS style. This is cached,
+	  // and also looks for line-wide styles.
+	  var styleToClassCache = {}, styleToClassCacheWithMode = {};
+	  function interpretTokenStyle(style, options) {
+	    if (!style || /^\s*$/.test(style)) return null;
+	    var cache = options.addModeClass ? styleToClassCacheWithMode : styleToClassCache;
+	    return cache[style] ||
+	      (cache[style] = style.replace(/\S+/g, "cm-$&"));
+	  }
+	
+	  // Render the DOM representation of the text of a line. Also builds
+	  // up a 'line map', which points at the DOM nodes that represent
+	  // specific stretches of text, and is used by the measuring code.
+	  // The returned object contains the DOM node, this map, and
+	  // information about line-wide styles that were set by the mode.
+	  function buildLineContent(cm, lineView) {
+	    // The padding-right forces the element to have a 'border', which
+	    // is needed on Webkit to be able to get line-level bounding
+	    // rectangles for it (in measureChar).
+	    var content = elt("span", null, null, webkit ? "padding-right: .1px" : null);
+	    var builder = {pre: elt("pre", [content], "CodeMirror-line"), content: content,
+	                   col: 0, pos: 0, cm: cm,
+	                   trailingSpace: false,
+	                   splitSpaces: (ie || webkit) && cm.getOption("lineWrapping")};
+	    lineView.measure = {};
+	
+	    // Iterate over the logical lines that make up this visual line.
+	    for (var i = 0; i <= (lineView.rest ? lineView.rest.length : 0); i++) {
+	      var line = i ? lineView.rest[i - 1] : lineView.line, order;
+	      builder.pos = 0;
+	      builder.addToken = buildToken;
+	      // Optionally wire in some hacks into the token-rendering
+	      // algorithm, to deal with browser quirks.
+	      if (hasBadBidiRects(cm.display.measure) && (order = getOrder(line)))
+	        builder.addToken = buildTokenBadBidi(builder.addToken, order);
+	      builder.map = [];
+	      var allowFrontierUpdate = lineView != cm.display.externalMeasured && lineNo(line);
+	      insertLineContent(line, builder, getLineStyles(cm, line, allowFrontierUpdate));
+	      if (line.styleClasses) {
+	        if (line.styleClasses.bgClass)
+	          builder.bgClass = joinClasses(line.styleClasses.bgClass, builder.bgClass || "");
+	        if (line.styleClasses.textClass)
+	          builder.textClass = joinClasses(line.styleClasses.textClass, builder.textClass || "");
+	      }
+	
+	      // Ensure at least a single node is present, for measuring.
+	      if (builder.map.length == 0)
+	        builder.map.push(0, 0, builder.content.appendChild(zeroWidthElement(cm.display.measure)));
+	
+	      // Store the map and a cache object for the current logical line
+	      if (i == 0) {
+	        lineView.measure.map = builder.map;
+	        lineView.measure.cache = {};
+	      } else {
+	        (lineView.measure.maps || (lineView.measure.maps = [])).push(builder.map);
+	        (lineView.measure.caches || (lineView.measure.caches = [])).push({});
+	      }
+	    }
+	
+	    // See issue #2901
+	    if (webkit) {
+	      var last = builder.content.lastChild
+	      if (/\bcm-tab\b/.test(last.className) || (last.querySelector && last.querySelector(".cm-tab")))
+	        builder.content.className = "cm-tab-wrap-hack";
+	    }
+	
+	    signal(cm, "renderLine", cm, lineView.line, builder.pre);
+	    if (builder.pre.className)
+	      builder.textClass = joinClasses(builder.pre.className, builder.textClass || "");
+	
+	    return builder;
+	  }
+	
+	  function defaultSpecialCharPlaceholder(ch) {
+	    var token = elt("span", "\u2022", "cm-invalidchar");
+	    token.title = "\\u" + ch.charCodeAt(0).toString(16);
+	    token.setAttribute("aria-label", token.title);
+	    return token;
+	  }
+	
+	  // Build up the DOM representation for a single token, and add it to
+	  // the line map. Takes care to render special characters separately.
+	  function buildToken(builder, text, style, startStyle, endStyle, title, css) {
+	    if (!text) return;
+	    var displayText = builder.splitSpaces ? splitSpaces(text, builder.trailingSpace) : text
+	    var special = builder.cm.state.specialChars, mustWrap = false;
+	    if (!special.test(text)) {
+	      builder.col += text.length;
+	      var content = document.createTextNode(displayText);
+	      builder.map.push(builder.pos, builder.pos + text.length, content);
+	      if (ie && ie_version < 9) mustWrap = true;
+	      builder.pos += text.length;
+	    } else {
+	      var content = document.createDocumentFragment(), pos = 0;
+	      while (true) {
+	        special.lastIndex = pos;
+	        var m = special.exec(text);
+	        var skipped = m ? m.index - pos : text.length - pos;
+	        if (skipped) {
+	          var txt = document.createTextNode(displayText.slice(pos, pos + skipped));
+	          if (ie && ie_version < 9) content.appendChild(elt("span", [txt]));
+	          else content.appendChild(txt);
+	          builder.map.push(builder.pos, builder.pos + skipped, txt);
+	          builder.col += skipped;
+	          builder.pos += skipped;
+	        }
+	        if (!m) break;
+	        pos += skipped + 1;
+	        if (m[0] == "\t") {
+	          var tabSize = builder.cm.options.tabSize, tabWidth = tabSize - builder.col % tabSize;
+	          var txt = content.appendChild(elt("span", spaceStr(tabWidth), "cm-tab"));
+	          txt.setAttribute("role", "presentation");
+	          txt.setAttribute("cm-text", "\t");
+	          builder.col += tabWidth;
+	        } else if (m[0] == "\r" || m[0] == "\n") {
+	          var txt = content.appendChild(elt("span", m[0] == "\r" ? "\u240d" : "\u2424", "cm-invalidchar"));
+	          txt.setAttribute("cm-text", m[0]);
+	          builder.col += 1;
+	        } else {
+	          var txt = builder.cm.options.specialCharPlaceholder(m[0]);
+	          txt.setAttribute("cm-text", m[0]);
+	          if (ie && ie_version < 9) content.appendChild(elt("span", [txt]));
+	          else content.appendChild(txt);
+	          builder.col += 1;
+	        }
+	        builder.map.push(builder.pos, builder.pos + 1, txt);
+	        builder.pos++;
+	      }
+	    }
+	    builder.trailingSpace = displayText.charCodeAt(text.length - 1) == 32
+	    if (style || startStyle || endStyle || mustWrap || css) {
+	      var fullStyle = style || "";
+	      if (startStyle) fullStyle += startStyle;
+	      if (endStyle) fullStyle += endStyle;
+	      var token = elt("span", [content], fullStyle, css);
+	      if (title) token.title = title;
+	      return builder.content.appendChild(token);
+	    }
+	    builder.content.appendChild(content);
+	  }
+	
+	  function splitSpaces(text, trailingBefore) {
+	    if (text.length > 1 && !/  /.test(text)) return text
+	    var spaceBefore = trailingBefore, result = ""
+	    for (var i = 0; i < text.length; i++) {
+	      var ch = text.charAt(i)
+	      if (ch == " " && spaceBefore && (i == text.length - 1 || text.charCodeAt(i + 1) == 32))
+	        ch = "\u00a0"
+	      result += ch
+	      spaceBefore = ch == " "
+	    }
+	    return result
+	  }
+	
+	  // Work around nonsense dimensions being reported for stretches of
+	  // right-to-left text.
+	  function buildTokenBadBidi(inner, order) {
+	    return function(builder, text, style, startStyle, endStyle, title, css) {
+	      style = style ? style + " cm-force-border" : "cm-force-border";
+	      var start = builder.pos, end = start + text.length;
+	      for (;;) {
+	        // Find the part that overlaps with the start of this text
+	        for (var i = 0; i < order.length; i++) {
+	          var part = order[i];
+	          if (part.to > start && part.from <= start) break;
+	        }
+	        if (part.to >= end) return inner(builder, text, style, startStyle, endStyle, title, css);
+	        inner(builder, text.slice(0, part.to - start), style, startStyle, null, title, css);
+	        startStyle = null;
+	        text = text.slice(part.to - start);
+	        start = part.to;
+	      }
+	    };
+	  }
+	
+	  function buildCollapsedSpan(builder, size, marker, ignoreWidget) {
+	    var widget = !ignoreWidget && marker.widgetNode;
+	    if (widget) builder.map.push(builder.pos, builder.pos + size, widget);
+	    if (!ignoreWidget && builder.cm.display.input.needsContentAttribute) {
+	      if (!widget)
+	        widget = builder.content.appendChild(document.createElement("span"));
+	      widget.setAttribute("cm-marker", marker.id);
+	    }
+	    if (widget) {
+	      builder.cm.display.input.setUneditable(widget);
+	      builder.content.appendChild(widget);
+	    }
+	    builder.pos += size;
+	    builder.trailingSpace = false
+	  }
+	
+	  // Outputs a number of spans to make up a line, taking highlighting
+	  // and marked text into account.
+	  function insertLineContent(line, builder, styles) {
+	    var spans = line.markedSpans, allText = line.text, at = 0;
+	    if (!spans) {
+	      for (var i = 1; i < styles.length; i+=2)
+	        builder.addToken(builder, allText.slice(at, at = styles[i]), interpretTokenStyle(styles[i+1], builder.cm.options));
+	      return;
+	    }
+	
+	    var len = allText.length, pos = 0, i = 1, text = "", style, css;
+	    var nextChange = 0, spanStyle, spanEndStyle, spanStartStyle, title, collapsed;
+	    for (;;) {
+	      if (nextChange == pos) { // Update current marker set
+	        spanStyle = spanEndStyle = spanStartStyle = title = css = "";
+	        collapsed = null; nextChange = Infinity;
+	        var foundBookmarks = [], endStyles
+	        for (var j = 0; j < spans.length; ++j) {
+	          var sp = spans[j], m = sp.marker;
+	          if (m.type == "bookmark" && sp.from == pos && m.widgetNode) {
+	            foundBookmarks.push(m);
+	          } else if (sp.from <= pos && (sp.to == null || sp.to > pos || m.collapsed && sp.to == pos && sp.from == pos)) {
+	            if (sp.to != null && sp.to != pos && nextChange > sp.to) {
+	              nextChange = sp.to;
+	              spanEndStyle = "";
+	            }
+	            if (m.className) spanStyle += " " + m.className;
+	            if (m.css) css = (css ? css + ";" : "") + m.css;
+	            if (m.startStyle && sp.from == pos) spanStartStyle += " " + m.startStyle;
+	            if (m.endStyle && sp.to == nextChange) (endStyles || (endStyles = [])).push(m.endStyle, sp.to)
+	            if (m.title && !title) title = m.title;
+	            if (m.collapsed && (!collapsed || compareCollapsedMarkers(collapsed.marker, m) < 0))
+	              collapsed = sp;
+	          } else if (sp.from > pos && nextChange > sp.from) {
+	            nextChange = sp.from;
+	          }
+	        }
+	        if (endStyles) for (var j = 0; j < endStyles.length; j += 2)
+	          if (endStyles[j + 1] == nextChange) spanEndStyle += " " + endStyles[j]
+	
+	        if (!collapsed || collapsed.from == pos) for (var j = 0; j < foundBookmarks.length; ++j)
+	          buildCollapsedSpan(builder, 0, foundBookmarks[j]);
+	        if (collapsed && (collapsed.from || 0) == pos) {
+	          buildCollapsedSpan(builder, (collapsed.to == null ? len + 1 : collapsed.to) - pos,
+	                             collapsed.marker, collapsed.from == null);
+	          if (collapsed.to == null) return;
+	          if (collapsed.to == pos) collapsed = false;
+	        }
+	      }
+	      if (pos >= len) break;
+	
+	      var upto = Math.min(len, nextChange);
+	      while (true) {
+	        if (text) {
+	          var end = pos + text.length;
+	          if (!collapsed) {
+	            var tokenText = end > upto ? text.slice(0, upto - pos) : text;
+	            builder.addToken(builder, tokenText, style ? style + spanStyle : spanStyle,
+	                             spanStartStyle, pos + tokenText.length == nextChange ? spanEndStyle : "", title, css);
+	          }
+	          if (end >= upto) {text = text.slice(upto - pos); pos = upto; break;}
+	          pos = end;
+	          spanStartStyle = "";
+	        }
+	        text = allText.slice(at, at = styles[i++]);
+	        style = interpretTokenStyle(styles[i++], builder.cm.options);
+	      }
+	    }
+	  }
+	
+	  // DOCUMENT DATA STRUCTURE
+	
+	  // By default, updates that start and end at the beginning of a line
+	  // are treated specially, in order to make the association of line
+	  // widgets and marker elements with the text behave more intuitive.
+	  function isWholeLineUpdate(doc, change) {
+	    return change.from.ch == 0 && change.to.ch == 0 && lst(change.text) == "" &&
+	      (!doc.cm || doc.cm.options.wholeLineUpdateBefore);
+	  }
+	
+	  // Perform a change on the document data structure.
+	  function updateDoc(doc, change, markedSpans, estimateHeight) {
+	    function spansFor(n) {return markedSpans ? markedSpans[n] : null;}
+	    function update(line, text, spans) {
+	      updateLine(line, text, spans, estimateHeight);
+	      signalLater(line, "change", line, change);
+	    }
+	    function linesFor(start, end) {
+	      for (var i = start, result = []; i < end; ++i)
+	        result.push(new Line(text[i], spansFor(i), estimateHeight));
+	      return result;
+	    }
+	
+	    var from = change.from, to = change.to, text = change.text;
+	    var firstLine = getLine(doc, from.line), lastLine = getLine(doc, to.line);
+	    var lastText = lst(text), lastSpans = spansFor(text.length - 1), nlines = to.line - from.line;
+	
+	    // Adjust the line structure
+	    if (change.full) {
+	      doc.insert(0, linesFor(0, text.length));
+	      doc.remove(text.length, doc.size - text.length);
+	    } else if (isWholeLineUpdate(doc, change)) {
+	      // This is a whole-line replace. Treated specially to make
+	      // sure line objects move the way they are supposed to.
+	      var added = linesFor(0, text.length - 1);
+	      update(lastLine, lastLine.text, lastSpans);
+	      if (nlines) doc.remove(from.line, nlines);
+	      if (added.length) doc.insert(from.line, added);
+	    } else if (firstLine == lastLine) {
+	      if (text.length == 1) {
+	        update(firstLine, firstLine.text.slice(0, from.ch) + lastText + firstLine.text.slice(to.ch), lastSpans);
+	      } else {
+	        var added = linesFor(1, text.length - 1);
+	        added.push(new Line(lastText + firstLine.text.slice(to.ch), lastSpans, estimateHeight));
+	        update(firstLine, firstLine.text.slice(0, from.ch) + text[0], spansFor(0));
+	        doc.insert(from.line + 1, added);
+	      }
+	    } else if (text.length == 1) {
+	      update(firstLine, firstLine.text.slice(0, from.ch) + text[0] + lastLine.text.slice(to.ch), spansFor(0));
+	      doc.remove(from.line + 1, nlines);
+	    } else {
+	      update(firstLine, firstLine.text.slice(0, from.ch) + text[0], spansFor(0));
+	      update(lastLine, lastText + lastLine.text.slice(to.ch), lastSpans);
+	      var added = linesFor(1, text.length - 1);
+	      if (nlines > 1) doc.remove(from.line + 1, nlines - 1);
+	      doc.insert(from.line + 1, added);
+	    }
+	
+	    signalLater(doc, "change", doc, change);
+	  }
+	
+	  // The document is represented as a BTree consisting of leaves, with
+	  // chunk of lines in them, and branches, with up to ten leaves or
+	  // other branch nodes below them. The top node is always a branch
+	  // node, and is the document object itself (meaning it has
+	  // additional methods and properties).
+	  //
+	  // All nodes have parent links. The tree is used both to go from
+	  // line numbers to line objects, and to go from objects to numbers.
+	  // It also indexes by height, and is used to convert between height
+	  // and line object, and to find the total height of the document.
+	  //
+	  // See also http://marijnhaverbeke.nl/blog/codemirror-line-tree.html
+	
+	  function LeafChunk(lines) {
+	    this.lines = lines;
+	    this.parent = null;
+	    for (var i = 0, height = 0; i < lines.length; ++i) {
+	      lines[i].parent = this;
+	      height += lines[i].height;
+	    }
+	    this.height = height;
+	  }
+	
+	  LeafChunk.prototype = {
+	    chunkSize: function() { return this.lines.length; },
+	    // Remove the n lines at offset 'at'.
+	    removeInner: function(at, n) {
+	      for (var i = at, e = at + n; i < e; ++i) {
+	        var line = this.lines[i];
+	        this.height -= line.height;
+	        cleanUpLine(line);
+	        signalLater(line, "delete");
+	      }
+	      this.lines.splice(at, n);
+	    },
+	    // Helper used to collapse a small branch into a single leaf.
+	    collapse: function(lines) {
+	      lines.push.apply(lines, this.lines);
+	    },
+	    // Insert the given array of lines at offset 'at', count them as
+	    // having the given height.
+	    insertInner: function(at, lines, height) {
+	      this.height += height;
+	      this.lines = this.lines.slice(0, at).concat(lines).concat(this.lines.slice(at));
+	      for (var i = 0; i < lines.length; ++i) lines[i].parent = this;
+	    },
+	    // Used to iterate over a part of the tree.
+	    iterN: function(at, n, op) {
+	      for (var e = at + n; at < e; ++at)
+	        if (op(this.lines[at])) return true;
+	    }
+	  };
+	
+	  function BranchChunk(children) {
+	    this.children = children;
+	    var size = 0, height = 0;
+	    for (var i = 0; i < children.length; ++i) {
+	      var ch = children[i];
+	      size += ch.chunkSize(); height += ch.height;
+	      ch.parent = this;
+	    }
+	    this.size = size;
+	    this.height = height;
+	    this.parent = null;
+	  }
+	
+	  BranchChunk.prototype = {
+	    chunkSize: function() { return this.size; },
+	    removeInner: function(at, n) {
+	      this.size -= n;
+	      for (var i = 0; i < this.children.length; ++i) {
+	        var child = this.children[i], sz = child.chunkSize();
+	        if (at < sz) {
+	          var rm = Math.min(n, sz - at), oldHeight = child.height;
+	          child.removeInner(at, rm);
+	          this.height -= oldHeight - child.height;
+	          if (sz == rm) { this.children.splice(i--, 1); child.parent = null; }
+	          if ((n -= rm) == 0) break;
+	          at = 0;
+	        } else at -= sz;
+	      }
+	      // If the result is smaller than 25 lines, ensure that it is a
+	      // single leaf node.
+	      if (this.size - n < 25 &&
+	          (this.children.length > 1 || !(this.children[0] instanceof LeafChunk))) {
+	        var lines = [];
+	        this.collapse(lines);
+	        this.children = [new LeafChunk(lines)];
+	        this.children[0].parent = this;
+	      }
+	    },
+	    collapse: function(lines) {
+	      for (var i = 0; i < this.children.length; ++i) this.children[i].collapse(lines);
+	    },
+	    insertInner: function(at, lines, height) {
+	      this.size += lines.length;
+	      this.height += height;
+	      for (var i = 0; i < this.children.length; ++i) {
+	        var child = this.children[i], sz = child.chunkSize();
+	        if (at <= sz) {
+	          child.insertInner(at, lines, height);
+	          if (child.lines && child.lines.length > 50) {
+	            // To avoid memory thrashing when child.lines is huge (e.g. first view of a large file), it's never spliced.
+	            // Instead, small slices are taken. They're taken in order because sequential memory accesses are fastest.
+	            var remaining = child.lines.length % 25 + 25
+	            for (var pos = remaining; pos < child.lines.length;) {
+	              var leaf = new LeafChunk(child.lines.slice(pos, pos += 25));
+	              child.height -= leaf.height;
+	              this.children.splice(++i, 0, leaf);
+	              leaf.parent = this;
+	            }
+	            child.lines = child.lines.slice(0, remaining);
+	            this.maybeSpill();
+	          }
+	          break;
+	        }
+	        at -= sz;
+	      }
+	    },
+	    // When a node has grown, check whether it should be split.
+	    maybeSpill: function() {
+	      if (this.children.length <= 10) return;
+	      var me = this;
+	      do {
+	        var spilled = me.children.splice(me.children.length - 5, 5);
+	        var sibling = new BranchChunk(spilled);
+	        if (!me.parent) { // Become the parent node
+	          var copy = new BranchChunk(me.children);
+	          copy.parent = me;
+	          me.children = [copy, sibling];
+	          me = copy;
+	       } else {
+	          me.size -= sibling.size;
+	          me.height -= sibling.height;
+	          var myIndex = indexOf(me.parent.children, me);
+	          me.parent.children.splice(myIndex + 1, 0, sibling);
+	        }
+	        sibling.parent = me.parent;
+	      } while (me.children.length > 10);
+	      me.parent.maybeSpill();
+	    },
+	    iterN: function(at, n, op) {
+	      for (var i = 0; i < this.children.length; ++i) {
+	        var child = this.children[i], sz = child.chunkSize();
+	        if (at < sz) {
+	          var used = Math.min(n, sz - at);
+	          if (child.iterN(at, used, op)) return true;
+	          if ((n -= used) == 0) break;
+	          at = 0;
+	        } else at -= sz;
+	      }
+	    }
+	  };
+	
+	  var nextDocId = 0;
+	  var Doc = CodeMirror.Doc = function(text, mode, firstLine, lineSep) {
+	    if (!(this instanceof Doc)) return new Doc(text, mode, firstLine, lineSep);
+	    if (firstLine == null) firstLine = 0;
+	
+	    BranchChunk.call(this, [new LeafChunk([new Line("", null)])]);
+	    this.first = firstLine;
+	    this.scrollTop = this.scrollLeft = 0;
+	    this.cantEdit = false;
+	    this.cleanGeneration = 1;
+	    this.frontier = firstLine;
+	    var start = Pos(firstLine, 0);
+	    this.sel = simpleSelection(start);
+	    this.history = new History(null);
+	    this.id = ++nextDocId;
+	    this.modeOption = mode;
+	    this.lineSep = lineSep;
+	    this.extend = false;
+	
+	    if (typeof text == "string") text = this.splitLines(text);
+	    updateDoc(this, {from: start, to: start, text: text});
+	    setSelection(this, simpleSelection(start), sel_dontScroll);
+	  };
+	
+	  Doc.prototype = createObj(BranchChunk.prototype, {
+	    constructor: Doc,
+	    // Iterate over the document. Supports two forms -- with only one
+	    // argument, it calls that for each line in the document. With
+	    // three, it iterates over the range given by the first two (with
+	    // the second being non-inclusive).
+	    iter: function(from, to, op) {
+	      if (op) this.iterN(from - this.first, to - from, op);
+	      else this.iterN(this.first, this.first + this.size, from);
+	    },
+	
+	    // Non-public interface for adding and removing lines.
+	    insert: function(at, lines) {
+	      var height = 0;
+	      for (var i = 0; i < lines.length; ++i) height += lines[i].height;
+	      this.insertInner(at - this.first, lines, height);
+	    },
+	    remove: function(at, n) { this.removeInner(at - this.first, n); },
+	
+	    // From here, the methods are part of the public interface. Most
+	    // are also available from CodeMirror (editor) instances.
+	
+	    getValue: function(lineSep) {
+	      var lines = getLines(this, this.first, this.first + this.size);
+	      if (lineSep === false) return lines;
+	      return lines.join(lineSep || this.lineSeparator());
+	    },
+	    setValue: docMethodOp(function(code) {
+	      var top = Pos(this.first, 0), last = this.first + this.size - 1;
+	      makeChange(this, {from: top, to: Pos(last, getLine(this, last).text.length),
+	                        text: this.splitLines(code), origin: "setValue", full: true}, true);
+	      setSelection(this, simpleSelection(top));
+	    }),
+	    replaceRange: function(code, from, to, origin) {
+	      from = clipPos(this, from);
+	      to = to ? clipPos(this, to) : from;
+	      replaceRange(this, code, from, to, origin);
+	    },
+	    getRange: function(from, to, lineSep) {
+	      var lines = getBetween(this, clipPos(this, from), clipPos(this, to));
+	      if (lineSep === false) return lines;
+	      return lines.join(lineSep || this.lineSeparator());
+	    },
+	
+	    getLine: function(line) {var l = this.getLineHandle(line); return l && l.text;},
+	
+	    getLineHandle: function(line) {if (isLine(this, line)) return getLine(this, line);},
+	    getLineNumber: function(line) {return lineNo(line);},
+	
+	    getLineHandleVisualStart: function(line) {
+	      if (typeof line == "number") line = getLine(this, line);
+	      return visualLine(line);
+	    },
+	
+	    lineCount: function() {return this.size;},
+	    firstLine: function() {return this.first;},
+	    lastLine: function() {return this.first + this.size - 1;},
+	
+	    clipPos: function(pos) {return clipPos(this, pos);},
+	
+	    getCursor: function(start) {
+	      var range = this.sel.primary(), pos;
+	      if (start == null || start == "head") pos = range.head;
+	      else if (start == "anchor") pos = range.anchor;
+	      else if (start == "end" || start == "to" || start === false) pos = range.to();
+	      else pos = range.from();
+	      return pos;
+	    },
+	    listSelections: function() { return this.sel.ranges; },
+	    somethingSelected: function() {return this.sel.somethingSelected();},
+	
+	    setCursor: docMethodOp(function(line, ch, options) {
+	      setSimpleSelection(this, clipPos(this, typeof line == "number" ? Pos(line, ch || 0) : line), null, options);
+	    }),
+	    setSelection: docMethodOp(function(anchor, head, options) {
+	      setSimpleSelection(this, clipPos(this, anchor), clipPos(this, head || anchor), options);
+	    }),
+	    extendSelection: docMethodOp(function(head, other, options) {
+	      extendSelection(this, clipPos(this, head), other && clipPos(this, other), options);
+	    }),
+	    extendSelections: docMethodOp(function(heads, options) {
+	      extendSelections(this, clipPosArray(this, heads), options);
+	    }),
+	    extendSelectionsBy: docMethodOp(function(f, options) {
+	      var heads = map(this.sel.ranges, f);
+	      extendSelections(this, clipPosArray(this, heads), options);
+	    }),
+	    setSelections: docMethodOp(function(ranges, primary, options) {
+	      if (!ranges.length) return;
+	      for (var i = 0, out = []; i < ranges.length; i++)
+	        out[i] = new Range(clipPos(this, ranges[i].anchor),
+	                           clipPos(this, ranges[i].head));
+	      if (primary == null) primary = Math.min(ranges.length - 1, this.sel.primIndex);
+	      setSelection(this, normalizeSelection(out, primary), options);
+	    }),
+	    addSelection: docMethodOp(function(anchor, head, options) {
+	      var ranges = this.sel.ranges.slice(0);
+	      ranges.push(new Range(clipPos(this, anchor), clipPos(this, head || anchor)));
+	      setSelection(this, normalizeSelection(ranges, ranges.length - 1), options);
+	    }),
+	
+	    getSelection: function(lineSep) {
+	      var ranges = this.sel.ranges, lines;
+	      for (var i = 0; i < ranges.length; i++) {
+	        var sel = getBetween(this, ranges[i].from(), ranges[i].to());
+	        lines = lines ? lines.concat(sel) : sel;
+	      }
+	      if (lineSep === false) return lines;
+	      else return lines.join(lineSep || this.lineSeparator());
+	    },
+	    getSelections: function(lineSep) {
+	      var parts = [], ranges = this.sel.ranges;
+	      for (var i = 0; i < ranges.length; i++) {
+	        var sel = getBetween(this, ranges[i].from(), ranges[i].to());
+	        if (lineSep !== false) sel = sel.join(lineSep || this.lineSeparator());
+	        parts[i] = sel;
+	      }
+	      return parts;
+	    },
+	    replaceSelection: function(code, collapse, origin) {
+	      var dup = [];
+	      for (var i = 0; i < this.sel.ranges.length; i++)
+	        dup[i] = code;
+	      this.replaceSelections(dup, collapse, origin || "+input");
+	    },
+	    replaceSelections: docMethodOp(function(code, collapse, origin) {
+	      var changes = [], sel = this.sel;
+	      for (var i = 0; i < sel.ranges.length; i++) {
+	        var range = sel.ranges[i];
+	        changes[i] = {from: range.from(), to: range.to(), text: this.splitLines(code[i]), origin: origin};
+	      }
+	      var newSel = collapse && collapse != "end" && computeReplacedSel(this, changes, collapse);
+	      for (var i = changes.length - 1; i >= 0; i--)
+	        makeChange(this, changes[i]);
+	      if (newSel) setSelectionReplaceHistory(this, newSel);
+	      else if (this.cm) ensureCursorVisible(this.cm);
+	    }),
+	    undo: docMethodOp(function() {makeChangeFromHistory(this, "undo");}),
+	    redo: docMethodOp(function() {makeChangeFromHistory(this, "redo");}),
+	    undoSelection: docMethodOp(function() {makeChangeFromHistory(this, "undo", true);}),
+	    redoSelection: docMethodOp(function() {makeChangeFromHistory(this, "redo", true);}),
+	
+	    setExtending: function(val) {this.extend = val;},
+	    getExtending: function() {return this.extend;},
+	
+	    historySize: function() {
+	      var hist = this.history, done = 0, undone = 0;
+	      for (var i = 0; i < hist.done.length; i++) if (!hist.done[i].ranges) ++done;
+	      for (var i = 0; i < hist.undone.length; i++) if (!hist.undone[i].ranges) ++undone;
+	      return {undo: done, redo: undone};
+	    },
+	    clearHistory: function() {this.history = new History(this.history.maxGeneration);},
+	
+	    markClean: function() {
+	      this.cleanGeneration = this.changeGeneration(true);
+	    },
+	    changeGeneration: function(forceSplit) {
+	      if (forceSplit)
+	        this.history.lastOp = this.history.lastSelOp = this.history.lastOrigin = null;
+	      return this.history.generation;
+	    },
+	    isClean: function (gen) {
+	      return this.history.generation == (gen || this.cleanGeneration);
+	    },
+	
+	    getHistory: function() {
+	      return {done: copyHistoryArray(this.history.done),
+	              undone: copyHistoryArray(this.history.undone)};
+	    },
+	    setHistory: function(histData) {
+	      var hist = this.history = new History(this.history.maxGeneration);
+	      hist.done = copyHistoryArray(histData.done.slice(0), null, true);
+	      hist.undone = copyHistoryArray(histData.undone.slice(0), null, true);
+	    },
+	
+	    addLineClass: docMethodOp(function(handle, where, cls) {
+	      return changeLine(this, handle, where == "gutter" ? "gutter" : "class", function(line) {
+	        var prop = where == "text" ? "textClass"
+	                 : where == "background" ? "bgClass"
+	                 : where == "gutter" ? "gutterClass" : "wrapClass";
+	        if (!line[prop]) line[prop] = cls;
+	        else if (classTest(cls).test(line[prop])) return false;
+	        else line[prop] += " " + cls;
+	        return true;
+	      });
+	    }),
+	    removeLineClass: docMethodOp(function(handle, where, cls) {
+	      return changeLine(this, handle, where == "gutter" ? "gutter" : "class", function(line) {
+	        var prop = where == "text" ? "textClass"
+	                 : where == "background" ? "bgClass"
+	                 : where == "gutter" ? "gutterClass" : "wrapClass";
+	        var cur = line[prop];
+	        if (!cur) return false;
+	        else if (cls == null) line[prop] = null;
+	        else {
+	          var found = cur.match(classTest(cls));
+	          if (!found) return false;
+	          var end = found.index + found[0].length;
+	          line[prop] = cur.slice(0, found.index) + (!found.index || end == cur.length ? "" : " ") + cur.slice(end) || null;
+	        }
+	        return true;
+	      });
+	    }),
+	
+	    addLineWidget: docMethodOp(function(handle, node, options) {
+	      return addLineWidget(this, handle, node, options);
+	    }),
+	    removeLineWidget: function(widget) { widget.clear(); },
+	
+	    markText: function(from, to, options) {
+	      return markText(this, clipPos(this, from), clipPos(this, to), options, options && options.type || "range");
+	    },
+	    setBookmark: function(pos, options) {
+	      var realOpts = {replacedWith: options && (options.nodeType == null ? options.widget : options),
+	                      insertLeft: options && options.insertLeft,
+	                      clearWhenEmpty: false, shared: options && options.shared,
+	                      handleMouseEvents: options && options.handleMouseEvents};
+	      pos = clipPos(this, pos);
+	      return markText(this, pos, pos, realOpts, "bookmark");
+	    },
+	    findMarksAt: function(pos) {
+	      pos = clipPos(this, pos);
+	      var markers = [], spans = getLine(this, pos.line).markedSpans;
+	      if (spans) for (var i = 0; i < spans.length; ++i) {
+	        var span = spans[i];
+	        if ((span.from == null || span.from <= pos.ch) &&
+	            (span.to == null || span.to >= pos.ch))
+	          markers.push(span.marker.parent || span.marker);
+	      }
+	      return markers;
+	    },
+	    findMarks: function(from, to, filter) {
+	      from = clipPos(this, from); to = clipPos(this, to);
+	      var found = [], lineNo = from.line;
+	      this.iter(from.line, to.line + 1, function(line) {
+	        var spans = line.markedSpans;
+	        if (spans) for (var i = 0; i < spans.length; i++) {
+	          var span = spans[i];
+	          if (!(span.to != null && lineNo == from.line && from.ch >= span.to ||
+	                span.from == null && lineNo != from.line ||
+	                span.from != null && lineNo == to.line && span.from >= to.ch) &&
+	              (!filter || filter(span.marker)))
+	            found.push(span.marker.parent || span.marker);
+	        }
+	        ++lineNo;
+	      });
+	      return found;
+	    },
+	    getAllMarks: function() {
+	      var markers = [];
+	      this.iter(function(line) {
+	        var sps = line.markedSpans;
+	        if (sps) for (var i = 0; i < sps.length; ++i)
+	          if (sps[i].from != null) markers.push(sps[i].marker);
+	      });
+	      return markers;
+	    },
+	
+	    posFromIndex: function(off) {
+	      var ch, lineNo = this.first, sepSize = this.lineSeparator().length;
+	      this.iter(function(line) {
+	        var sz = line.text.length + sepSize;
+	        if (sz > off) { ch = off; return true; }
+	        off -= sz;
+	        ++lineNo;
+	      });
+	      return clipPos(this, Pos(lineNo, ch));
+	    },
+	    indexFromPos: function (coords) {
+	      coords = clipPos(this, coords);
+	      var index = coords.ch;
+	      if (coords.line < this.first || coords.ch < 0) return 0;
+	      var sepSize = this.lineSeparator().length;
+	      this.iter(this.first, coords.line, function (line) {
+	        index += line.text.length + sepSize;
+	      });
+	      return index;
+	    },
+	
+	    copy: function(copyHistory) {
+	      var doc = new Doc(getLines(this, this.first, this.first + this.size),
+	                        this.modeOption, this.first, this.lineSep);
+	      doc.scrollTop = this.scrollTop; doc.scrollLeft = this.scrollLeft;
+	      doc.sel = this.sel;
+	      doc.extend = false;
+	      if (copyHistory) {
+	        doc.history.undoDepth = this.history.undoDepth;
+	        doc.setHistory(this.getHistory());
+	      }
+	      return doc;
+	    },
+	
+	    linkedDoc: function(options) {
+	      if (!options) options = {};
+	      var from = this.first, to = this.first + this.size;
+	      if (options.from != null && options.from > from) from = options.from;
+	      if (options.to != null && options.to < to) to = options.to;
+	      var copy = new Doc(getLines(this, from, to), options.mode || this.modeOption, from, this.lineSep);
+	      if (options.sharedHist) copy.history = this.history;
+	      (this.linked || (this.linked = [])).push({doc: copy, sharedHist: options.sharedHist});
+	      copy.linked = [{doc: this, isParent: true, sharedHist: options.sharedHist}];
+	      copySharedMarkers(copy, findSharedMarkers(this));
+	      return copy;
+	    },
+	    unlinkDoc: function(other) {
+	      if (other instanceof CodeMirror) other = other.doc;
+	      if (this.linked) for (var i = 0; i < this.linked.length; ++i) {
+	        var link = this.linked[i];
+	        if (link.doc != other) continue;
+	        this.linked.splice(i, 1);
+	        other.unlinkDoc(this);
+	        detachSharedMarkers(findSharedMarkers(this));
+	        break;
+	      }
+	      // If the histories were shared, split them again
+	      if (other.history == this.history) {
+	        var splitIds = [other.id];
+	        linkedDocs(other, function(doc) {splitIds.push(doc.id);}, true);
+	        other.history = new History(null);
+	        other.history.done = copyHistoryArray(this.history.done, splitIds);
+	        other.history.undone = copyHistoryArray(this.history.undone, splitIds);
+	      }
+	    },
+	    iterLinkedDocs: function(f) {linkedDocs(this, f);},
+	
+	    getMode: function() {return this.mode;},
+	    getEditor: function() {return this.cm;},
+	
+	    splitLines: function(str) {
+	      if (this.lineSep) return str.split(this.lineSep);
+	      return splitLinesAuto(str);
+	    },
+	    lineSeparator: function() { return this.lineSep || "\n"; }
+	  });
+	
+	  // Public alias.
+	  Doc.prototype.eachLine = Doc.prototype.iter;
+	
+	  // Set up methods on CodeMirror's prototype to redirect to the editor's document.
+	  var dontDelegate = "iter insert remove copy getEditor constructor".split(" ");
+	  for (var prop in Doc.prototype) if (Doc.prototype.hasOwnProperty(prop) && indexOf(dontDelegate, prop) < 0)
+	    CodeMirror.prototype[prop] = (function(method) {
+	      return function() {return method.apply(this.doc, arguments);};
+	    })(Doc.prototype[prop]);
+	
+	  eventMixin(Doc);
+	
+	  // Call f for all linked documents.
+	  function linkedDocs(doc, f, sharedHistOnly) {
+	    function propagate(doc, skip, sharedHist) {
+	      if (doc.linked) for (var i = 0; i < doc.linked.length; ++i) {
+	        var rel = doc.linked[i];
+	        if (rel.doc == skip) continue;
+	        var shared = sharedHist && rel.sharedHist;
+	        if (sharedHistOnly && !shared) continue;
+	        f(rel.doc, shared);
+	        propagate(rel.doc, doc, shared);
+	      }
+	    }
+	    propagate(doc, null, true);
+	  }
+	
+	  // Attach a document to an editor.
+	  function attachDoc(cm, doc) {
+	    if (doc.cm) throw new Error("This document is already in use.");
+	    cm.doc = doc;
+	    doc.cm = cm;
+	    estimateLineHeights(cm);
+	    loadMode(cm);
+	    if (!cm.options.lineWrapping) findMaxLine(cm);
+	    cm.options.mode = doc.modeOption;
+	    regChange(cm);
+	  }
+	
+	  // LINE UTILITIES
+	
+	  // Find the line object corresponding to the given line number.
+	  function getLine(doc, n) {
+	    n -= doc.first;
+	    if (n < 0 || n >= doc.size) throw new Error("There is no line " + (n + doc.first) + " in the document.");
+	    for (var chunk = doc; !chunk.lines;) {
+	      for (var i = 0;; ++i) {
+	        var child = chunk.children[i], sz = child.chunkSize();
+	        if (n < sz) { chunk = child; break; }
+	        n -= sz;
+	      }
+	    }
+	    return chunk.lines[n];
+	  }
+	
+	  // Get the part of a document between two positions, as an array of
+	  // strings.
+	  function getBetween(doc, start, end) {
+	    var out = [], n = start.line;
+	    doc.iter(start.line, end.line + 1, function(line) {
+	      var text = line.text;
+	      if (n == end.line) text = text.slice(0, end.ch);
+	      if (n == start.line) text = text.slice(start.ch);
+	      out.push(text);
+	      ++n;
+	    });
+	    return out;
+	  }
+	  // Get the lines between from and to, as array of strings.
+	  function getLines(doc, from, to) {
+	    var out = [];
+	    doc.iter(from, to, function(line) { out.push(line.text); });
+	    return out;
+	  }
+	
+	  // Update the height of a line, propagating the height change
+	  // upwards to parent nodes.
+	  function updateLineHeight(line, height) {
+	    var diff = height - line.height;
+	    if (diff) for (var n = line; n; n = n.parent) n.height += diff;
+	  }
+	
+	  // Given a line object, find its line number by walking up through
+	  // its parent links.
+	  function lineNo(line) {
+	    if (line.parent == null) return null;
+	    var cur = line.parent, no = indexOf(cur.lines, line);
+	    for (var chunk = cur.parent; chunk; cur = chunk, chunk = chunk.parent) {
+	      for (var i = 0;; ++i) {
+	        if (chunk.children[i] == cur) break;
+	        no += chunk.children[i].chunkSize();
+	      }
+	    }
+	    return no + cur.first;
+	  }
+	
+	  // Find the line at the given vertical position, using the height
+	  // information in the document tree.
+	  function lineAtHeight(chunk, h) {
+	    var n = chunk.first;
+	    outer: do {
+	      for (var i = 0; i < chunk.children.length; ++i) {
+	        var child = chunk.children[i], ch = child.height;
+	        if (h < ch) { chunk = child; continue outer; }
+	        h -= ch;
+	        n += child.chunkSize();
+	      }
+	      return n;
+	    } while (!chunk.lines);
+	    for (var i = 0; i < chunk.lines.length; ++i) {
+	      var line = chunk.lines[i], lh = line.height;
+	      if (h < lh) break;
+	      h -= lh;
+	    }
+	    return n + i;
+	  }
+	
+	
+	  // Find the height above the given line.
+	  function heightAtLine(lineObj) {
+	    lineObj = visualLine(lineObj);
+	
+	    var h = 0, chunk = lineObj.parent;
+	    for (var i = 0; i < chunk.lines.length; ++i) {
+	      var line = chunk.lines[i];
+	      if (line == lineObj) break;
+	      else h += line.height;
+	    }
+	    for (var p = chunk.parent; p; chunk = p, p = chunk.parent) {
+	      for (var i = 0; i < p.children.length; ++i) {
+	        var cur = p.children[i];
+	        if (cur == chunk) break;
+	        else h += cur.height;
+	      }
+	    }
+	    return h;
+	  }
+	
+	  // Get the bidi ordering for the given line (and cache it). Returns
+	  // false for lines that are fully left-to-right, and an array of
+	  // BidiSpan objects otherwise.
+	  function getOrder(line) {
+	    var order = line.order;
+	    if (order == null) order = line.order = bidiOrdering(line.text);
+	    return order;
+	  }
+	
+	  // HISTORY
+	
+	  function History(startGen) {
+	    // Arrays of change events and selections. Doing something adds an
+	    // event to done and clears undo. Undoing moves events from done
+	    // to undone, redoing moves them in the other direction.
+	    this.done = []; this.undone = [];
+	    this.undoDepth = Infinity;
+	    // Used to track when changes can be merged into a single undo
+	    // event
+	    this.lastModTime = this.lastSelTime = 0;
+	    this.lastOp = this.lastSelOp = null;
+	    this.lastOrigin = this.lastSelOrigin = null;
+	    // Used by the isClean() method
+	    this.generation = this.maxGeneration = startGen || 1;
+	  }
+	
+	  // Create a history change event from an updateDoc-style change
+	  // object.
+	  function historyChangeFromChange(doc, change) {
+	    var histChange = {from: copyPos(change.from), to: changeEnd(change), text: getBetween(doc, change.from, change.to)};
+	    attachLocalSpans(doc, histChange, change.from.line, change.to.line + 1);
+	    linkedDocs(doc, function(doc) {attachLocalSpans(doc, histChange, change.from.line, change.to.line + 1);}, true);
+	    return histChange;
+	  }
+	
+	  // Pop all selection events off the end of a history array. Stop at
+	  // a change event.
+	  function clearSelectionEvents(array) {
+	    while (array.length) {
+	      var last = lst(array);
+	      if (last.ranges) array.pop();
+	      else break;
+	    }
+	  }
+	
+	  // Find the top change event in the history. Pop off selection
+	  // events that are in the way.
+	  function lastChangeEvent(hist, force) {
+	    if (force) {
+	      clearSelectionEvents(hist.done);
+	      return lst(hist.done);
+	    } else if (hist.done.length && !lst(hist.done).ranges) {
+	      return lst(hist.done);
+	    } else if (hist.done.length > 1 && !hist.done[hist.done.length - 2].ranges) {
+	      hist.done.pop();
+	      return lst(hist.done);
+	    }
+	  }
+	
+	  // Register a change in the history. Merges changes that are within
+	  // a single operation, or are close together with an origin that
+	  // allows merging (starting with "+") into a single event.
+	  function addChangeToHistory(doc, change, selAfter, opId) {
+	    var hist = doc.history;
+	    hist.undone.length = 0;
+	    var time = +new Date, cur;
+	
+	    if ((hist.lastOp == opId ||
+	         hist.lastOrigin == change.origin && change.origin &&
+	         ((change.origin.charAt(0) == "+" && doc.cm && hist.lastModTime > time - doc.cm.options.historyEventDelay) ||
+	          change.origin.charAt(0) == "*")) &&
+	        (cur = lastChangeEvent(hist, hist.lastOp == opId))) {
+	      // Merge this change into the last event
+	      var last = lst(cur.changes);
+	      if (cmp(change.from, change.to) == 0 && cmp(change.from, last.to) == 0) {
+	        // Optimized case for simple insertion -- don't want to add
+	        // new changesets for every character typed
+	        last.to = changeEnd(change);
+	      } else {
+	        // Add new sub-event
+	        cur.changes.push(historyChangeFromChange(doc, change));
+	      }
+	    } else {
+	      // Can not be merged, start a new event.
+	      var before = lst(hist.done);
+	      if (!before || !before.ranges)
+	        pushSelectionToHistory(doc.sel, hist.done);
+	      cur = {changes: [historyChangeFromChange(doc, change)],
+	             generation: hist.generation};
+	      hist.done.push(cur);
+	      while (hist.done.length > hist.undoDepth) {
+	        hist.done.shift();
+	        if (!hist.done[0].ranges) hist.done.shift();
+	      }
+	    }
+	    hist.done.push(selAfter);
+	    hist.generation = ++hist.maxGeneration;
+	    hist.lastModTime = hist.lastSelTime = time;
+	    hist.lastOp = hist.lastSelOp = opId;
+	    hist.lastOrigin = hist.lastSelOrigin = change.origin;
+	
+	    if (!last) signal(doc, "historyAdded");
+	  }
+	
+	  function selectionEventCanBeMerged(doc, origin, prev, sel) {
+	    var ch = origin.charAt(0);
+	    return ch == "*" ||
+	      ch == "+" &&
+	      prev.ranges.length == sel.ranges.length &&
+	      prev.somethingSelected() == sel.somethingSelected() &&
+	      new Date - doc.history.lastSelTime <= (doc.cm ? doc.cm.options.historyEventDelay : 500);
+	  }
+	
+	  // Called whenever the selection changes, sets the new selection as
+	  // the pending selection in the history, and pushes the old pending
+	  // selection into the 'done' array when it was significantly
+	  // different (in number of selected ranges, emptiness, or time).
+	  function addSelectionToHistory(doc, sel, opId, options) {
+	    var hist = doc.history, origin = options && options.origin;
+	
+	    // A new event is started when the previous origin does not match
+	    // the current, or the origins don't allow matching. Origins
+	    // starting with * are always merged, those starting with + are
+	    // merged when similar and close together in time.
+	    if (opId == hist.lastSelOp ||
+	        (origin && hist.lastSelOrigin == origin &&
+	         (hist.lastModTime == hist.lastSelTime && hist.lastOrigin == origin ||
+	          selectionEventCanBeMerged(doc, origin, lst(hist.done), sel))))
+	      hist.done[hist.done.length - 1] = sel;
+	    else
+	      pushSelectionToHistory(sel, hist.done);
+	
+	    hist.lastSelTime = +new Date;
+	    hist.lastSelOrigin = origin;
+	    hist.lastSelOp = opId;
+	    if (options && options.clearRedo !== false)
+	      clearSelectionEvents(hist.undone);
+	  }
+	
+	  function pushSelectionToHistory(sel, dest) {
+	    var top = lst(dest);
+	    if (!(top && top.ranges && top.equals(sel)))
+	      dest.push(sel);
+	  }
+	
+	  // Used to store marked span information in the history.
+	  function attachLocalSpans(doc, change, from, to) {
+	    var existing = change["spans_" + doc.id], n = 0;
+	    doc.iter(Math.max(doc.first, from), Math.min(doc.first + doc.size, to), function(line) {
+	      if (line.markedSpans)
+	        (existing || (existing = change["spans_" + doc.id] = {}))[n] = line.markedSpans;
+	      ++n;
+	    });
+	  }
+	
+	  // When un/re-doing restores text containing marked spans, those
+	  // that have been explicitly cleared should not be restored.
+	  function removeClearedSpans(spans) {
+	    if (!spans) return null;
+	    for (var i = 0, out; i < spans.length; ++i) {
+	      if (spans[i].marker.explicitlyCleared) { if (!out) out = spans.slice(0, i); }
+	      else if (out) out.push(spans[i]);
+	    }
+	    return !out ? spans : out.length ? out : null;
+	  }
+	
+	  // Retrieve and filter the old marked spans stored in a change event.
+	  function getOldSpans(doc, change) {
+	    var found = change["spans_" + doc.id];
+	    if (!found) return null;
+	    for (var i = 0, nw = []; i < change.text.length; ++i)
+	      nw.push(removeClearedSpans(found[i]));
+	    return nw;
+	  }
+	
+	  // Used both to provide a JSON-safe object in .getHistory, and, when
+	  // detaching a document, to split the history in two
+	  function copyHistoryArray(events, newGroup, instantiateSel) {
+	    for (var i = 0, copy = []; i < events.length; ++i) {
+	      var event = events[i];
+	      if (event.ranges) {
+	        copy.push(instantiateSel ? Selection.prototype.deepCopy.call(event) : event);
+	        continue;
+	      }
+	      var changes = event.changes, newChanges = [];
+	      copy.push({changes: newChanges});
+	      for (var j = 0; j < changes.length; ++j) {
+	        var change = changes[j], m;
+	        newChanges.push({from: change.from, to: change.to, text: change.text});
+	        if (newGroup) for (var prop in change) if (m = prop.match(/^spans_(\d+)$/)) {
+	          if (indexOf(newGroup, Number(m[1])) > -1) {
+	            lst(newChanges)[prop] = change[prop];
+	            delete change[prop];
+	          }
+	        }
+	      }
+	    }
+	    return copy;
+	  }
+	
+	  // Rebasing/resetting history to deal with externally-sourced changes
+	
+	  function rebaseHistSelSingle(pos, from, to, diff) {
+	    if (to < pos.line) {
+	      pos.line += diff;
+	    } else if (from < pos.line) {
+	      pos.line = from;
+	      pos.ch = 0;
+	    }
+	  }
+	
+	  // Tries to rebase an array of history events given a change in the
+	  // document. If the change touches the same lines as the event, the
+	  // event, and everything 'behind' it, is discarded. If the change is
+	  // before the event, the event's positions are updated. Uses a
+	  // copy-on-write scheme for the positions, to avoid having to
+	  // reallocate them all on every rebase, but also avoid problems with
+	  // shared position objects being unsafely updated.
+	  function rebaseHistArray(array, from, to, diff) {
+	    for (var i = 0; i < array.length; ++i) {
+	      var sub = array[i], ok = true;
+	      if (sub.ranges) {
+	        if (!sub.copied) { sub = array[i] = sub.deepCopy(); sub.copied = true; }
+	        for (var j = 0; j < sub.ranges.length; j++) {
+	          rebaseHistSelSingle(sub.ranges[j].anchor, from, to, diff);
+	          rebaseHistSelSingle(sub.ranges[j].head, from, to, diff);
+	        }
+	        continue;
+	      }
+	      for (var j = 0; j < sub.changes.length; ++j) {
+	        var cur = sub.changes[j];
+	        if (to < cur.from.line) {
+	          cur.from = Pos(cur.from.line + diff, cur.from.ch);
+	          cur.to = Pos(cur.to.line + diff, cur.to.ch);
+	        } else if (from <= cur.to.line) {
+	          ok = false;
+	          break;
+	        }
+	      }
+	      if (!ok) {
+	        array.splice(0, i + 1);
+	        i = 0;
+	      }
+	    }
+	  }
+	
+	  function rebaseHist(hist, change) {
+	    var from = change.from.line, to = change.to.line, diff = change.text.length - (to - from) - 1;
+	    rebaseHistArray(hist.done, from, to, diff);
+	    rebaseHistArray(hist.undone, from, to, diff);
+	  }
+	
+	  // EVENT UTILITIES
+	
+	  // Due to the fact that we still support jurassic IE versions, some
+	  // compatibility wrappers are needed.
+	
+	  var e_preventDefault = CodeMirror.e_preventDefault = function(e) {
+	    if (e.preventDefault) e.preventDefault();
+	    else e.returnValue = false;
+	  };
+	  var e_stopPropagation = CodeMirror.e_stopPropagation = function(e) {
+	    if (e.stopPropagation) e.stopPropagation();
+	    else e.cancelBubble = true;
+	  };
+	  function e_defaultPrevented(e) {
+	    return e.defaultPrevented != null ? e.defaultPrevented : e.returnValue == false;
+	  }
+	  var e_stop = CodeMirror.e_stop = function(e) {e_preventDefault(e); e_stopPropagation(e);};
+	
+	  function e_target(e) {return e.target || e.srcElement;}
+	  function e_button(e) {
+	    var b = e.which;
+	    if (b == null) {
+	      if (e.button & 1) b = 1;
+	      else if (e.button & 2) b = 3;
+	      else if (e.button & 4) b = 2;
+	    }
+	    if (mac && e.ctrlKey && b == 1) b = 3;
+	    return b;
+	  }
+	
+	  // EVENT HANDLING
+	
+	  // Lightweight event framework. on/off also work on DOM nodes,
+	  // registering native DOM handlers.
+	
+	  var on = CodeMirror.on = function(emitter, type, f) {
+	    if (emitter.addEventListener)
+	      emitter.addEventListener(type, f, false);
+	    else if (emitter.attachEvent)
+	      emitter.attachEvent("on" + type, f);
+	    else {
+	      var map = emitter._handlers || (emitter._handlers = {});
+	      var arr = map[type] || (map[type] = []);
+	      arr.push(f);
+	    }
+	  };
+	
+	  var noHandlers = []
+	  function getHandlers(emitter, type, copy) {
+	    var arr = emitter._handlers && emitter._handlers[type]
+	    if (copy) return arr && arr.length > 0 ? arr.slice() : noHandlers
+	    else return arr || noHandlers
+	  }
+	
+	  var off = CodeMirror.off = function(emitter, type, f) {
+	    if (emitter.removeEventListener)
+	      emitter.removeEventListener(type, f, false);
+	    else if (emitter.detachEvent)
+	      emitter.detachEvent("on" + type, f);
+	    else {
+	      var handlers = getHandlers(emitter, type, false)
+	      for (var i = 0; i < handlers.length; ++i)
+	        if (handlers[i] == f) { handlers.splice(i, 1); break; }
+	    }
+	  };
+	
+	  var signal = CodeMirror.signal = function(emitter, type /*, values...*/) {
+	    var handlers = getHandlers(emitter, type, true)
+	    if (!handlers.length) return;
+	    var args = Array.prototype.slice.call(arguments, 2);
+	    for (var i = 0; i < handlers.length; ++i) handlers[i].apply(null, args);
+	  };
+	
+	  var orphanDelayedCallbacks = null;
+	
+	  // Often, we want to signal events at a point where we are in the
+	  // middle of some work, but don't want the handler to start calling
+	  // other methods on the editor, which might be in an inconsistent
+	  // state or simply not expect any other events to happen.
+	  // signalLater looks whether there are any handlers, and schedules
+	  // them to be executed when the last operation ends, or, if no
+	  // operation is active, when a timeout fires.
+	  function signalLater(emitter, type /*, values...*/) {
+	    var arr = getHandlers(emitter, type, false)
+	    if (!arr.length) return;
+	    var args = Array.prototype.slice.call(arguments, 2), list;
+	    if (operationGroup) {
+	      list = operationGroup.delayedCallbacks;
+	    } else if (orphanDelayedCallbacks) {
+	      list = orphanDelayedCallbacks;
+	    } else {
+	      list = orphanDelayedCallbacks = [];
+	      setTimeout(fireOrphanDelayed, 0);
+	    }
+	    function bnd(f) {return function(){f.apply(null, args);};};
+	    for (var i = 0; i < arr.length; ++i)
+	      list.push(bnd(arr[i]));
+	  }
+	
+	  function fireOrphanDelayed() {
+	    var delayed = orphanDelayedCallbacks;
+	    orphanDelayedCallbacks = null;
+	    for (var i = 0; i < delayed.length; ++i) delayed[i]();
+	  }
+	
+	  // The DOM events that CodeMirror handles can be overridden by
+	  // registering a (non-DOM) handler on the editor for the event name,
+	  // and preventDefault-ing the event in that handler.
+	  function signalDOMEvent(cm, e, override) {
+	    if (typeof e == "string")
+	      e = {type: e, preventDefault: function() { this.defaultPrevented = true; }};
+	    signal(cm, override || e.type, cm, e);
+	    return e_defaultPrevented(e) || e.codemirrorIgnore;
+	  }
+	
+	  function signalCursorActivity(cm) {
+	    var arr = cm._handlers && cm._handlers.cursorActivity;
+	    if (!arr) return;
+	    var set = cm.curOp.cursorActivityHandlers || (cm.curOp.cursorActivityHandlers = []);
+	    for (var i = 0; i < arr.length; ++i) if (indexOf(set, arr[i]) == -1)
+	      set.push(arr[i]);
+	  }
+	
+	  function hasHandler(emitter, type) {
+	    return getHandlers(emitter, type).length > 0
+	  }
+	
+	  // Add on and off methods to a constructor's prototype, to make
+	  // registering events on such objects more convenient.
+	  function eventMixin(ctor) {
+	    ctor.prototype.on = function(type, f) {on(this, type, f);};
+	    ctor.prototype.off = function(type, f) {off(this, type, f);};
+	  }
+	
+	  // MISC UTILITIES
+	
+	  // Number of pixels added to scroller and sizer to hide scrollbar
+	  var scrollerGap = 30;
+	
+	  // Returned or thrown by various protocols to signal 'I'm not
+	  // handling this'.
+	  var Pass = CodeMirror.Pass = {toString: function(){return "CodeMirror.Pass";}};
+	
+	  // Reused option objects for setSelection & friends
+	  var sel_dontScroll = {scroll: false}, sel_mouse = {origin: "*mouse"}, sel_move = {origin: "+move"};
+	
+	  function Delayed() {this.id = null;}
+	  Delayed.prototype.set = function(ms, f) {
+	    clearTimeout(this.id);
+	    this.id = setTimeout(f, ms);
+	  };
+	
+	  // Counts the column offset in a string, taking tabs into account.
+	  // Used mostly to find indentation.
+	  var countColumn = CodeMirror.countColumn = function(string, end, tabSize, startIndex, startValue) {
+	    if (end == null) {
+	      end = string.search(/[^\s\u00a0]/);
+	      if (end == -1) end = string.length;
+	    }
+	    for (var i = startIndex || 0, n = startValue || 0;;) {
+	      var nextTab = string.indexOf("\t", i);
+	      if (nextTab < 0 || nextTab >= end)
+	        return n + (end - i);
+	      n += nextTab - i;
+	      n += tabSize - (n % tabSize);
+	      i = nextTab + 1;
+	    }
+	  };
+	
+	  // The inverse of countColumn -- find the offset that corresponds to
+	  // a particular column.
+	  var findColumn = CodeMirror.findColumn = function(string, goal, tabSize) {
+	    for (var pos = 0, col = 0;;) {
+	      var nextTab = string.indexOf("\t", pos);
+	      if (nextTab == -1) nextTab = string.length;
+	      var skipped = nextTab - pos;
+	      if (nextTab == string.length || col + skipped >= goal)
+	        return pos + Math.min(skipped, goal - col);
+	      col += nextTab - pos;
+	      col += tabSize - (col % tabSize);
+	      pos = nextTab + 1;
+	      if (col >= goal) return pos;
+	    }
+	  }
+	
+	  var spaceStrs = [""];
+	  function spaceStr(n) {
+	    while (spaceStrs.length <= n)
+	      spaceStrs.push(lst(spaceStrs) + " ");
+	    return spaceStrs[n];
+	  }
+	
+	  function lst(arr) { return arr[arr.length-1]; }
+	
+	  var selectInput = function(node) { node.select(); };
+	  if (ios) // Mobile Safari apparently has a bug where select() is broken.
+	    selectInput = function(node) { node.selectionStart = 0; node.selectionEnd = node.value.length; };
+	  else if (ie) // Suppress mysterious IE10 errors
+	    selectInput = function(node) { try { node.select(); } catch(_e) {} };
+	
+	  function indexOf(array, elt) {
+	    for (var i = 0; i < array.length; ++i)
+	      if (array[i] == elt) return i;
+	    return -1;
+	  }
+	  function map(array, f) {
+	    var out = [];
+	    for (var i = 0; i < array.length; i++) out[i] = f(array[i], i);
+	    return out;
+	  }
+	
+	  function insertSorted(array, value, score) {
+	    var pos = 0, priority = score(value)
+	    while (pos < array.length && score(array[pos]) <= priority) pos++
+	    array.splice(pos, 0, value)
+	  }
+	
+	  function nothing() {}
+	
+	  function createObj(base, props) {
+	    var inst;
+	    if (Object.create) {
+	      inst = Object.create(base);
+	    } else {
+	      nothing.prototype = base;
+	      inst = new nothing();
+	    }
+	    if (props) copyObj(props, inst);
+	    return inst;
+	  };
+	
+	  function copyObj(obj, target, overwrite) {
+	    if (!target) target = {};
+	    for (var prop in obj)
+	      if (obj.hasOwnProperty(prop) && (overwrite !== false || !target.hasOwnProperty(prop)))
+	        target[prop] = obj[prop];
+	    return target;
+	  }
+	
+	  function bind(f) {
+	    var args = Array.prototype.slice.call(arguments, 1);
+	    return function(){return f.apply(null, args);};
+	  }
+	
+	  var nonASCIISingleCaseWordChar = /[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;
+	  var isWordCharBasic = CodeMirror.isWordChar = function(ch) {
+	    return /\w/.test(ch) || ch > "\x80" &&
+	      (ch.toUpperCase() != ch.toLowerCase() || nonASCIISingleCaseWordChar.test(ch));
+	  };
+	  function isWordChar(ch, helper) {
+	    if (!helper) return isWordCharBasic(ch);
+	    if (helper.source.indexOf("\\w") > -1 && isWordCharBasic(ch)) return true;
+	    return helper.test(ch);
+	  }
+	
+	  function isEmpty(obj) {
+	    for (var n in obj) if (obj.hasOwnProperty(n) && obj[n]) return false;
+	    return true;
+	  }
+	
+	  // Extending unicode characters. A series of a non-extending char +
+	  // any number of extending chars is treated as a single unit as far
+	  // as editing and measuring is concerned. This is not fully correct,
+	  // since some scripts/fonts/browsers also treat other configurations
+	  // of code points as a group.
+	  var extendingChars = /[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;
+	  function isExtendingChar(ch) { return ch.charCodeAt(0) >= 768 && extendingChars.test(ch); }
+	
+	  // DOM UTILITIES
+	
+	  function elt(tag, content, className, style) {
+	    var e = document.createElement(tag);
+	    if (className) e.className = className;
+	    if (style) e.style.cssText = style;
+	    if (typeof content == "string") e.appendChild(document.createTextNode(content));
+	    else if (content) for (var i = 0; i < content.length; ++i) e.appendChild(content[i]);
+	    return e;
+	  }
+	
+	  var range;
+	  if (document.createRange) range = function(node, start, end, endNode) {
+	    var r = document.createRange();
+	    r.setEnd(endNode || node, end);
+	    r.setStart(node, start);
+	    return r;
+	  };
+	  else range = function(node, start, end) {
+	    var r = document.body.createTextRange();
+	    try { r.moveToElementText(node.parentNode); }
+	    catch(e) { return r; }
+	    r.collapse(true);
+	    r.moveEnd("character", end);
+	    r.moveStart("character", start);
+	    return r;
+	  };
+	
+	  function removeChildren(e) {
+	    for (var count = e.childNodes.length; count > 0; --count)
+	      e.removeChild(e.firstChild);
+	    return e;
+	  }
+	
+	  function removeChildrenAndAdd(parent, e) {
+	    return removeChildren(parent).appendChild(e);
+	  }
+	
+	  var contains = CodeMirror.contains = function(parent, child) {
+	    if (child.nodeType == 3) // Android browser always returns false when child is a textnode
+	      child = child.parentNode;
+	    if (parent.contains)
+	      return parent.contains(child);
+	    do {
+	      if (child.nodeType == 11) child = child.host;
+	      if (child == parent) return true;
+	    } while (child = child.parentNode);
+	  };
+	
+	  function activeElt() {
+	    var activeElement = document.activeElement;
+	    while (activeElement && activeElement.root && activeElement.root.activeElement)
+	      activeElement = activeElement.root.activeElement;
+	    return activeElement;
+	  }
+	  // Older versions of IE throws unspecified error when touching
+	  // document.activeElement in some cases (during loading, in iframe)
+	  if (ie && ie_version < 11) activeElt = function() {
+	    try { return document.activeElement; }
+	    catch(e) { return document.body; }
+	  };
+	
+	  function classTest(cls) { return new RegExp("(^|\\s)" + cls + "(?:$|\\s)\\s*"); }
+	  var rmClass = CodeMirror.rmClass = function(node, cls) {
+	    var current = node.className;
+	    var match = classTest(cls).exec(current);
+	    if (match) {
+	      var after = current.slice(match.index + match[0].length);
+	      node.className = current.slice(0, match.index) + (after ? match[1] + after : "");
+	    }
+	  };
+	  var addClass = CodeMirror.addClass = function(node, cls) {
+	    var current = node.className;
+	    if (!classTest(cls).test(current)) node.className += (current ? " " : "") + cls;
+	  };
+	  function joinClasses(a, b) {
+	    var as = a.split(" ");
+	    for (var i = 0; i < as.length; i++)
+	      if (as[i] && !classTest(as[i]).test(b)) b += " " + as[i];
+	    return b;
+	  }
+	
+	  // WINDOW-WIDE EVENTS
+	
+	  // These must be handled carefully, because naively registering a
+	  // handler for each editor will cause the editors to never be
+	  // garbage collected.
+	
+	  function forEachCodeMirror(f) {
+	    if (!document.body.getElementsByClassName) return;
+	    var byClass = document.body.getElementsByClassName("CodeMirror");
+	    for (var i = 0; i < byClass.length; i++) {
+	      var cm = byClass[i].CodeMirror;
+	      if (cm) f(cm);
+	    }
+	  }
+	
+	  var globalsRegistered = false;
+	  function ensureGlobalHandlers() {
+	    if (globalsRegistered) return;
+	    registerGlobalHandlers();
+	    globalsRegistered = true;
+	  }
+	  function registerGlobalHandlers() {
+	    // When the window resizes, we need to refresh active editors.
+	    var resizeTimer;
+	    on(window, "resize", function() {
+	      if (resizeTimer == null) resizeTimer = setTimeout(function() {
+	        resizeTimer = null;
+	        forEachCodeMirror(onResize);
+	      }, 100);
+	    });
+	    // When the window loses focus, we want to show the editor as blurred
+	    on(window, "blur", function() {
+	      forEachCodeMirror(onBlur);
+	    });
+	  }
+	
+	  // FEATURE DETECTION
+	
+	  // Detect drag-and-drop
+	  var dragAndDrop = function() {
+	    // There is *some* kind of drag-and-drop support in IE6-8, but I
+	    // couldn't get it to work yet.
+	    if (ie && ie_version < 9) return false;
+	    var div = elt('div');
+	    return "draggable" in div || "dragDrop" in div;
+	  }();
+	
+	  var zwspSupported;
+	  function zeroWidthElement(measure) {
+	    if (zwspSupported == null) {
+	      var test = elt("span", "\u200b");
+	      removeChildrenAndAdd(measure, elt("span", [test, document.createTextNode("x")]));
+	      if (measure.firstChild.offsetHeight != 0)
+	        zwspSupported = test.offsetWidth <= 1 && test.offsetHeight > 2 && !(ie && ie_version < 8);
+	    }
+	    var node = zwspSupported ? elt("span", "\u200b") :
+	      elt("span", "\u00a0", null, "display: inline-block; width: 1px; margin-right: -1px");
+	    node.setAttribute("cm-text", "");
+	    return node;
+	  }
+	
+	  // Feature-detect IE's crummy client rect reporting for bidi text
+	  var badBidiRects;
+	  function hasBadBidiRects(measure) {
+	    if (badBidiRects != null) return badBidiRects;
+	    var txt = removeChildrenAndAdd(measure, document.createTextNode("A\u062eA"));
+	    var r0 = range(txt, 0, 1).getBoundingClientRect();
+	    var r1 = range(txt, 1, 2).getBoundingClientRect();
+	    removeChildren(measure);
+	    if (!r0 || r0.left == r0.right) return false; // Safari returns null in some cases (#2780)
+	    return badBidiRects = (r1.right - r0.right < 3);
+	  }
+	
+	  // See if "".split is the broken IE version, if so, provide an
+	  // alternative way to split lines.
+	  var splitLinesAuto = CodeMirror.splitLines = "\n\nb".split(/\n/).length != 3 ? function(string) {
+	    var pos = 0, result = [], l = string.length;
+	    while (pos <= l) {
+	      var nl = string.indexOf("\n", pos);
+	      if (nl == -1) nl = string.length;
+	      var line = string.slice(pos, string.charAt(nl - 1) == "\r" ? nl - 1 : nl);
+	      var rt = line.indexOf("\r");
+	      if (rt != -1) {
+	        result.push(line.slice(0, rt));
+	        pos += rt + 1;
+	      } else {
+	        result.push(line);
+	        pos = nl + 1;
+	      }
+	    }
+	    return result;
+	  } : function(string){return string.split(/\r\n?|\n/);};
+	
+	  var hasSelection = window.getSelection ? function(te) {
+	    try { return te.selectionStart != te.selectionEnd; }
+	    catch(e) { return false; }
+	  } : function(te) {
+	    try {var range = te.ownerDocument.selection.createRange();}
+	    catch(e) {}
+	    if (!range || range.parentElement() != te) return false;
+	    return range.compareEndPoints("StartToEnd", range) != 0;
+	  };
+	
+	  var hasCopyEvent = (function() {
+	    var e = elt("div");
+	    if ("oncopy" in e) return true;
+	    e.setAttribute("oncopy", "return;");
+	    return typeof e.oncopy == "function";
+	  })();
+	
+	  var badZoomedRects = null;
+	  function hasBadZoomedRects(measure) {
+	    if (badZoomedRects != null) return badZoomedRects;
+	    var node = removeChildrenAndAdd(measure, elt("span", "x"));
+	    var normal = node.getBoundingClientRect();
+	    var fromRange = range(node, 0, 1).getBoundingClientRect();
+	    return badZoomedRects = Math.abs(normal.left - fromRange.left) > 1;
+	  }
+	
+	  // KEY NAMES
+	
+	  var keyNames = CodeMirror.keyNames = {
+	    3: "Enter", 8: "Backspace", 9: "Tab", 13: "Enter", 16: "Shift", 17: "Ctrl", 18: "Alt",
+	    19: "Pause", 20: "CapsLock", 27: "Esc", 32: "Space", 33: "PageUp", 34: "PageDown", 35: "End",
+	    36: "Home", 37: "Left", 38: "Up", 39: "Right", 40: "Down", 44: "PrintScrn", 45: "Insert",
+	    46: "Delete", 59: ";", 61: "=", 91: "Mod", 92: "Mod", 93: "Mod",
+	    106: "*", 107: "=", 109: "-", 110: ".", 111: "/", 127: "Delete",
+	    173: "-", 186: ";", 187: "=", 188: ",", 189: "-", 190: ".", 191: "/", 192: "`", 219: "[", 220: "\\",
+	    221: "]", 222: "'", 63232: "Up", 63233: "Down", 63234: "Left", 63235: "Right", 63272: "Delete",
+	    63273: "Home", 63275: "End", 63276: "PageUp", 63277: "PageDown", 63302: "Insert"
+	  };
+	  (function() {
+	    // Number keys
+	    for (var i = 0; i < 10; i++) keyNames[i + 48] = keyNames[i + 96] = String(i);
+	    // Alphabetic keys
+	    for (var i = 65; i <= 90; i++) keyNames[i] = String.fromCharCode(i);
+	    // Function keys
+	    for (var i = 1; i <= 12; i++) keyNames[i + 111] = keyNames[i + 63235] = "F" + i;
+	  })();
+	
+	  // BIDI HELPERS
+	
+	  function iterateBidiSections(order, from, to, f) {
+	    if (!order) return f(from, to, "ltr");
+	    var found = false;
+	    for (var i = 0; i < order.length; ++i) {
+	      var part = order[i];
+	      if (part.from < to && part.to > from || from == to && part.to == from) {
+	        f(Math.max(part.from, from), Math.min(part.to, to), part.level == 1 ? "rtl" : "ltr");
+	        found = true;
+	      }
+	    }
+	    if (!found) f(from, to, "ltr");
+	  }
+	
+	  function bidiLeft(part) { return part.level % 2 ? part.to : part.from; }
+	  function bidiRight(part) { return part.level % 2 ? part.from : part.to; }
+	
+	  function lineLeft(line) { var order = getOrder(line); return order ? bidiLeft(order[0]) : 0; }
+	  function lineRight(line) {
+	    var order = getOrder(line);
+	    if (!order) return line.text.length;
+	    return bidiRight(lst(order));
+	  }
+	
+	  function lineStart(cm, lineN) {
+	    var line = getLine(cm.doc, lineN);
+	    var visual = visualLine(line);
+	    if (visual != line) lineN = lineNo(visual);
+	    var order = getOrder(visual);
+	    var ch = !order ? 0 : order[0].level % 2 ? lineRight(visual) : lineLeft(visual);
+	    return Pos(lineN, ch);
+	  }
+	  function lineEnd(cm, lineN) {
+	    var merged, line = getLine(cm.doc, lineN);
+	    while (merged = collapsedSpanAtEnd(line)) {
+	      line = merged.find(1, true).line;
+	      lineN = null;
+	    }
+	    var order = getOrder(line);
+	    var ch = !order ? line.text.length : order[0].level % 2 ? lineLeft(line) : lineRight(line);
+	    return Pos(lineN == null ? lineNo(line) : lineN, ch);
+	  }
+	  function lineStartSmart(cm, pos) {
+	    var start = lineStart(cm, pos.line);
+	    var line = getLine(cm.doc, start.line);
+	    var order = getOrder(line);
+	    if (!order || order[0].level == 0) {
+	      var firstNonWS = Math.max(0, line.text.search(/\S/));
+	      var inWS = pos.line == start.line && pos.ch <= firstNonWS && pos.ch;
+	      return Pos(start.line, inWS ? 0 : firstNonWS);
+	    }
+	    return start;
+	  }
+	
+	  function compareBidiLevel(order, a, b) {
+	    var linedir = order[0].level;
+	    if (a == linedir) return true;
+	    if (b == linedir) return false;
+	    return a < b;
+	  }
+	  var bidiOther;
+	  function getBidiPartAt(order, pos) {
+	    bidiOther = null;
+	    for (var i = 0, found; i < order.length; ++i) {
+	      var cur = order[i];
+	      if (cur.from < pos && cur.to > pos) return i;
+	      if ((cur.from == pos || cur.to == pos)) {
+	        if (found == null) {
+	          found = i;
+	        } else if (compareBidiLevel(order, cur.level, order[found].level)) {
+	          if (cur.from != cur.to) bidiOther = found;
+	          return i;
+	        } else {
+	          if (cur.from != cur.to) bidiOther = i;
+	          return found;
+	        }
+	      }
+	    }
+	    return found;
+	  }
+	
+	  function moveInLine(line, pos, dir, byUnit) {
+	    if (!byUnit) return pos + dir;
+	    do pos += dir;
+	    while (pos > 0 && isExtendingChar(line.text.charAt(pos)));
+	    return pos;
+	  }
+	
+	  // This is needed in order to move 'visually' through bi-directional
+	  // text -- i.e., pressing left should make the cursor go left, even
+	  // when in RTL text. The tricky part is the 'jumps', where RTL and
+	  // LTR text touch each other. This often requires the cursor offset
+	  // to move more than one unit, in order to visually move one unit.
+	  function moveVisually(line, start, dir, byUnit) {
+	    var bidi = getOrder(line);
+	    if (!bidi) return moveLogically(line, start, dir, byUnit);
+	    var pos = getBidiPartAt(bidi, start), part = bidi[pos];
+	    var target = moveInLine(line, start, part.level % 2 ? -dir : dir, byUnit);
+	
+	    for (;;) {
+	      if (target > part.from && target < part.to) return target;
+	      if (target == part.from || target == part.to) {
+	        if (getBidiPartAt(bidi, target) == pos) return target;
+	        part = bidi[pos += dir];
+	        return (dir > 0) == part.level % 2 ? part.to : part.from;
+	      } else {
+	        part = bidi[pos += dir];
+	        if (!part) return null;
+	        if ((dir > 0) == part.level % 2)
+	          target = moveInLine(line, part.to, -1, byUnit);
+	        else
+	          target = moveInLine(line, part.from, 1, byUnit);
+	      }
+	    }
+	  }
+	
+	  function moveLogically(line, start, dir, byUnit) {
+	    var target = start + dir;
+	    if (byUnit) while (target > 0 && isExtendingChar(line.text.charAt(target))) target += dir;
+	    return target < 0 || target > line.text.length ? null : target;
+	  }
+	
+	  // Bidirectional ordering algorithm
+	  // See http://unicode.org/reports/tr9/tr9-13.html for the algorithm
+	  // that this (partially) implements.
+	
+	  // One-char codes used for character types:
+	  // L (L):   Left-to-Right
+	  // R (R):   Right-to-Left
+	  // r (AL):  Right-to-Left Arabic
+	  // 1 (EN):  European Number
+	  // + (ES):  European Number Separator
+	  // % (ET):  European Number Terminator
+	  // n (AN):  Arabic Number
+	  // , (CS):  Common Number Separator
+	  // m (NSM): Non-Spacing Mark
+	  // b (BN):  Boundary Neutral
+	  // s (B):   Paragraph Separator
+	  // t (S):   Segment Separator
+	  // w (WS):  Whitespace
+	  // N (ON):  Other Neutrals
+	
+	  // Returns null if characters are ordered as they appear
+	  // (left-to-right), or an array of sections ({from, to, level}
+	  // objects) in the order in which they occur visually.
+	  var bidiOrdering = (function() {
+	    // Character types for codepoints 0 to 0xff
+	    var lowTypes = "bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN";
+	    // Character types for codepoints 0x600 to 0x6ff
+	    var arabicTypes = "rrrrrrrrrrrr,rNNmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmrrrrrrrnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmNmmmm";
+	    function charType(code) {
+	      if (code <= 0xf7) return lowTypes.charAt(code);
+	      else if (0x590 <= code && code <= 0x5f4) return "R";
+	      else if (0x600 <= code && code <= 0x6ed) return arabicTypes.charAt(code - 0x600);
+	      else if (0x6ee <= code && code <= 0x8ac) return "r";
+	      else if (0x2000 <= code && code <= 0x200b) return "w";
+	      else if (code == 0x200c) return "b";
+	      else return "L";
+	    }
+	
+	    var bidiRE = /[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/;
+	    var isNeutral = /[stwN]/, isStrong = /[LRr]/, countsAsLeft = /[Lb1n]/, countsAsNum = /[1n]/;
+	    // Browsers seem to always treat the boundaries of block elements as being L.
+	    var outerType = "L";
+	
+	    function BidiSpan(level, from, to) {
+	      this.level = level;
+	      this.from = from; this.to = to;
+	    }
+	
+	    return function(str) {
+	      if (!bidiRE.test(str)) return false;
+	      var len = str.length, types = [];
+	      for (var i = 0, type; i < len; ++i)
+	        types.push(type = charType(str.charCodeAt(i)));
+	
+	      // W1. Examine each non-spacing mark (NSM) in the level run, and
+	      // change the type of the NSM to the type of the previous
+	      // character. If the NSM is at the start of the level run, it will
+	      // get the type of sor.
+	      for (var i = 0, prev = outerType; i < len; ++i) {
+	        var type = types[i];
+	        if (type == "m") types[i] = prev;
+	        else prev = type;
+	      }
+	
+	      // W2. Search backwards from each instance of a European number
+	      // until the first strong type (R, L, AL, or sor) is found. If an
+	      // AL is found, change the type of the European number to Arabic
+	      // number.
+	      // W3. Change all ALs to R.
+	      for (var i = 0, cur = outerType; i < len; ++i) {
+	        var type = types[i];
+	        if (type == "1" && cur == "r") types[i] = "n";
+	        else if (isStrong.test(type)) { cur = type; if (type == "r") types[i] = "R"; }
+	      }
+	
+	      // W4. A single European separator between two European numbers
+	      // changes to a European number. A single common separator between
+	      // two numbers of the same type changes to that type.
+	      for (var i = 1, prev = types[0]; i < len - 1; ++i) {
+	        var type = types[i];
+	        if (type == "+" && prev == "1" && types[i+1] == "1") types[i] = "1";
+	        else if (type == "," && prev == types[i+1] &&
+	                 (prev == "1" || prev == "n")) types[i] = prev;
+	        prev = type;
+	      }
+	
+	      // W5. A sequence of European terminators adjacent to European
+	      // numbers changes to all European numbers.
+	      // W6. Otherwise, separators and terminators change to Other
+	      // Neutral.
+	      for (var i = 0; i < len; ++i) {
+	        var type = types[i];
+	        if (type == ",") types[i] = "N";
+	        else if (type == "%") {
+	          for (var end = i + 1; end < len && types[end] == "%"; ++end) {}
+	          var replace = (i && types[i-1] == "!") || (end < len && types[end] == "1") ? "1" : "N";
+	          for (var j = i; j < end; ++j) types[j] = replace;
+	          i = end - 1;
+	        }
+	      }
+	
+	      // W7. Search backwards from each instance of a European number
+	      // until the first strong type (R, L, or sor) is found. If an L is
+	      // found, then change the type of the European number to L.
+	      for (var i = 0, cur = outerType; i < len; ++i) {
+	        var type = types[i];
+	        if (cur == "L" && type == "1") types[i] = "L";
+	        else if (isStrong.test(type)) cur = type;
+	      }
+	
+	      // N1. A sequence of neutrals takes the direction of the
+	      // surrounding strong text if the text on both sides has the same
+	      // direction. European and Arabic numbers act as if they were R in
+	      // terms of their influence on neutrals. Start-of-level-run (sor)
+	      // and end-of-level-run (eor) are used at level run boundaries.
+	      // N2. Any remaining neutrals take the embedding direction.
+	      for (var i = 0; i < len; ++i) {
+	        if (isNeutral.test(types[i])) {
+	          for (var end = i + 1; end < len && isNeutral.test(types[end]); ++end) {}
+	          var before = (i ? types[i-1] : outerType) == "L";
+	          var after = (end < len ? types[end] : outerType) == "L";
+	          var replace = before || after ? "L" : "R";
+	          for (var j = i; j < end; ++j) types[j] = replace;
+	          i = end - 1;
+	        }
+	      }
+	
+	      // Here we depart from the documented algorithm, in order to avoid
+	      // building up an actual levels array. Since there are only three
+	      // levels (0, 1, 2) in an implementation that doesn't take
+	      // explicit embedding into account, we can build up the order on
+	      // the fly, without following the level-based algorithm.
+	      var order = [], m;
+	      for (var i = 0; i < len;) {
+	        if (countsAsLeft.test(types[i])) {
+	          var start = i;
+	          for (++i; i < len && countsAsLeft.test(types[i]); ++i) {}
+	          order.push(new BidiSpan(0, start, i));
+	        } else {
+	          var pos = i, at = order.length;
+	          for (++i; i < len && types[i] != "L"; ++i) {}
+	          for (var j = pos; j < i;) {
+	            if (countsAsNum.test(types[j])) {
+	              if (pos < j) order.splice(at, 0, new BidiSpan(1, pos, j));
+	              var nstart = j;
+	              for (++j; j < i && countsAsNum.test(types[j]); ++j) {}
+	              order.splice(at, 0, new BidiSpan(2, nstart, j));
+	              pos = j;
+	            } else ++j;
+	          }
+	          if (pos < i) order.splice(at, 0, new BidiSpan(1, pos, i));
+	        }
+	      }
+	      if (order[0].level == 1 && (m = str.match(/^\s+/))) {
+	        order[0].from = m[0].length;
+	        order.unshift(new BidiSpan(0, 0, m[0].length));
+	      }
+	      if (lst(order).level == 1 && (m = str.match(/\s+$/))) {
+	        lst(order).to -= m[0].length;
+	        order.push(new BidiSpan(0, len - m[0].length, len));
+	      }
+	      if (order[0].level == 2)
+	        order.unshift(new BidiSpan(1, order[0].to, order[0].to));
+	      if (order[0].level != lst(order).level)
+	        order.push(new BidiSpan(order[0].level, len, len));
+	
+	      return order;
+	    };
+	  })();
+	
+	  // THE END
+	
+	  CodeMirror.version = "5.18.2";
+	
+	  return CodeMirror;
+	});
+
+
+/***/ },
+/* 520 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(521);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../css-loader/index.js!./codemirror.css", function() {
+				var newContent = require("!!./../../css-loader/index.js!./codemirror.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 521 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* BASICS */\n\n.CodeMirror {\n  /* Set height, width, borders, and global font properties here */\n  font-family: monospace;\n  height: 300px;\n  color: black;\n}\n\n/* PADDING */\n\n.CodeMirror-lines {\n  padding: 4px 0; /* Vertical padding around content */\n}\n.CodeMirror pre {\n  padding: 0 4px; /* Horizontal padding of content */\n}\n\n.CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n  background-color: white; /* The little square between H and V scrollbars */\n}\n\n/* GUTTER */\n\n.CodeMirror-gutters {\n  border-right: 1px solid #ddd;\n  background-color: #f7f7f7;\n  white-space: nowrap;\n}\n.CodeMirror-linenumbers {}\n.CodeMirror-linenumber {\n  padding: 0 3px 0 5px;\n  min-width: 20px;\n  text-align: right;\n  color: #999;\n  white-space: nowrap;\n}\n\n.CodeMirror-guttermarker { color: black; }\n.CodeMirror-guttermarker-subtle { color: #999; }\n\n/* CURSOR */\n\n.CodeMirror-cursor {\n  border-left: 1px solid black;\n  border-right: none;\n  width: 0;\n}\n/* Shown when moving in bi-directional text */\n.CodeMirror div.CodeMirror-secondarycursor {\n  border-left: 1px solid silver;\n}\n.cm-fat-cursor .CodeMirror-cursor {\n  width: auto;\n  border: 0 !important;\n  background: #7e7;\n}\n.cm-fat-cursor div.CodeMirror-cursors {\n  z-index: 1;\n}\n\n.cm-animate-fat-cursor {\n  width: auto;\n  border: 0;\n  -webkit-animation: blink 1.06s steps(1) infinite;\n  -moz-animation: blink 1.06s steps(1) infinite;\n  animation: blink 1.06s steps(1) infinite;\n  background-color: #7e7;\n}\n@-moz-keyframes blink {\n  0% {}\n  50% { background-color: transparent; }\n  100% {}\n}\n@-webkit-keyframes blink {\n  0% {}\n  50% { background-color: transparent; }\n  100% {}\n}\n@keyframes blink {\n  0% {}\n  50% { background-color: transparent; }\n  100% {}\n}\n\n/* Can style cursor different in overwrite (non-insert) mode */\n.CodeMirror-overwrite .CodeMirror-cursor {}\n\n.cm-tab { display: inline-block; text-decoration: inherit; }\n\n.CodeMirror-rulers {\n  position: absolute;\n  left: 0; right: 0; top: -50px; bottom: -20px;\n  overflow: hidden;\n}\n.CodeMirror-ruler {\n  border-left: 1px solid #ccc;\n  top: 0; bottom: 0;\n  position: absolute;\n}\n\n/* DEFAULT THEME */\n\n.cm-s-default .cm-header {color: blue;}\n.cm-s-default .cm-quote {color: #090;}\n.cm-negative {color: #d44;}\n.cm-positive {color: #292;}\n.cm-header, .cm-strong {font-weight: bold;}\n.cm-em {font-style: italic;}\n.cm-link {text-decoration: underline;}\n.cm-strikethrough {text-decoration: line-through;}\n\n.cm-s-default .cm-keyword {color: #708;}\n.cm-s-default .cm-atom {color: #219;}\n.cm-s-default .cm-number {color: #164;}\n.cm-s-default .cm-def {color: #00f;}\n.cm-s-default .cm-variable,\n.cm-s-default .cm-punctuation,\n.cm-s-default .cm-property,\n.cm-s-default .cm-operator {}\n.cm-s-default .cm-variable-2 {color: #05a;}\n.cm-s-default .cm-variable-3 {color: #085;}\n.cm-s-default .cm-comment {color: #a50;}\n.cm-s-default .cm-string {color: #a11;}\n.cm-s-default .cm-string-2 {color: #f50;}\n.cm-s-default .cm-meta {color: #555;}\n.cm-s-default .cm-qualifier {color: #555;}\n.cm-s-default .cm-builtin {color: #30a;}\n.cm-s-default .cm-bracket {color: #997;}\n.cm-s-default .cm-tag {color: #170;}\n.cm-s-default .cm-attribute {color: #00c;}\n.cm-s-default .cm-hr {color: #999;}\n.cm-s-default .cm-link {color: #00c;}\n\n.cm-s-default .cm-error {color: #f00;}\n.cm-invalidchar {color: #f00;}\n\n.CodeMirror-composing { border-bottom: 2px solid; }\n\n/* Default styles for common addons */\n\ndiv.CodeMirror span.CodeMirror-matchingbracket {color: #0f0;}\ndiv.CodeMirror span.CodeMirror-nonmatchingbracket {color: #f22;}\n.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }\n.CodeMirror-activeline-background {background: #e8f2ff;}\n\n/* STOP */\n\n/* The rest of this file contains styles related to the mechanics of\n   the editor. You probably shouldn't touch them. */\n\n.CodeMirror {\n  position: relative;\n  overflow: hidden;\n  background: white;\n}\n\n.CodeMirror-scroll {\n  overflow: scroll !important; /* Things will break if this is overridden */\n  /* 30px is the magic margin used to hide the element's real scrollbars */\n  /* See overflow: hidden in .CodeMirror */\n  margin-bottom: -30px; margin-right: -30px;\n  padding-bottom: 30px;\n  height: 100%;\n  outline: none; /* Prevent dragging from highlighting the element */\n  position: relative;\n}\n.CodeMirror-sizer {\n  position: relative;\n  border-right: 30px solid transparent;\n}\n\n/* The fake, visible scrollbars. Used to force redraw during scrolling\n   before actual scrolling happens, thus preventing shaking and\n   flickering artifacts. */\n.CodeMirror-vscrollbar, .CodeMirror-hscrollbar, .CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n  position: absolute;\n  z-index: 6;\n  display: none;\n}\n.CodeMirror-vscrollbar {\n  right: 0; top: 0;\n  overflow-x: hidden;\n  overflow-y: scroll;\n}\n.CodeMirror-hscrollbar {\n  bottom: 0; left: 0;\n  overflow-y: hidden;\n  overflow-x: scroll;\n}\n.CodeMirror-scrollbar-filler {\n  right: 0; bottom: 0;\n}\n.CodeMirror-gutter-filler {\n  left: 0; bottom: 0;\n}\n\n.CodeMirror-gutters {\n  position: absolute; left: 0; top: 0;\n  min-height: 100%;\n  z-index: 3;\n}\n.CodeMirror-gutter {\n  white-space: normal;\n  height: 100%;\n  display: inline-block;\n  vertical-align: top;\n  margin-bottom: -30px;\n  /* Hack to make IE7 behave */\n  *zoom:1;\n  *display:inline;\n}\n.CodeMirror-gutter-wrapper {\n  position: absolute;\n  z-index: 4;\n  background: none !important;\n  border: none !important;\n}\n.CodeMirror-gutter-background {\n  position: absolute;\n  top: 0; bottom: 0;\n  z-index: 4;\n}\n.CodeMirror-gutter-elt {\n  position: absolute;\n  cursor: default;\n  z-index: 4;\n}\n.CodeMirror-gutter-wrapper {\n  -webkit-user-select: none;\n  -moz-user-select: none;\n  user-select: none;\n}\n\n.CodeMirror-lines {\n  cursor: text;\n  min-height: 1px; /* prevents collapsing before first draw */\n}\n.CodeMirror pre {\n  /* Reset some styles that the rest of the page might have set */\n  -moz-border-radius: 0; -webkit-border-radius: 0; border-radius: 0;\n  border-width: 0;\n  background: transparent;\n  font-family: inherit;\n  font-size: inherit;\n  margin: 0;\n  white-space: pre;\n  word-wrap: normal;\n  line-height: inherit;\n  color: inherit;\n  z-index: 2;\n  position: relative;\n  overflow: visible;\n  -webkit-tap-highlight-color: transparent;\n  -webkit-font-variant-ligatures: none;\n  font-variant-ligatures: none;\n}\n.CodeMirror-wrap pre {\n  word-wrap: break-word;\n  white-space: pre-wrap;\n  word-break: normal;\n}\n\n.CodeMirror-linebackground {\n  position: absolute;\n  left: 0; right: 0; top: 0; bottom: 0;\n  z-index: 0;\n}\n\n.CodeMirror-linewidget {\n  position: relative;\n  z-index: 2;\n  overflow: auto;\n}\n\n.CodeMirror-widget {}\n\n.CodeMirror-code {\n  outline: none;\n}\n\n/* Force content-box sizing for the elements where we expect it */\n.CodeMirror-scroll,\n.CodeMirror-sizer,\n.CodeMirror-gutter,\n.CodeMirror-gutters,\n.CodeMirror-linenumber {\n  -moz-box-sizing: content-box;\n  box-sizing: content-box;\n}\n\n.CodeMirror-measure {\n  position: absolute;\n  width: 100%;\n  height: 0;\n  overflow: hidden;\n  visibility: hidden;\n}\n\n.CodeMirror-cursor {\n  position: absolute;\n  pointer-events: none;\n}\n.CodeMirror-measure pre { position: static; }\n\ndiv.CodeMirror-cursors {\n  visibility: hidden;\n  position: relative;\n  z-index: 3;\n}\ndiv.CodeMirror-dragcursors {\n  visibility: visible;\n}\n\n.CodeMirror-focused div.CodeMirror-cursors {\n  visibility: visible;\n}\n\n.CodeMirror-selected { background: #d9d9d9; }\n.CodeMirror-focused .CodeMirror-selected { background: #d7d4f0; }\n.CodeMirror-crosshair { cursor: crosshair; }\n.CodeMirror-line::selection, .CodeMirror-line > span::selection, .CodeMirror-line > span > span::selection { background: #d7d4f0; }\n.CodeMirror-line::-moz-selection, .CodeMirror-line > span::-moz-selection, .CodeMirror-line > span > span::-moz-selection { background: #d7d4f0; }\n\n.cm-searching {\n  background: #ffa;\n  background: rgba(255, 255, 0, .4);\n}\n\n/* IE7 hack to prevent it from returning funny offsetTops on the spans */\n.CodeMirror span { *vertical-align: text-bottom; }\n\n/* Used to force a border model for a node */\n.cm-force-border { padding-right: .1px; }\n\n@media print {\n  /* Hide the cursor when printing */\n  .CodeMirror div.CodeMirror-cursors {\n    visibility: hidden;\n  }\n}\n\n/* See issue #2901 */\n.cm-tab-wrap-hack:after { content: ''; }\n\n/* Help users use markselection to safely style text background */\nspan.CodeMirror-selectedtext { background: none; }\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 522 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// CodeMirror, copyright (c) by Marijn Haverbeke and others
+	// Distributed under an MIT license: http://codemirror.net/LICENSE
+	
+	(function(mod) {
+	  if (true) // CommonJS
+	    mod(__webpack_require__(519));
+	  else if (typeof define == "function" && define.amd) // AMD
+	    define(["../../lib/codemirror"], mod);
+	  else // Plain browser env
+	    mod(CodeMirror);
+	})(function(CodeMirror) {
+	"use strict";
+	
+	function expressionAllowed(stream, state, backUp) {
+	  return /^(?:operator|sof|keyword c|case|new|[\[{}\(,;:]|=>)$/.test(state.lastType) ||
+	    (state.lastType == "quasi" && /\{\s*$/.test(stream.string.slice(0, stream.pos - (backUp || 0))))
+	}
+	
+	CodeMirror.defineMode("javascript", function(config, parserConfig) {
+	  var indentUnit = config.indentUnit;
+	  var statementIndent = parserConfig.statementIndent;
+	  var jsonldMode = parserConfig.jsonld;
+	  var jsonMode = parserConfig.json || jsonldMode;
+	  var isTS = parserConfig.typescript;
+	  var wordRE = parserConfig.wordCharacters || /[\w$\xa1-\uffff]/;
+	
+	  // Tokenizer
+	
+	  var keywords = function(){
+	    function kw(type) {return {type: type, style: "keyword"};}
+	    var A = kw("keyword a"), B = kw("keyword b"), C = kw("keyword c");
+	    var operator = kw("operator"), atom = {type: "atom", style: "atom"};
+	
+	    var jsKeywords = {
+	      "if": kw("if"), "while": A, "with": A, "else": B, "do": B, "try": B, "finally": B,
+	      "return": C, "break": C, "continue": C, "new": kw("new"), "delete": C, "throw": C, "debugger": C,
+	      "var": kw("var"), "const": kw("var"), "let": kw("var"),
+	      "function": kw("function"), "catch": kw("catch"),
+	      "for": kw("for"), "switch": kw("switch"), "case": kw("case"), "default": kw("default"),
+	      "in": operator, "typeof": operator, "instanceof": operator,
+	      "true": atom, "false": atom, "null": atom, "undefined": atom, "NaN": atom, "Infinity": atom,
+	      "this": kw("this"), "class": kw("class"), "super": kw("atom"),
+	      "yield": C, "export": kw("export"), "import": kw("import"), "extends": C,
+	      "await": C, "async": kw("async")
+	    };
+	
+	    // Extend the 'normal' keywords with the TypeScript language extensions
+	    if (isTS) {
+	      var type = {type: "variable", style: "variable-3"};
+	      var tsKeywords = {
+	        // object-like things
+	        "interface": kw("class"),
+	        "implements": C,
+	        "namespace": C,
+	        "module": kw("module"),
+	        "enum": kw("module"),
+	
+	        // scope modifiers
+	        "public": kw("modifier"),
+	        "private": kw("modifier"),
+	        "protected": kw("modifier"),
+	        "abstract": kw("modifier"),
+	
+	        // operators
+	        "as": operator,
+	
+	        // types
+	        "string": type, "number": type, "boolean": type, "any": type
+	      };
+	
+	      for (var attr in tsKeywords) {
+	        jsKeywords[attr] = tsKeywords[attr];
+	      }
+	    }
+	
+	    return jsKeywords;
+	  }();
+	
+	  var isOperatorChar = /[+\-*&%=<>!?|~^]/;
+	  var isJsonldKeyword = /^@(context|id|value|language|type|container|list|set|reverse|index|base|vocab|graph)"/;
+	
+	  function readRegexp(stream) {
+	    var escaped = false, next, inSet = false;
+	    while ((next = stream.next()) != null) {
+	      if (!escaped) {
+	        if (next == "/" && !inSet) return;
+	        if (next == "[") inSet = true;
+	        else if (inSet && next == "]") inSet = false;
+	      }
+	      escaped = !escaped && next == "\\";
+	    }
+	  }
+	
+	  // Used as scratch variables to communicate multiple values without
+	  // consing up tons of objects.
+	  var type, content;
+	  function ret(tp, style, cont) {
+	    type = tp; content = cont;
+	    return style;
+	  }
+	  function tokenBase(stream, state) {
+	    var ch = stream.next();
+	    if (ch == '"' || ch == "'") {
+	      state.tokenize = tokenString(ch);
+	      return state.tokenize(stream, state);
+	    } else if (ch == "." && stream.match(/^\d+(?:[eE][+\-]?\d+)?/)) {
+	      return ret("number", "number");
+	    } else if (ch == "." && stream.match("..")) {
+	      return ret("spread", "meta");
+	    } else if (/[\[\]{}\(\),;\:\.]/.test(ch)) {
+	      return ret(ch);
+	    } else if (ch == "=" && stream.eat(">")) {
+	      return ret("=>", "operator");
+	    } else if (ch == "0" && stream.eat(/x/i)) {
+	      stream.eatWhile(/[\da-f]/i);
+	      return ret("number", "number");
+	    } else if (ch == "0" && stream.eat(/o/i)) {
+	      stream.eatWhile(/[0-7]/i);
+	      return ret("number", "number");
+	    } else if (ch == "0" && stream.eat(/b/i)) {
+	      stream.eatWhile(/[01]/i);
+	      return ret("number", "number");
+	    } else if (/\d/.test(ch)) {
+	      stream.match(/^\d*(?:\.\d*)?(?:[eE][+\-]?\d+)?/);
+	      return ret("number", "number");
+	    } else if (ch == "/") {
+	      if (stream.eat("*")) {
+	        state.tokenize = tokenComment;
+	        return tokenComment(stream, state);
+	      } else if (stream.eat("/")) {
+	        stream.skipToEnd();
+	        return ret("comment", "comment");
+	      } else if (expressionAllowed(stream, state, 1)) {
+	        readRegexp(stream);
+	        stream.match(/^\b(([gimyu])(?![gimyu]*\2))+\b/);
+	        return ret("regexp", "string-2");
+	      } else {
+	        stream.eatWhile(isOperatorChar);
+	        return ret("operator", "operator", stream.current());
+	      }
+	    } else if (ch == "`") {
+	      state.tokenize = tokenQuasi;
+	      return tokenQuasi(stream, state);
+	    } else if (ch == "#") {
+	      stream.skipToEnd();
+	      return ret("error", "error");
+	    } else if (isOperatorChar.test(ch)) {
+	      stream.eatWhile(isOperatorChar);
+	      return ret("operator", "operator", stream.current());
+	    } else if (wordRE.test(ch)) {
+	      stream.eatWhile(wordRE);
+	      var word = stream.current(), known = keywords.propertyIsEnumerable(word) && keywords[word];
+	      return (known && state.lastType != ".") ? ret(known.type, known.style, word) :
+	                     ret("variable", "variable", word);
+	    }
+	  }
+	
+	  function tokenString(quote) {
+	    return function(stream, state) {
+	      var escaped = false, next;
+	      if (jsonldMode && stream.peek() == "@" && stream.match(isJsonldKeyword)){
+	        state.tokenize = tokenBase;
+	        return ret("jsonld-keyword", "meta");
+	      }
+	      while ((next = stream.next()) != null) {
+	        if (next == quote && !escaped) break;
+	        escaped = !escaped && next == "\\";
+	      }
+	      if (!escaped) state.tokenize = tokenBase;
+	      return ret("string", "string");
+	    };
+	  }
+	
+	  function tokenComment(stream, state) {
+	    var maybeEnd = false, ch;
+	    while (ch = stream.next()) {
+	      if (ch == "/" && maybeEnd) {
+	        state.tokenize = tokenBase;
+	        break;
+	      }
+	      maybeEnd = (ch == "*");
+	    }
+	    return ret("comment", "comment");
+	  }
+	
+	  function tokenQuasi(stream, state) {
+	    var escaped = false, next;
+	    while ((next = stream.next()) != null) {
+	      if (!escaped && (next == "`" || next == "$" && stream.eat("{"))) {
+	        state.tokenize = tokenBase;
+	        break;
+	      }
+	      escaped = !escaped && next == "\\";
+	    }
+	    return ret("quasi", "string-2", stream.current());
+	  }
+	
+	  var brackets = "([{}])";
+	  // This is a crude lookahead trick to try and notice that we're
+	  // parsing the argument patterns for a fat-arrow function before we
+	  // actually hit the arrow token. It only works if the arrow is on
+	  // the same line as the arguments and there's no strange noise
+	  // (comments) in between. Fallback is to only notice when we hit the
+	  // arrow, and not declare the arguments as locals for the arrow
+	  // body.
+	  function findFatArrow(stream, state) {
+	    if (state.fatArrowAt) state.fatArrowAt = null;
+	    var arrow = stream.string.indexOf("=>", stream.start);
+	    if (arrow < 0) return;
+	
+	    var depth = 0, sawSomething = false;
+	    for (var pos = arrow - 1; pos >= 0; --pos) {
+	      var ch = stream.string.charAt(pos);
+	      var bracket = brackets.indexOf(ch);
+	      if (bracket >= 0 && bracket < 3) {
+	        if (!depth) { ++pos; break; }
+	        if (--depth == 0) { if (ch == "(") sawSomething = true; break; }
+	      } else if (bracket >= 3 && bracket < 6) {
+	        ++depth;
+	      } else if (wordRE.test(ch)) {
+	        sawSomething = true;
+	      } else if (/["'\/]/.test(ch)) {
+	        return;
+	      } else if (sawSomething && !depth) {
+	        ++pos;
+	        break;
+	      }
+	    }
+	    if (sawSomething && !depth) state.fatArrowAt = pos;
+	  }
+	
+	  // Parser
+	
+	  var atomicTypes = {"atom": true, "number": true, "variable": true, "string": true, "regexp": true, "this": true, "jsonld-keyword": true};
+	
+	  function JSLexical(indented, column, type, align, prev, info) {
+	    this.indented = indented;
+	    this.column = column;
+	    this.type = type;
+	    this.prev = prev;
+	    this.info = info;
+	    if (align != null) this.align = align;
+	  }
+	
+	  function inScope(state, varname) {
+	    for (var v = state.localVars; v; v = v.next)
+	      if (v.name == varname) return true;
+	    for (var cx = state.context; cx; cx = cx.prev) {
+	      for (var v = cx.vars; v; v = v.next)
+	        if (v.name == varname) return true;
+	    }
+	  }
+	
+	  function parseJS(state, style, type, content, stream) {
+	    var cc = state.cc;
+	    // Communicate our context to the combinators.
+	    // (Less wasteful than consing up a hundred closures on every call.)
+	    cx.state = state; cx.stream = stream; cx.marked = null, cx.cc = cc; cx.style = style;
+	
+	    if (!state.lexical.hasOwnProperty("align"))
+	      state.lexical.align = true;
+	
+	    while(true) {
+	      var combinator = cc.length ? cc.pop() : jsonMode ? expression : statement;
+	      if (combinator(type, content)) {
+	        while(cc.length && cc[cc.length - 1].lex)
+	          cc.pop()();
+	        if (cx.marked) return cx.marked;
+	        if (type == "variable" && inScope(state, content)) return "variable-2";
+	        return style;
+	      }
+	    }
+	  }
+	
+	  // Combinator utils
+	
+	  var cx = {state: null, column: null, marked: null, cc: null};
+	  function pass() {
+	    for (var i = arguments.length - 1; i >= 0; i--) cx.cc.push(arguments[i]);
+	  }
+	  function cont() {
+	    pass.apply(null, arguments);
+	    return true;
+	  }
+	  function register(varname) {
+	    function inList(list) {
+	      for (var v = list; v; v = v.next)
+	        if (v.name == varname) return true;
+	      return false;
+	    }
+	    var state = cx.state;
+	    cx.marked = "def";
+	    if (state.context) {
+	      if (inList(state.localVars)) return;
+	      state.localVars = {name: varname, next: state.localVars};
+	    } else {
+	      if (inList(state.globalVars)) return;
+	      if (parserConfig.globalVars)
+	        state.globalVars = {name: varname, next: state.globalVars};
+	    }
+	  }
+	
+	  // Combinators
+	
+	  var defaultVars = {name: "this", next: {name: "arguments"}};
+	  function pushcontext() {
+	    cx.state.context = {prev: cx.state.context, vars: cx.state.localVars};
+	    cx.state.localVars = defaultVars;
+	  }
+	  function popcontext() {
+	    cx.state.localVars = cx.state.context.vars;
+	    cx.state.context = cx.state.context.prev;
+	  }
+	  function pushlex(type, info) {
+	    var result = function() {
+	      var state = cx.state, indent = state.indented;
+	      if (state.lexical.type == "stat") indent = state.lexical.indented;
+	      else for (var outer = state.lexical; outer && outer.type == ")" && outer.align; outer = outer.prev)
+	        indent = outer.indented;
+	      state.lexical = new JSLexical(indent, cx.stream.column(), type, null, state.lexical, info);
+	    };
+	    result.lex = true;
+	    return result;
+	  }
+	  function poplex() {
+	    var state = cx.state;
+	    if (state.lexical.prev) {
+	      if (state.lexical.type == ")")
+	        state.indented = state.lexical.indented;
+	      state.lexical = state.lexical.prev;
+	    }
+	  }
+	  poplex.lex = true;
+	
+	  function expect(wanted) {
+	    function exp(type) {
+	      if (type == wanted) return cont();
+	      else if (wanted == ";") return pass();
+	      else return cont(exp);
+	    };
+	    return exp;
+	  }
+	
+	  function statement(type, value) {
+	    if (type == "var") return cont(pushlex("vardef", value.length), vardef, expect(";"), poplex);
+	    if (type == "keyword a") return cont(pushlex("form"), expression, statement, poplex);
+	    if (type == "keyword b") return cont(pushlex("form"), statement, poplex);
+	    if (type == "{") return cont(pushlex("}"), block, poplex);
+	    if (type == ";") return cont();
+	    if (type == "if") {
+	      if (cx.state.lexical.info == "else" && cx.state.cc[cx.state.cc.length - 1] == poplex)
+	        cx.state.cc.pop()();
+	      return cont(pushlex("form"), expression, statement, poplex, maybeelse);
+	    }
+	    if (type == "function") return cont(functiondef);
+	    if (type == "for") return cont(pushlex("form"), forspec, statement, poplex);
+	    if (type == "variable") return cont(pushlex("stat"), maybelabel);
+	    if (type == "switch") return cont(pushlex("form"), expression, pushlex("}", "switch"), expect("{"),
+	                                      block, poplex, poplex);
+	    if (type == "case") return cont(expression, expect(":"));
+	    if (type == "default") return cont(expect(":"));
+	    if (type == "catch") return cont(pushlex("form"), pushcontext, expect("("), funarg, expect(")"),
+	                                     statement, poplex, popcontext);
+	    if (type == "class") return cont(pushlex("form"), className, poplex);
+	    if (type == "export") return cont(pushlex("stat"), afterExport, poplex);
+	    if (type == "import") return cont(pushlex("stat"), afterImport, poplex);
+	    if (type == "module") return cont(pushlex("form"), pattern, pushlex("}"), expect("{"), block, poplex, poplex)
+	    if (type == "async") return cont(statement)
+	    return pass(pushlex("stat"), expression, expect(";"), poplex);
+	  }
+	  function expression(type) {
+	    return expressionInner(type, false);
+	  }
+	  function expressionNoComma(type) {
+	    return expressionInner(type, true);
+	  }
+	  function expressionInner(type, noComma) {
+	    if (cx.state.fatArrowAt == cx.stream.start) {
+	      var body = noComma ? arrowBodyNoComma : arrowBody;
+	      if (type == "(") return cont(pushcontext, pushlex(")"), commasep(pattern, ")"), poplex, expect("=>"), body, popcontext);
+	      else if (type == "variable") return pass(pushcontext, pattern, expect("=>"), body, popcontext);
+	    }
+	
+	    var maybeop = noComma ? maybeoperatorNoComma : maybeoperatorComma;
+	    if (atomicTypes.hasOwnProperty(type)) return cont(maybeop);
+	    if (type == "function") return cont(functiondef, maybeop);
+	    if (type == "keyword c" || type == "async") return cont(noComma ? maybeexpressionNoComma : maybeexpression);
+	    if (type == "(") return cont(pushlex(")"), maybeexpression, expect(")"), poplex, maybeop);
+	    if (type == "operator" || type == "spread") return cont(noComma ? expressionNoComma : expression);
+	    if (type == "[") return cont(pushlex("]"), arrayLiteral, poplex, maybeop);
+	    if (type == "{") return contCommasep(objprop, "}", null, maybeop);
+	    if (type == "quasi") return pass(quasi, maybeop);
+	    if (type == "new") return cont(maybeTarget(noComma));
+	    return cont();
+	  }
+	  function maybeexpression(type) {
+	    if (type.match(/[;\}\)\],]/)) return pass();
+	    return pass(expression);
+	  }
+	  function maybeexpressionNoComma(type) {
+	    if (type.match(/[;\}\)\],]/)) return pass();
+	    return pass(expressionNoComma);
+	  }
+	
+	  function maybeoperatorComma(type, value) {
+	    if (type == ",") return cont(expression);
+	    return maybeoperatorNoComma(type, value, false);
+	  }
+	  function maybeoperatorNoComma(type, value, noComma) {
+	    var me = noComma == false ? maybeoperatorComma : maybeoperatorNoComma;
+	    var expr = noComma == false ? expression : expressionNoComma;
+	    if (type == "=>") return cont(pushcontext, noComma ? arrowBodyNoComma : arrowBody, popcontext);
+	    if (type == "operator") {
+	      if (/\+\+|--/.test(value)) return cont(me);
+	      if (value == "?") return cont(expression, expect(":"), expr);
+	      return cont(expr);
+	    }
+	    if (type == "quasi") { return pass(quasi, me); }
+	    if (type == ";") return;
+	    if (type == "(") return contCommasep(expressionNoComma, ")", "call", me);
+	    if (type == ".") return cont(property, me);
+	    if (type == "[") return cont(pushlex("]"), maybeexpression, expect("]"), poplex, me);
+	  }
+	  function quasi(type, value) {
+	    if (type != "quasi") return pass();
+	    if (value.slice(value.length - 2) != "${") return cont(quasi);
+	    return cont(expression, continueQuasi);
+	  }
+	  function continueQuasi(type) {
+	    if (type == "}") {
+	      cx.marked = "string-2";
+	      cx.state.tokenize = tokenQuasi;
+	      return cont(quasi);
+	    }
+	  }
+	  function arrowBody(type) {
+	    findFatArrow(cx.stream, cx.state);
+	    return pass(type == "{" ? statement : expression);
+	  }
+	  function arrowBodyNoComma(type) {
+	    findFatArrow(cx.stream, cx.state);
+	    return pass(type == "{" ? statement : expressionNoComma);
+	  }
+	  function maybeTarget(noComma) {
+	    return function(type) {
+	      if (type == ".") return cont(noComma ? targetNoComma : target);
+	      else return pass(noComma ? expressionNoComma : expression);
+	    };
+	  }
+	  function target(_, value) {
+	    if (value == "target") { cx.marked = "keyword"; return cont(maybeoperatorComma); }
+	  }
+	  function targetNoComma(_, value) {
+	    if (value == "target") { cx.marked = "keyword"; return cont(maybeoperatorNoComma); }
+	  }
+	  function maybelabel(type) {
+	    if (type == ":") return cont(poplex, statement);
+	    return pass(maybeoperatorComma, expect(";"), poplex);
+	  }
+	  function property(type) {
+	    if (type == "variable") {cx.marked = "property"; return cont();}
+	  }
+	  function objprop(type, value) {
+	    if (type == "async") {
+	      cx.marked = "property";
+	      return cont(objprop);
+	    } else if (type == "variable" || cx.style == "keyword") {
+	      cx.marked = "property";
+	      if (value == "get" || value == "set") return cont(getterSetter);
+	      return cont(afterprop);
+	    } else if (type == "number" || type == "string") {
+	      cx.marked = jsonldMode ? "property" : (cx.style + " property");
+	      return cont(afterprop);
+	    } else if (type == "jsonld-keyword") {
+	      return cont(afterprop);
+	    } else if (type == "modifier") {
+	      return cont(objprop)
+	    } else if (type == "[") {
+	      return cont(expression, expect("]"), afterprop);
+	    } else if (type == "spread") {
+	      return cont(expression);
+	    } else if (type == ":") {
+	      return pass(afterprop)
+	    }
+	  }
+	  function getterSetter(type) {
+	    if (type != "variable") return pass(afterprop);
+	    cx.marked = "property";
+	    return cont(functiondef);
+	  }
+	  function afterprop(type) {
+	    if (type == ":") return cont(expressionNoComma);
+	    if (type == "(") return pass(functiondef);
+	  }
+	  function commasep(what, end) {
+	    function proceed(type, value) {
+	      if (type == ",") {
+	        var lex = cx.state.lexical;
+	        if (lex.info == "call") lex.pos = (lex.pos || 0) + 1;
+	        return cont(function(type, value) {
+	          if (type == end || value == end) return pass()
+	          return pass(what)
+	        }, proceed);
+	      }
+	      if (type == end || value == end) return cont();
+	      return cont(expect(end));
+	    }
+	    return function(type, value) {
+	      if (type == end || value == end) return cont();
+	      return pass(what, proceed);
+	    };
+	  }
+	  function contCommasep(what, end, info) {
+	    for (var i = 3; i < arguments.length; i++)
+	      cx.cc.push(arguments[i]);
+	    return cont(pushlex(end, info), commasep(what, end), poplex);
+	  }
+	  function block(type) {
+	    if (type == "}") return cont();
+	    return pass(statement, block);
+	  }
+	  function maybetype(type) {
+	    if (isTS && type == ":") return cont(typeexpr);
+	  }
+	  function maybedefault(_, value) {
+	    if (value == "=") return cont(expressionNoComma);
+	  }
+	  function typeexpr(type) {
+	    if (type == "variable") {cx.marked = "variable-3"; return cont(afterType);}
+	    if (type == "{") return cont(commasep(typeprop, "}"))
+	    if (type == "(") return cont(commasep(typearg, ")"), maybeReturnType)
+	  }
+	  function maybeReturnType(type) {
+	    if (type == "=>") return cont(typeexpr)
+	  }
+	  function typeprop(type) {
+	    if (type == "variable" || cx.style == "keyword") {
+	      cx.marked = "property"
+	      return cont(typeprop)
+	    } else if (type == ":") {
+	      return cont(typeexpr)
+	    }
+	  }
+	  function typearg(type) {
+	    if (type == "variable") return cont(typearg)
+	    else if (type == ":") return cont(typeexpr)
+	  }
+	  function afterType(type, value) {
+	    if (value == "<") return cont(commasep(typeexpr, ">"), afterType)
+	    if (type == "[") return cont(expect("]"), afterType)
+	  }
+	  function vardef() {
+	    return pass(pattern, maybetype, maybeAssign, vardefCont);
+	  }
+	  function pattern(type, value) {
+	    if (type == "modifier") return cont(pattern)
+	    if (type == "variable") { register(value); return cont(); }
+	    if (type == "spread") return cont(pattern);
+	    if (type == "[") return contCommasep(pattern, "]");
+	    if (type == "{") return contCommasep(proppattern, "}");
+	  }
+	  function proppattern(type, value) {
+	    if (type == "variable" && !cx.stream.match(/^\s*:/, false)) {
+	      register(value);
+	      return cont(maybeAssign);
+	    }
+	    if (type == "variable") cx.marked = "property";
+	    if (type == "spread") return cont(pattern);
+	    if (type == "}") return pass();
+	    return cont(expect(":"), pattern, maybeAssign);
+	  }
+	  function maybeAssign(_type, value) {
+	    if (value == "=") return cont(expressionNoComma);
+	  }
+	  function vardefCont(type) {
+	    if (type == ",") return cont(vardef);
+	  }
+	  function maybeelse(type, value) {
+	    if (type == "keyword b" && value == "else") return cont(pushlex("form", "else"), statement, poplex);
+	  }
+	  function forspec(type) {
+	    if (type == "(") return cont(pushlex(")"), forspec1, expect(")"), poplex);
+	  }
+	  function forspec1(type) {
+	    if (type == "var") return cont(vardef, expect(";"), forspec2);
+	    if (type == ";") return cont(forspec2);
+	    if (type == "variable") return cont(formaybeinof);
+	    return pass(expression, expect(";"), forspec2);
+	  }
+	  function formaybeinof(_type, value) {
+	    if (value == "in" || value == "of") { cx.marked = "keyword"; return cont(expression); }
+	    return cont(maybeoperatorComma, forspec2);
+	  }
+	  function forspec2(type, value) {
+	    if (type == ";") return cont(forspec3);
+	    if (value == "in" || value == "of") { cx.marked = "keyword"; return cont(expression); }
+	    return pass(expression, expect(";"), forspec3);
+	  }
+	  function forspec3(type) {
+	    if (type != ")") cont(expression);
+	  }
+	  function functiondef(type, value) {
+	    if (value == "*") {cx.marked = "keyword"; return cont(functiondef);}
+	    if (type == "variable") {register(value); return cont(functiondef);}
+	    if (type == "(") return cont(pushcontext, pushlex(")"), commasep(funarg, ")"), poplex, maybetype, statement, popcontext);
+	  }
+	  function funarg(type) {
+	    if (type == "spread") return cont(funarg);
+	    return pass(pattern, maybetype, maybedefault);
+	  }
+	  function className(type, value) {
+	    if (type == "variable") {register(value); return cont(classNameAfter);}
+	  }
+	  function classNameAfter(type, value) {
+	    if (value == "extends") return cont(isTS ? typeexpr : expression, classNameAfter);
+	    if (type == "{") return cont(pushlex("}"), classBody, poplex);
+	  }
+	  function classBody(type, value) {
+	    if (type == "variable" || cx.style == "keyword") {
+	      if (value == "static") {
+	        cx.marked = "keyword";
+	        return cont(classBody);
+	      }
+	      cx.marked = "property";
+	      if (value == "get" || value == "set") return cont(classGetterSetter, functiondef, classBody);
+	      return cont(functiondef, classBody);
+	    }
+	    if (value == "*") {
+	      cx.marked = "keyword";
+	      return cont(classBody);
+	    }
+	    if (type == ";") return cont(classBody);
+	    if (type == "}") return cont();
+	  }
+	  function classGetterSetter(type) {
+	    if (type != "variable") return pass();
+	    cx.marked = "property";
+	    return cont();
+	  }
+	  function afterExport(_type, value) {
+	    if (value == "*") { cx.marked = "keyword"; return cont(maybeFrom, expect(";")); }
+	    if (value == "default") { cx.marked = "keyword"; return cont(expression, expect(";")); }
+	    return pass(statement);
+	  }
+	  function afterImport(type) {
+	    if (type == "string") return cont();
+	    return pass(importSpec, maybeFrom);
+	  }
+	  function importSpec(type, value) {
+	    if (type == "{") return contCommasep(importSpec, "}");
+	    if (type == "variable") register(value);
+	    if (value == "*") cx.marked = "keyword";
+	    return cont(maybeAs);
+	  }
+	  function maybeAs(_type, value) {
+	    if (value == "as") { cx.marked = "keyword"; return cont(importSpec); }
+	  }
+	  function maybeFrom(_type, value) {
+	    if (value == "from") { cx.marked = "keyword"; return cont(expression); }
+	  }
+	  function arrayLiteral(type) {
+	    if (type == "]") return cont();
+	    return pass(commasep(expressionNoComma, "]"));
+	  }
+	
+	  function isContinuedStatement(state, textAfter) {
+	    return state.lastType == "operator" || state.lastType == "," ||
+	      isOperatorChar.test(textAfter.charAt(0)) ||
+	      /[,.]/.test(textAfter.charAt(0));
+	  }
+	
+	  // Interface
+	
+	  return {
+	    startState: function(basecolumn) {
+	      var state = {
+	        tokenize: tokenBase,
+	        lastType: "sof",
+	        cc: [],
+	        lexical: new JSLexical((basecolumn || 0) - indentUnit, 0, "block", false),
+	        localVars: parserConfig.localVars,
+	        context: parserConfig.localVars && {vars: parserConfig.localVars},
+	        indented: basecolumn || 0
+	      };
+	      if (parserConfig.globalVars && typeof parserConfig.globalVars == "object")
+	        state.globalVars = parserConfig.globalVars;
+	      return state;
+	    },
+	
+	    token: function(stream, state) {
+	      if (stream.sol()) {
+	        if (!state.lexical.hasOwnProperty("align"))
+	          state.lexical.align = false;
+	        state.indented = stream.indentation();
+	        findFatArrow(stream, state);
+	      }
+	      if (state.tokenize != tokenComment && stream.eatSpace()) return null;
+	      var style = state.tokenize(stream, state);
+	      if (type == "comment") return style;
+	      state.lastType = type == "operator" && (content == "++" || content == "--") ? "incdec" : type;
+	      return parseJS(state, style, type, content, stream);
+	    },
+	
+	    indent: function(state, textAfter) {
+	      if (state.tokenize == tokenComment) return CodeMirror.Pass;
+	      if (state.tokenize != tokenBase) return 0;
+	      var firstChar = textAfter && textAfter.charAt(0), lexical = state.lexical;
+	      // Kludge to prevent 'maybelse' from blocking lexical scope pops
+	      if (!/^\s*else\b/.test(textAfter)) for (var i = state.cc.length - 1; i >= 0; --i) {
+	        var c = state.cc[i];
+	        if (c == poplex) lexical = lexical.prev;
+	        else if (c != maybeelse) break;
+	      }
+	      if (lexical.type == "stat" && firstChar == "}") lexical = lexical.prev;
+	      if (statementIndent && lexical.type == ")" && lexical.prev.type == "stat")
+	        lexical = lexical.prev;
+	      var type = lexical.type, closing = firstChar == type;
+	
+	      if (type == "vardef") return lexical.indented + (state.lastType == "operator" || state.lastType == "," ? lexical.info + 1 : 0);
+	      else if (type == "form" && firstChar == "{") return lexical.indented;
+	      else if (type == "form") return lexical.indented + indentUnit;
+	      else if (type == "stat")
+	        return lexical.indented + (isContinuedStatement(state, textAfter) ? statementIndent || indentUnit : 0);
+	      else if (lexical.info == "switch" && !closing && parserConfig.doubleIndentSwitch != false)
+	        return lexical.indented + (/^(?:case|default)\b/.test(textAfter) ? indentUnit : 2 * indentUnit);
+	      else if (lexical.align) return lexical.column + (closing ? 0 : 1);
+	      else return lexical.indented + (closing ? 0 : indentUnit);
+	    },
+	
+	    electricInput: /^\s*(?:case .*?:|default:|\{|\})$/,
+	    blockCommentStart: jsonMode ? null : "/*",
+	    blockCommentEnd: jsonMode ? null : "*/",
+	    lineComment: jsonMode ? null : "//",
+	    fold: "brace",
+	    closeBrackets: "()[]{}''\"\"``",
+	
+	    helperType: jsonMode ? "json" : "javascript",
+	    jsonldMode: jsonldMode,
+	    jsonMode: jsonMode,
+	
+	    expressionAllowed: expressionAllowed,
+	    skipExpression: function(state) {
+	      var top = state.cc[state.cc.length - 1]
+	      if (top == expression || top == expressionNoComma) state.cc.pop()
+	    }
+	  };
+	});
+	
+	CodeMirror.registerHelper("wordChars", "javascript", /[\w$]/);
+	
+	CodeMirror.defineMIME("text/javascript", "javascript");
+	CodeMirror.defineMIME("text/ecmascript", "javascript");
+	CodeMirror.defineMIME("application/javascript", "javascript");
+	CodeMirror.defineMIME("application/x-javascript", "javascript");
+	CodeMirror.defineMIME("application/ecmascript", "javascript");
+	CodeMirror.defineMIME("application/json", {name: "javascript", json: true});
+	CodeMirror.defineMIME("application/x-json", {name: "javascript", json: true});
+	CodeMirror.defineMIME("application/ld+json", {name: "javascript", jsonld: true});
+	CodeMirror.defineMIME("text/typescript", { name: "javascript", typescript: true });
+	CodeMirror.defineMIME("application/typescript", { name: "javascript", typescript: true });
+	
+	});
+
+
+/***/ },
+/* 523 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// CodeMirror, copyright (c) by Marijn Haverbeke and others
+	// Distributed under an MIT license: http://codemirror.net/LICENSE
+	
+	(function(mod) {
+	  if (true) // CommonJS
+	    mod(__webpack_require__(519), __webpack_require__(524), __webpack_require__(522), __webpack_require__(525));
+	  else if (typeof define == "function" && define.amd) // AMD
+	    define(["../../lib/codemirror", "../xml/xml", "../javascript/javascript", "../css/css"], mod);
+	  else // Plain browser env
+	    mod(CodeMirror);
+	})(function(CodeMirror) {
+	  "use strict";
+	
+	  var defaultTags = {
+	    script: [
+	      ["lang", /(javascript|babel)/i, "javascript"],
+	      ["type", /^(?:text|application)\/(?:x-)?(?:java|ecma)script$|^$/i, "javascript"],
+	      ["type", /./, "text/plain"],
+	      [null, null, "javascript"]
+	    ],
+	    style:  [
+	      ["lang", /^css$/i, "css"],
+	      ["type", /^(text\/)?(x-)?(stylesheet|css)$/i, "css"],
+	      ["type", /./, "text/plain"],
+	      [null, null, "css"]
+	    ]
+	  };
+	
+	  function maybeBackup(stream, pat, style) {
+	    var cur = stream.current(), close = cur.search(pat);
+	    if (close > -1) {
+	      stream.backUp(cur.length - close);
+	    } else if (cur.match(/<\/?$/)) {
+	      stream.backUp(cur.length);
+	      if (!stream.match(pat, false)) stream.match(cur);
+	    }
+	    return style;
+	  }
+	
+	  var attrRegexpCache = {};
+	  function getAttrRegexp(attr) {
+	    var regexp = attrRegexpCache[attr];
+	    if (regexp) return regexp;
+	    return attrRegexpCache[attr] = new RegExp("\\s+" + attr + "\\s*=\\s*('|\")?([^'\"]+)('|\")?\\s*");
+	  }
+	
+	  function getAttrValue(text, attr) {
+	    var match = text.match(getAttrRegexp(attr))
+	    return match ? /^\s*(.*?)\s*$/.exec(match[2])[1] : ""
+	  }
+	
+	  function getTagRegexp(tagName, anchored) {
+	    return new RegExp((anchored ? "^" : "") + "<\/\s*" + tagName + "\s*>", "i");
+	  }
+	
+	  function addTags(from, to) {
+	    for (var tag in from) {
+	      var dest = to[tag] || (to[tag] = []);
+	      var source = from[tag];
+	      for (var i = source.length - 1; i >= 0; i--)
+	        dest.unshift(source[i])
+	    }
+	  }
+	
+	  function findMatchingMode(tagInfo, tagText) {
+	    for (var i = 0; i < tagInfo.length; i++) {
+	      var spec = tagInfo[i];
+	      if (!spec[0] || spec[1].test(getAttrValue(tagText, spec[0]))) return spec[2];
+	    }
+	  }
+	
+	  CodeMirror.defineMode("htmlmixed", function (config, parserConfig) {
+	    var htmlMode = CodeMirror.getMode(config, {
+	      name: "xml",
+	      htmlMode: true,
+	      multilineTagIndentFactor: parserConfig.multilineTagIndentFactor,
+	      multilineTagIndentPastTag: parserConfig.multilineTagIndentPastTag
+	    });
+	
+	    var tags = {};
+	    var configTags = parserConfig && parserConfig.tags, configScript = parserConfig && parserConfig.scriptTypes;
+	    addTags(defaultTags, tags);
+	    if (configTags) addTags(configTags, tags);
+	    if (configScript) for (var i = configScript.length - 1; i >= 0; i--)
+	      tags.script.unshift(["type", configScript[i].matches, configScript[i].mode])
+	
+	    function html(stream, state) {
+	      var style = htmlMode.token(stream, state.htmlState), tag = /\btag\b/.test(style), tagName
+	      if (tag && !/[<>\s\/]/.test(stream.current()) &&
+	          (tagName = state.htmlState.tagName && state.htmlState.tagName.toLowerCase()) &&
+	          tags.hasOwnProperty(tagName)) {
+	        state.inTag = tagName + " "
+	      } else if (state.inTag && tag && />$/.test(stream.current())) {
+	        var inTag = /^([\S]+) (.*)/.exec(state.inTag)
+	        state.inTag = null
+	        var modeSpec = stream.current() == ">" && findMatchingMode(tags[inTag[1]], inTag[2])
+	        var mode = CodeMirror.getMode(config, modeSpec)
+	        var endTagA = getTagRegexp(inTag[1], true), endTag = getTagRegexp(inTag[1], false);
+	        state.token = function (stream, state) {
+	          if (stream.match(endTagA, false)) {
+	            state.token = html;
+	            state.localState = state.localMode = null;
+	            return null;
+	          }
+	          return maybeBackup(stream, endTag, state.localMode.token(stream, state.localState));
+	        };
+	        state.localMode = mode;
+	        state.localState = CodeMirror.startState(mode, htmlMode.indent(state.htmlState, ""));
+	      } else if (state.inTag) {
+	        state.inTag += stream.current()
+	        if (stream.eol()) state.inTag += " "
+	      }
+	      return style;
+	    };
+	
+	    return {
+	      startState: function () {
+	        var state = CodeMirror.startState(htmlMode);
+	        return {token: html, inTag: null, localMode: null, localState: null, htmlState: state};
+	      },
+	
+	      copyState: function (state) {
+	        var local;
+	        if (state.localState) {
+	          local = CodeMirror.copyState(state.localMode, state.localState);
+	        }
+	        return {token: state.token, inTag: state.inTag,
+	                localMode: state.localMode, localState: local,
+	                htmlState: CodeMirror.copyState(htmlMode, state.htmlState)};
+	      },
+	
+	      token: function (stream, state) {
+	        return state.token(stream, state);
+	      },
+	
+	      indent: function (state, textAfter) {
+	        if (!state.localMode || /^\s*<\//.test(textAfter))
+	          return htmlMode.indent(state.htmlState, textAfter);
+	        else if (state.localMode.indent)
+	          return state.localMode.indent(state.localState, textAfter);
+	        else
+	          return CodeMirror.Pass;
+	      },
+	
+	      innerMode: function (state) {
+	        return {state: state.localState || state.htmlState, mode: state.localMode || htmlMode};
+	      }
+	    };
+	  }, "xml", "javascript", "css");
+	
+	  CodeMirror.defineMIME("text/html", "htmlmixed");
+	});
+
+
+/***/ },
+/* 524 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// CodeMirror, copyright (c) by Marijn Haverbeke and others
+	// Distributed under an MIT license: http://codemirror.net/LICENSE
+	
+	(function(mod) {
+	  if (true) // CommonJS
+	    mod(__webpack_require__(519));
+	  else if (typeof define == "function" && define.amd) // AMD
+	    define(["../../lib/codemirror"], mod);
+	  else // Plain browser env
+	    mod(CodeMirror);
+	})(function(CodeMirror) {
+	"use strict";
+	
+	var htmlConfig = {
+	  autoSelfClosers: {'area': true, 'base': true, 'br': true, 'col': true, 'command': true,
+	                    'embed': true, 'frame': true, 'hr': true, 'img': true, 'input': true,
+	                    'keygen': true, 'link': true, 'meta': true, 'param': true, 'source': true,
+	                    'track': true, 'wbr': true, 'menuitem': true},
+	  implicitlyClosed: {'dd': true, 'li': true, 'optgroup': true, 'option': true, 'p': true,
+	                     'rp': true, 'rt': true, 'tbody': true, 'td': true, 'tfoot': true,
+	                     'th': true, 'tr': true},
+	  contextGrabbers: {
+	    'dd': {'dd': true, 'dt': true},
+	    'dt': {'dd': true, 'dt': true},
+	    'li': {'li': true},
+	    'option': {'option': true, 'optgroup': true},
+	    'optgroup': {'optgroup': true},
+	    'p': {'address': true, 'article': true, 'aside': true, 'blockquote': true, 'dir': true,
+	          'div': true, 'dl': true, 'fieldset': true, 'footer': true, 'form': true,
+	          'h1': true, 'h2': true, 'h3': true, 'h4': true, 'h5': true, 'h6': true,
+	          'header': true, 'hgroup': true, 'hr': true, 'menu': true, 'nav': true, 'ol': true,
+	          'p': true, 'pre': true, 'section': true, 'table': true, 'ul': true},
+	    'rp': {'rp': true, 'rt': true},
+	    'rt': {'rp': true, 'rt': true},
+	    'tbody': {'tbody': true, 'tfoot': true},
+	    'td': {'td': true, 'th': true},
+	    'tfoot': {'tbody': true},
+	    'th': {'td': true, 'th': true},
+	    'thead': {'tbody': true, 'tfoot': true},
+	    'tr': {'tr': true}
+	  },
+	  doNotIndent: {"pre": true},
+	  allowUnquoted: true,
+	  allowMissing: true,
+	  caseFold: true
+	}
+	
+	var xmlConfig = {
+	  autoSelfClosers: {},
+	  implicitlyClosed: {},
+	  contextGrabbers: {},
+	  doNotIndent: {},
+	  allowUnquoted: false,
+	  allowMissing: false,
+	  caseFold: false
+	}
+	
+	CodeMirror.defineMode("xml", function(editorConf, config_) {
+	  var indentUnit = editorConf.indentUnit
+	  var config = {}
+	  var defaults = config_.htmlMode ? htmlConfig : xmlConfig
+	  for (var prop in defaults) config[prop] = defaults[prop]
+	  for (var prop in config_) config[prop] = config_[prop]
+	
+	  // Return variables for tokenizers
+	  var type, setStyle;
+	
+	  function inText(stream, state) {
+	    function chain(parser) {
+	      state.tokenize = parser;
+	      return parser(stream, state);
+	    }
+	
+	    var ch = stream.next();
+	    if (ch == "<") {
+	      if (stream.eat("!")) {
+	        if (stream.eat("[")) {
+	          if (stream.match("CDATA[")) return chain(inBlock("atom", "]]>"));
+	          else return null;
+	        } else if (stream.match("--")) {
+	          return chain(inBlock("comment", "-->"));
+	        } else if (stream.match("DOCTYPE", true, true)) {
+	          stream.eatWhile(/[\w\._\-]/);
+	          return chain(doctype(1));
+	        } else {
+	          return null;
+	        }
+	      } else if (stream.eat("?")) {
+	        stream.eatWhile(/[\w\._\-]/);
+	        state.tokenize = inBlock("meta", "?>");
+	        return "meta";
+	      } else {
+	        type = stream.eat("/") ? "closeTag" : "openTag";
+	        state.tokenize = inTag;
+	        return "tag bracket";
+	      }
+	    } else if (ch == "&") {
+	      var ok;
+	      if (stream.eat("#")) {
+	        if (stream.eat("x")) {
+	          ok = stream.eatWhile(/[a-fA-F\d]/) && stream.eat(";");
+	        } else {
+	          ok = stream.eatWhile(/[\d]/) && stream.eat(";");
+	        }
+	      } else {
+	        ok = stream.eatWhile(/[\w\.\-:]/) && stream.eat(";");
+	      }
+	      return ok ? "atom" : "error";
+	    } else {
+	      stream.eatWhile(/[^&<]/);
+	      return null;
+	    }
+	  }
+	  inText.isInText = true;
+	
+	  function inTag(stream, state) {
+	    var ch = stream.next();
+	    if (ch == ">" || (ch == "/" && stream.eat(">"))) {
+	      state.tokenize = inText;
+	      type = ch == ">" ? "endTag" : "selfcloseTag";
+	      return "tag bracket";
+	    } else if (ch == "=") {
+	      type = "equals";
+	      return null;
+	    } else if (ch == "<") {
+	      state.tokenize = inText;
+	      state.state = baseState;
+	      state.tagName = state.tagStart = null;
+	      var next = state.tokenize(stream, state);
+	      return next ? next + " tag error" : "tag error";
+	    } else if (/[\'\"]/.test(ch)) {
+	      state.tokenize = inAttribute(ch);
+	      state.stringStartCol = stream.column();
+	      return state.tokenize(stream, state);
+	    } else {
+	      stream.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/);
+	      return "word";
+	    }
+	  }
+	
+	  function inAttribute(quote) {
+	    var closure = function(stream, state) {
+	      while (!stream.eol()) {
+	        if (stream.next() == quote) {
+	          state.tokenize = inTag;
+	          break;
+	        }
+	      }
+	      return "string";
+	    };
+	    closure.isInAttribute = true;
+	    return closure;
+	  }
+	
+	  function inBlock(style, terminator) {
+	    return function(stream, state) {
+	      while (!stream.eol()) {
+	        if (stream.match(terminator)) {
+	          state.tokenize = inText;
+	          break;
+	        }
+	        stream.next();
+	      }
+	      return style;
+	    };
+	  }
+	  function doctype(depth) {
+	    return function(stream, state) {
+	      var ch;
+	      while ((ch = stream.next()) != null) {
+	        if (ch == "<") {
+	          state.tokenize = doctype(depth + 1);
+	          return state.tokenize(stream, state);
+	        } else if (ch == ">") {
+	          if (depth == 1) {
+	            state.tokenize = inText;
+	            break;
+	          } else {
+	            state.tokenize = doctype(depth - 1);
+	            return state.tokenize(stream, state);
+	          }
+	        }
+	      }
+	      return "meta";
+	    };
+	  }
+	
+	  function Context(state, tagName, startOfLine) {
+	    this.prev = state.context;
+	    this.tagName = tagName;
+	    this.indent = state.indented;
+	    this.startOfLine = startOfLine;
+	    if (config.doNotIndent.hasOwnProperty(tagName) || (state.context && state.context.noIndent))
+	      this.noIndent = true;
+	  }
+	  function popContext(state) {
+	    if (state.context) state.context = state.context.prev;
+	  }
+	  function maybePopContext(state, nextTagName) {
+	    var parentTagName;
+	    while (true) {
+	      if (!state.context) {
+	        return;
+	      }
+	      parentTagName = state.context.tagName;
+	      if (!config.contextGrabbers.hasOwnProperty(parentTagName) ||
+	          !config.contextGrabbers[parentTagName].hasOwnProperty(nextTagName)) {
+	        return;
+	      }
+	      popContext(state);
+	    }
+	  }
+	
+	  function baseState(type, stream, state) {
+	    if (type == "openTag") {
+	      state.tagStart = stream.column();
+	      return tagNameState;
+	    } else if (type == "closeTag") {
+	      return closeTagNameState;
+	    } else {
+	      return baseState;
+	    }
+	  }
+	  function tagNameState(type, stream, state) {
+	    if (type == "word") {
+	      state.tagName = stream.current();
+	      setStyle = "tag";
+	      return attrState;
+	    } else {
+	      setStyle = "error";
+	      return tagNameState;
+	    }
+	  }
+	  function closeTagNameState(type, stream, state) {
+	    if (type == "word") {
+	      var tagName = stream.current();
+	      if (state.context && state.context.tagName != tagName &&
+	          config.implicitlyClosed.hasOwnProperty(state.context.tagName))
+	        popContext(state);
+	      if ((state.context && state.context.tagName == tagName) || config.matchClosing === false) {
+	        setStyle = "tag";
+	        return closeState;
+	      } else {
+	        setStyle = "tag error";
+	        return closeStateErr;
+	      }
+	    } else {
+	      setStyle = "error";
+	      return closeStateErr;
+	    }
+	  }
+	
+	  function closeState(type, _stream, state) {
+	    if (type != "endTag") {
+	      setStyle = "error";
+	      return closeState;
+	    }
+	    popContext(state);
+	    return baseState;
+	  }
+	  function closeStateErr(type, stream, state) {
+	    setStyle = "error";
+	    return closeState(type, stream, state);
+	  }
+	
+	  function attrState(type, _stream, state) {
+	    if (type == "word") {
+	      setStyle = "attribute";
+	      return attrEqState;
+	    } else if (type == "endTag" || type == "selfcloseTag") {
+	      var tagName = state.tagName, tagStart = state.tagStart;
+	      state.tagName = state.tagStart = null;
+	      if (type == "selfcloseTag" ||
+	          config.autoSelfClosers.hasOwnProperty(tagName)) {
+	        maybePopContext(state, tagName);
+	      } else {
+	        maybePopContext(state, tagName);
+	        state.context = new Context(state, tagName, tagStart == state.indented);
+	      }
+	      return baseState;
+	    }
+	    setStyle = "error";
+	    return attrState;
+	  }
+	  function attrEqState(type, stream, state) {
+	    if (type == "equals") return attrValueState;
+	    if (!config.allowMissing) setStyle = "error";
+	    return attrState(type, stream, state);
+	  }
+	  function attrValueState(type, stream, state) {
+	    if (type == "string") return attrContinuedState;
+	    if (type == "word" && config.allowUnquoted) {setStyle = "string"; return attrState;}
+	    setStyle = "error";
+	    return attrState(type, stream, state);
+	  }
+	  function attrContinuedState(type, stream, state) {
+	    if (type == "string") return attrContinuedState;
+	    return attrState(type, stream, state);
+	  }
+	
+	  return {
+	    startState: function(baseIndent) {
+	      var state = {tokenize: inText,
+	                   state: baseState,
+	                   indented: baseIndent || 0,
+	                   tagName: null, tagStart: null,
+	                   context: null}
+	      if (baseIndent != null) state.baseIndent = baseIndent
+	      return state
+	    },
+	
+	    token: function(stream, state) {
+	      if (!state.tagName && stream.sol())
+	        state.indented = stream.indentation();
+	
+	      if (stream.eatSpace()) return null;
+	      type = null;
+	      var style = state.tokenize(stream, state);
+	      if ((style || type) && style != "comment") {
+	        setStyle = null;
+	        state.state = state.state(type || style, stream, state);
+	        if (setStyle)
+	          style = setStyle == "error" ? style + " error" : setStyle;
+	      }
+	      return style;
+	    },
+	
+	    indent: function(state, textAfter, fullLine) {
+	      var context = state.context;
+	      // Indent multi-line strings (e.g. css).
+	      if (state.tokenize.isInAttribute) {
+	        if (state.tagStart == state.indented)
+	          return state.stringStartCol + 1;
+	        else
+	          return state.indented + indentUnit;
+	      }
+	      if (context && context.noIndent) return CodeMirror.Pass;
+	      if (state.tokenize != inTag && state.tokenize != inText)
+	        return fullLine ? fullLine.match(/^(\s*)/)[0].length : 0;
+	      // Indent the starts of attribute names.
+	      if (state.tagName) {
+	        if (config.multilineTagIndentPastTag !== false)
+	          return state.tagStart + state.tagName.length + 2;
+	        else
+	          return state.tagStart + indentUnit * (config.multilineTagIndentFactor || 1);
+	      }
+	      if (config.alignCDATA && /<!\[CDATA\[/.test(textAfter)) return 0;
+	      var tagAfter = textAfter && /^<(\/)?([\w_:\.-]*)/.exec(textAfter);
+	      if (tagAfter && tagAfter[1]) { // Closing tag spotted
+	        while (context) {
+	          if (context.tagName == tagAfter[2]) {
+	            context = context.prev;
+	            break;
+	          } else if (config.implicitlyClosed.hasOwnProperty(context.tagName)) {
+	            context = context.prev;
+	          } else {
+	            break;
+	          }
+	        }
+	      } else if (tagAfter) { // Opening tag spotted
+	        while (context) {
+	          var grabbers = config.contextGrabbers[context.tagName];
+	          if (grabbers && grabbers.hasOwnProperty(tagAfter[2]))
+	            context = context.prev;
+	          else
+	            break;
+	        }
+	      }
+	      while (context && context.prev && !context.startOfLine)
+	        context = context.prev;
+	      if (context) return context.indent + indentUnit;
+	      else return state.baseIndent || 0;
+	    },
+	
+	    electricInput: /<\/[\s\w:]+>$/,
+	    blockCommentStart: "<!--",
+	    blockCommentEnd: "-->",
+	
+	    configuration: config.htmlMode ? "html" : "xml",
+	    helperType: config.htmlMode ? "html" : "xml",
+	
+	    skipAttribute: function(state) {
+	      if (state.state == attrValueState)
+	        state.state = attrState
+	    }
+	  };
+	});
+	
+	CodeMirror.defineMIME("text/xml", "xml");
+	CodeMirror.defineMIME("application/xml", "xml");
+	if (!CodeMirror.mimeModes.hasOwnProperty("text/html"))
+	  CodeMirror.defineMIME("text/html", {name: "xml", htmlMode: true});
+	
+	});
+
+
+/***/ },
+/* 525 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// CodeMirror, copyright (c) by Marijn Haverbeke and others
+	// Distributed under an MIT license: http://codemirror.net/LICENSE
+	
+	(function(mod) {
+	  if (true) // CommonJS
+	    mod(__webpack_require__(519));
+	  else if (typeof define == "function" && define.amd) // AMD
+	    define(["../../lib/codemirror"], mod);
+	  else // Plain browser env
+	    mod(CodeMirror);
+	})(function(CodeMirror) {
+	"use strict";
+	
+	CodeMirror.defineMode("css", function(config, parserConfig) {
+	  var inline = parserConfig.inline
+	  if (!parserConfig.propertyKeywords) parserConfig = CodeMirror.resolveMode("text/css");
+	
+	  var indentUnit = config.indentUnit,
+	      tokenHooks = parserConfig.tokenHooks,
+	      documentTypes = parserConfig.documentTypes || {},
+	      mediaTypes = parserConfig.mediaTypes || {},
+	      mediaFeatures = parserConfig.mediaFeatures || {},
+	      mediaValueKeywords = parserConfig.mediaValueKeywords || {},
+	      propertyKeywords = parserConfig.propertyKeywords || {},
+	      nonStandardPropertyKeywords = parserConfig.nonStandardPropertyKeywords || {},
+	      fontProperties = parserConfig.fontProperties || {},
+	      counterDescriptors = parserConfig.counterDescriptors || {},
+	      colorKeywords = parserConfig.colorKeywords || {},
+	      valueKeywords = parserConfig.valueKeywords || {},
+	      allowNested = parserConfig.allowNested,
+	      supportsAtComponent = parserConfig.supportsAtComponent === true;
+	
+	  var type, override;
+	  function ret(style, tp) { type = tp; return style; }
+	
+	  // Tokenizers
+	
+	  function tokenBase(stream, state) {
+	    var ch = stream.next();
+	    if (tokenHooks[ch]) {
+	      var result = tokenHooks[ch](stream, state);
+	      if (result !== false) return result;
+	    }
+	    if (ch == "@") {
+	      stream.eatWhile(/[\w\\\-]/);
+	      return ret("def", stream.current());
+	    } else if (ch == "=" || (ch == "~" || ch == "|") && stream.eat("=")) {
+	      return ret(null, "compare");
+	    } else if (ch == "\"" || ch == "'") {
+	      state.tokenize = tokenString(ch);
+	      return state.tokenize(stream, state);
+	    } else if (ch == "#") {
+	      stream.eatWhile(/[\w\\\-]/);
+	      return ret("atom", "hash");
+	    } else if (ch == "!") {
+	      stream.match(/^\s*\w*/);
+	      return ret("keyword", "important");
+	    } else if (/\d/.test(ch) || ch == "." && stream.eat(/\d/)) {
+	      stream.eatWhile(/[\w.%]/);
+	      return ret("number", "unit");
+	    } else if (ch === "-") {
+	      if (/[\d.]/.test(stream.peek())) {
+	        stream.eatWhile(/[\w.%]/);
+	        return ret("number", "unit");
+	      } else if (stream.match(/^-[\w\\\-]+/)) {
+	        stream.eatWhile(/[\w\\\-]/);
+	        if (stream.match(/^\s*:/, false))
+	          return ret("variable-2", "variable-definition");
+	        return ret("variable-2", "variable");
+	      } else if (stream.match(/^\w+-/)) {
+	        return ret("meta", "meta");
+	      }
+	    } else if (/[,+>*\/]/.test(ch)) {
+	      return ret(null, "select-op");
+	    } else if (ch == "." && stream.match(/^-?[_a-z][_a-z0-9-]*/i)) {
+	      return ret("qualifier", "qualifier");
+	    } else if (/[:;{}\[\]\(\)]/.test(ch)) {
+	      return ret(null, ch);
+	    } else if ((ch == "u" && stream.match(/rl(-prefix)?\(/)) ||
+	               (ch == "d" && stream.match("omain(")) ||
+	               (ch == "r" && stream.match("egexp("))) {
+	      stream.backUp(1);
+	      state.tokenize = tokenParenthesized;
+	      return ret("property", "word");
+	    } else if (/[\w\\\-]/.test(ch)) {
+	      stream.eatWhile(/[\w\\\-]/);
+	      return ret("property", "word");
+	    } else {
+	      return ret(null, null);
+	    }
+	  }
+	
+	  function tokenString(quote) {
+	    return function(stream, state) {
+	      var escaped = false, ch;
+	      while ((ch = stream.next()) != null) {
+	        if (ch == quote && !escaped) {
+	          if (quote == ")") stream.backUp(1);
+	          break;
+	        }
+	        escaped = !escaped && ch == "\\";
+	      }
+	      if (ch == quote || !escaped && quote != ")") state.tokenize = null;
+	      return ret("string", "string");
+	    };
+	  }
+	
+	  function tokenParenthesized(stream, state) {
+	    stream.next(); // Must be '('
+	    if (!stream.match(/\s*[\"\')]/, false))
+	      state.tokenize = tokenString(")");
+	    else
+	      state.tokenize = null;
+	    return ret(null, "(");
+	  }
+	
+	  // Context management
+	
+	  function Context(type, indent, prev) {
+	    this.type = type;
+	    this.indent = indent;
+	    this.prev = prev;
+	  }
+	
+	  function pushContext(state, stream, type, indent) {
+	    state.context = new Context(type, stream.indentation() + (indent === false ? 0 : indentUnit), state.context);
+	    return type;
+	  }
+	
+	  function popContext(state) {
+	    if (state.context.prev)
+	      state.context = state.context.prev;
+	    return state.context.type;
+	  }
+	
+	  function pass(type, stream, state) {
+	    return states[state.context.type](type, stream, state);
+	  }
+	  function popAndPass(type, stream, state, n) {
+	    for (var i = n || 1; i > 0; i--)
+	      state.context = state.context.prev;
+	    return pass(type, stream, state);
+	  }
+	
+	  // Parser
+	
+	  function wordAsValue(stream) {
+	    var word = stream.current().toLowerCase();
+	    if (valueKeywords.hasOwnProperty(word))
+	      override = "atom";
+	    else if (colorKeywords.hasOwnProperty(word))
+	      override = "keyword";
+	    else
+	      override = "variable";
+	  }
+	
+	  var states = {};
+	
+	  states.top = function(type, stream, state) {
+	    if (type == "{") {
+	      return pushContext(state, stream, "block");
+	    } else if (type == "}" && state.context.prev) {
+	      return popContext(state);
+	    } else if (supportsAtComponent && /@component/.test(type)) {
+	      return pushContext(state, stream, "atComponentBlock");
+	    } else if (/^@(-moz-)?document$/.test(type)) {
+	      return pushContext(state, stream, "documentTypes");
+	    } else if (/^@(media|supports|(-moz-)?document|import)$/.test(type)) {
+	      return pushContext(state, stream, "atBlock");
+	    } else if (/^@(font-face|counter-style)/.test(type)) {
+	      state.stateArg = type;
+	      return "restricted_atBlock_before";
+	    } else if (/^@(-(moz|ms|o|webkit)-)?keyframes$/.test(type)) {
+	      return "keyframes";
+	    } else if (type && type.charAt(0) == "@") {
+	      return pushContext(state, stream, "at");
+	    } else if (type == "hash") {
+	      override = "builtin";
+	    } else if (type == "word") {
+	      override = "tag";
+	    } else if (type == "variable-definition") {
+	      return "maybeprop";
+	    } else if (type == "interpolation") {
+	      return pushContext(state, stream, "interpolation");
+	    } else if (type == ":") {
+	      return "pseudo";
+	    } else if (allowNested && type == "(") {
+	      return pushContext(state, stream, "parens");
+	    }
+	    return state.context.type;
+	  };
+	
+	  states.block = function(type, stream, state) {
+	    if (type == "word") {
+	      var word = stream.current().toLowerCase();
+	      if (propertyKeywords.hasOwnProperty(word)) {
+	        override = "property";
+	        return "maybeprop";
+	      } else if (nonStandardPropertyKeywords.hasOwnProperty(word)) {
+	        override = "string-2";
+	        return "maybeprop";
+	      } else if (allowNested) {
+	        override = stream.match(/^\s*:(?:\s|$)/, false) ? "property" : "tag";
+	        return "block";
+	      } else {
+	        override += " error";
+	        return "maybeprop";
+	      }
+	    } else if (type == "meta") {
+	      return "block";
+	    } else if (!allowNested && (type == "hash" || type == "qualifier")) {
+	      override = "error";
+	      return "block";
+	    } else {
+	      return states.top(type, stream, state);
+	    }
+	  };
+	
+	  states.maybeprop = function(type, stream, state) {
+	    if (type == ":") return pushContext(state, stream, "prop");
+	    return pass(type, stream, state);
+	  };
+	
+	  states.prop = function(type, stream, state) {
+	    if (type == ";") return popContext(state);
+	    if (type == "{" && allowNested) return pushContext(state, stream, "propBlock");
+	    if (type == "}" || type == "{") return popAndPass(type, stream, state);
+	    if (type == "(") return pushContext(state, stream, "parens");
+	
+	    if (type == "hash" && !/^#([0-9a-fA-f]{3,4}|[0-9a-fA-f]{6}|[0-9a-fA-f]{8})$/.test(stream.current())) {
+	      override += " error";
+	    } else if (type == "word") {
+	      wordAsValue(stream);
+	    } else if (type == "interpolation") {
+	      return pushContext(state, stream, "interpolation");
+	    }
+	    return "prop";
+	  };
+	
+	  states.propBlock = function(type, _stream, state) {
+	    if (type == "}") return popContext(state);
+	    if (type == "word") { override = "property"; return "maybeprop"; }
+	    return state.context.type;
+	  };
+	
+	  states.parens = function(type, stream, state) {
+	    if (type == "{" || type == "}") return popAndPass(type, stream, state);
+	    if (type == ")") return popContext(state);
+	    if (type == "(") return pushContext(state, stream, "parens");
+	    if (type == "interpolation") return pushContext(state, stream, "interpolation");
+	    if (type == "word") wordAsValue(stream);
+	    return "parens";
+	  };
+	
+	  states.pseudo = function(type, stream, state) {
+	    if (type == "word") {
+	      override = "variable-3";
+	      return state.context.type;
+	    }
+	    return pass(type, stream, state);
+	  };
+	
+	  states.documentTypes = function(type, stream, state) {
+	    if (type == "word" && documentTypes.hasOwnProperty(stream.current())) {
+	      override = "tag";
+	      return state.context.type;
+	    } else {
+	      return states.atBlock(type, stream, state);
+	    }
+	  };
+	
+	  states.atBlock = function(type, stream, state) {
+	    if (type == "(") return pushContext(state, stream, "atBlock_parens");
+	    if (type == "}" || type == ";") return popAndPass(type, stream, state);
+	    if (type == "{") return popContext(state) && pushContext(state, stream, allowNested ? "block" : "top");
+	
+	    if (type == "interpolation") return pushContext(state, stream, "interpolation");
+	
+	    if (type == "word") {
+	      var word = stream.current().toLowerCase();
+	      if (word == "only" || word == "not" || word == "and" || word == "or")
+	        override = "keyword";
+	      else if (mediaTypes.hasOwnProperty(word))
+	        override = "attribute";
+	      else if (mediaFeatures.hasOwnProperty(word))
+	        override = "property";
+	      else if (mediaValueKeywords.hasOwnProperty(word))
+	        override = "keyword";
+	      else if (propertyKeywords.hasOwnProperty(word))
+	        override = "property";
+	      else if (nonStandardPropertyKeywords.hasOwnProperty(word))
+	        override = "string-2";
+	      else if (valueKeywords.hasOwnProperty(word))
+	        override = "atom";
+	      else if (colorKeywords.hasOwnProperty(word))
+	        override = "keyword";
+	      else
+	        override = "error";
+	    }
+	    return state.context.type;
+	  };
+	
+	  states.atComponentBlock = function(type, stream, state) {
+	    if (type == "}")
+	      return popAndPass(type, stream, state);
+	    if (type == "{")
+	      return popContext(state) && pushContext(state, stream, allowNested ? "block" : "top", false);
+	    if (type == "word")
+	      override = "error";
+	    return state.context.type;
+	  };
+	
+	  states.atBlock_parens = function(type, stream, state) {
+	    if (type == ")") return popContext(state);
+	    if (type == "{" || type == "}") return popAndPass(type, stream, state, 2);
+	    return states.atBlock(type, stream, state);
+	  };
+	
+	  states.restricted_atBlock_before = function(type, stream, state) {
+	    if (type == "{")
+	      return pushContext(state, stream, "restricted_atBlock");
+	    if (type == "word" && state.stateArg == "@counter-style") {
+	      override = "variable";
+	      return "restricted_atBlock_before";
+	    }
+	    return pass(type, stream, state);
+	  };
+	
+	  states.restricted_atBlock = function(type, stream, state) {
+	    if (type == "}") {
+	      state.stateArg = null;
+	      return popContext(state);
+	    }
+	    if (type == "word") {
+	      if ((state.stateArg == "@font-face" && !fontProperties.hasOwnProperty(stream.current().toLowerCase())) ||
+	          (state.stateArg == "@counter-style" && !counterDescriptors.hasOwnProperty(stream.current().toLowerCase())))
+	        override = "error";
+	      else
+	        override = "property";
+	      return "maybeprop";
+	    }
+	    return "restricted_atBlock";
+	  };
+	
+	  states.keyframes = function(type, stream, state) {
+	    if (type == "word") { override = "variable"; return "keyframes"; }
+	    if (type == "{") return pushContext(state, stream, "top");
+	    return pass(type, stream, state);
+	  };
+	
+	  states.at = function(type, stream, state) {
+	    if (type == ";") return popContext(state);
+	    if (type == "{" || type == "}") return popAndPass(type, stream, state);
+	    if (type == "word") override = "tag";
+	    else if (type == "hash") override = "builtin";
+	    return "at";
+	  };
+	
+	  states.interpolation = function(type, stream, state) {
+	    if (type == "}") return popContext(state);
+	    if (type == "{" || type == ";") return popAndPass(type, stream, state);
+	    if (type == "word") override = "variable";
+	    else if (type != "variable" && type != "(" && type != ")") override = "error";
+	    return "interpolation";
+	  };
+	
+	  return {
+	    startState: function(base) {
+	      return {tokenize: null,
+	              state: inline ? "block" : "top",
+	              stateArg: null,
+	              context: new Context(inline ? "block" : "top", base || 0, null)};
+	    },
+	
+	    token: function(stream, state) {
+	      if (!state.tokenize && stream.eatSpace()) return null;
+	      var style = (state.tokenize || tokenBase)(stream, state);
+	      if (style && typeof style == "object") {
+	        type = style[1];
+	        style = style[0];
+	      }
+	      override = style;
+	      state.state = states[state.state](type, stream, state);
+	      return override;
+	    },
+	
+	    indent: function(state, textAfter) {
+	      var cx = state.context, ch = textAfter && textAfter.charAt(0);
+	      var indent = cx.indent;
+	      if (cx.type == "prop" && (ch == "}" || ch == ")")) cx = cx.prev;
+	      if (cx.prev) {
+	        if (ch == "}" && (cx.type == "block" || cx.type == "top" ||
+	                          cx.type == "interpolation" || cx.type == "restricted_atBlock")) {
+	          // Resume indentation from parent context.
+	          cx = cx.prev;
+	          indent = cx.indent;
+	        } else if (ch == ")" && (cx.type == "parens" || cx.type == "atBlock_parens") ||
+	            ch == "{" && (cx.type == "at" || cx.type == "atBlock")) {
+	          // Dedent relative to current context.
+	          indent = Math.max(0, cx.indent - indentUnit);
+	          cx = cx.prev;
+	        }
+	      }
+	      return indent;
+	    },
+	
+	    electricChars: "}",
+	    blockCommentStart: "/*",
+	    blockCommentEnd: "*/",
+	    fold: "brace"
+	  };
+	});
+	
+	  function keySet(array) {
+	    var keys = {};
+	    for (var i = 0; i < array.length; ++i) {
+	      keys[array[i]] = true;
+	    }
+	    return keys;
+	  }
+	
+	  var documentTypes_ = [
+	    "domain", "regexp", "url", "url-prefix"
+	  ], documentTypes = keySet(documentTypes_);
+	
+	  var mediaTypes_ = [
+	    "all", "aural", "braille", "handheld", "print", "projection", "screen",
+	    "tty", "tv", "embossed"
+	  ], mediaTypes = keySet(mediaTypes_);
+	
+	  var mediaFeatures_ = [
+	    "width", "min-width", "max-width", "height", "min-height", "max-height",
+	    "device-width", "min-device-width", "max-device-width", "device-height",
+	    "min-device-height", "max-device-height", "aspect-ratio",
+	    "min-aspect-ratio", "max-aspect-ratio", "device-aspect-ratio",
+	    "min-device-aspect-ratio", "max-device-aspect-ratio", "color", "min-color",
+	    "max-color", "color-index", "min-color-index", "max-color-index",
+	    "monochrome", "min-monochrome", "max-monochrome", "resolution",
+	    "min-resolution", "max-resolution", "scan", "grid", "orientation",
+	    "device-pixel-ratio", "min-device-pixel-ratio", "max-device-pixel-ratio",
+	    "pointer", "any-pointer", "hover", "any-hover"
+	  ], mediaFeatures = keySet(mediaFeatures_);
+	
+	  var mediaValueKeywords_ = [
+	    "landscape", "portrait", "none", "coarse", "fine", "on-demand", "hover",
+	    "interlace", "progressive"
+	  ], mediaValueKeywords = keySet(mediaValueKeywords_);
+	
+	  var propertyKeywords_ = [
+	    "align-content", "align-items", "align-self", "alignment-adjust",
+	    "alignment-baseline", "anchor-point", "animation", "animation-delay",
+	    "animation-direction", "animation-duration", "animation-fill-mode",
+	    "animation-iteration-count", "animation-name", "animation-play-state",
+	    "animation-timing-function", "appearance", "azimuth", "backface-visibility",
+	    "background", "background-attachment", "background-blend-mode", "background-clip",
+	    "background-color", "background-image", "background-origin", "background-position",
+	    "background-repeat", "background-size", "baseline-shift", "binding",
+	    "bleed", "bookmark-label", "bookmark-level", "bookmark-state",
+	    "bookmark-target", "border", "border-bottom", "border-bottom-color",
+	    "border-bottom-left-radius", "border-bottom-right-radius",
+	    "border-bottom-style", "border-bottom-width", "border-collapse",
+	    "border-color", "border-image", "border-image-outset",
+	    "border-image-repeat", "border-image-slice", "border-image-source",
+	    "border-image-width", "border-left", "border-left-color",
+	    "border-left-style", "border-left-width", "border-radius", "border-right",
+	    "border-right-color", "border-right-style", "border-right-width",
+	    "border-spacing", "border-style", "border-top", "border-top-color",
+	    "border-top-left-radius", "border-top-right-radius", "border-top-style",
+	    "border-top-width", "border-width", "bottom", "box-decoration-break",
+	    "box-shadow", "box-sizing", "break-after", "break-before", "break-inside",
+	    "caption-side", "clear", "clip", "color", "color-profile", "column-count",
+	    "column-fill", "column-gap", "column-rule", "column-rule-color",
+	    "column-rule-style", "column-rule-width", "column-span", "column-width",
+	    "columns", "content", "counter-increment", "counter-reset", "crop", "cue",
+	    "cue-after", "cue-before", "cursor", "direction", "display",
+	    "dominant-baseline", "drop-initial-after-adjust",
+	    "drop-initial-after-align", "drop-initial-before-adjust",
+	    "drop-initial-before-align", "drop-initial-size", "drop-initial-value",
+	    "elevation", "empty-cells", "fit", "fit-position", "flex", "flex-basis",
+	    "flex-direction", "flex-flow", "flex-grow", "flex-shrink", "flex-wrap",
+	    "float", "float-offset", "flow-from", "flow-into", "font", "font-feature-settings",
+	    "font-family", "font-kerning", "font-language-override", "font-size", "font-size-adjust",
+	    "font-stretch", "font-style", "font-synthesis", "font-variant",
+	    "font-variant-alternates", "font-variant-caps", "font-variant-east-asian",
+	    "font-variant-ligatures", "font-variant-numeric", "font-variant-position",
+	    "font-weight", "grid", "grid-area", "grid-auto-columns", "grid-auto-flow",
+	    "grid-auto-rows", "grid-column", "grid-column-end", "grid-column-gap",
+	    "grid-column-start", "grid-gap", "grid-row", "grid-row-end", "grid-row-gap",
+	    "grid-row-start", "grid-template", "grid-template-areas", "grid-template-columns",
+	    "grid-template-rows", "hanging-punctuation", "height", "hyphens",
+	    "icon", "image-orientation", "image-rendering", "image-resolution",
+	    "inline-box-align", "justify-content", "left", "letter-spacing",
+	    "line-break", "line-height", "line-stacking", "line-stacking-ruby",
+	    "line-stacking-shift", "line-stacking-strategy", "list-style",
+	    "list-style-image", "list-style-position", "list-style-type", "margin",
+	    "margin-bottom", "margin-left", "margin-right", "margin-top",
+	    "marker-offset", "marks", "marquee-direction", "marquee-loop",
+	    "marquee-play-count", "marquee-speed", "marquee-style", "max-height",
+	    "max-width", "min-height", "min-width", "move-to", "nav-down", "nav-index",
+	    "nav-left", "nav-right", "nav-up", "object-fit", "object-position",
+	    "opacity", "order", "orphans", "outline",
+	    "outline-color", "outline-offset", "outline-style", "outline-width",
+	    "overflow", "overflow-style", "overflow-wrap", "overflow-x", "overflow-y",
+	    "padding", "padding-bottom", "padding-left", "padding-right", "padding-top",
+	    "page", "page-break-after", "page-break-before", "page-break-inside",
+	    "page-policy", "pause", "pause-after", "pause-before", "perspective",
+	    "perspective-origin", "pitch", "pitch-range", "play-during", "position",
+	    "presentation-level", "punctuation-trim", "quotes", "region-break-after",
+	    "region-break-before", "region-break-inside", "region-fragment",
+	    "rendering-intent", "resize", "rest", "rest-after", "rest-before", "richness",
+	    "right", "rotation", "rotation-point", "ruby-align", "ruby-overhang",
+	    "ruby-position", "ruby-span", "shape-image-threshold", "shape-inside", "shape-margin",
+	    "shape-outside", "size", "speak", "speak-as", "speak-header",
+	    "speak-numeral", "speak-punctuation", "speech-rate", "stress", "string-set",
+	    "tab-size", "table-layout", "target", "target-name", "target-new",
+	    "target-position", "text-align", "text-align-last", "text-decoration",
+	    "text-decoration-color", "text-decoration-line", "text-decoration-skip",
+	    "text-decoration-style", "text-emphasis", "text-emphasis-color",
+	    "text-emphasis-position", "text-emphasis-style", "text-height",
+	    "text-indent", "text-justify", "text-outline", "text-overflow", "text-shadow",
+	    "text-size-adjust", "text-space-collapse", "text-transform", "text-underline-position",
+	    "text-wrap", "top", "transform", "transform-origin", "transform-style",
+	    "transition", "transition-delay", "transition-duration",
+	    "transition-property", "transition-timing-function", "unicode-bidi",
+	    "vertical-align", "visibility", "voice-balance", "voice-duration",
+	    "voice-family", "voice-pitch", "voice-range", "voice-rate", "voice-stress",
+	    "voice-volume", "volume", "white-space", "widows", "width", "word-break",
+	    "word-spacing", "word-wrap", "z-index",
+	    // SVG-specific
+	    "clip-path", "clip-rule", "mask", "enable-background", "filter", "flood-color",
+	    "flood-opacity", "lighting-color", "stop-color", "stop-opacity", "pointer-events",
+	    "color-interpolation", "color-interpolation-filters",
+	    "color-rendering", "fill", "fill-opacity", "fill-rule", "image-rendering",
+	    "marker", "marker-end", "marker-mid", "marker-start", "shape-rendering", "stroke",
+	    "stroke-dasharray", "stroke-dashoffset", "stroke-linecap", "stroke-linejoin",
+	    "stroke-miterlimit", "stroke-opacity", "stroke-width", "text-rendering",
+	    "baseline-shift", "dominant-baseline", "glyph-orientation-horizontal",
+	    "glyph-orientation-vertical", "text-anchor", "writing-mode"
+	  ], propertyKeywords = keySet(propertyKeywords_);
+	
+	  var nonStandardPropertyKeywords_ = [
+	    "scrollbar-arrow-color", "scrollbar-base-color", "scrollbar-dark-shadow-color",
+	    "scrollbar-face-color", "scrollbar-highlight-color", "scrollbar-shadow-color",
+	    "scrollbar-3d-light-color", "scrollbar-track-color", "shape-inside",
+	    "searchfield-cancel-button", "searchfield-decoration", "searchfield-results-button",
+	    "searchfield-results-decoration", "zoom"
+	  ], nonStandardPropertyKeywords = keySet(nonStandardPropertyKeywords_);
+	
+	  var fontProperties_ = [
+	    "font-family", "src", "unicode-range", "font-variant", "font-feature-settings",
+	    "font-stretch", "font-weight", "font-style"
+	  ], fontProperties = keySet(fontProperties_);
+	
+	  var counterDescriptors_ = [
+	    "additive-symbols", "fallback", "negative", "pad", "prefix", "range",
+	    "speak-as", "suffix", "symbols", "system"
+	  ], counterDescriptors = keySet(counterDescriptors_);
+	
+	  var colorKeywords_ = [
+	    "aliceblue", "antiquewhite", "aqua", "aquamarine", "azure", "beige",
+	    "bisque", "black", "blanchedalmond", "blue", "blueviolet", "brown",
+	    "burlywood", "cadetblue", "chartreuse", "chocolate", "coral", "cornflowerblue",
+	    "cornsilk", "crimson", "cyan", "darkblue", "darkcyan", "darkgoldenrod",
+	    "darkgray", "darkgreen", "darkkhaki", "darkmagenta", "darkolivegreen",
+	    "darkorange", "darkorchid", "darkred", "darksalmon", "darkseagreen",
+	    "darkslateblue", "darkslategray", "darkturquoise", "darkviolet",
+	    "deeppink", "deepskyblue", "dimgray", "dodgerblue", "firebrick",
+	    "floralwhite", "forestgreen", "fuchsia", "gainsboro", "ghostwhite",
+	    "gold", "goldenrod", "gray", "grey", "green", "greenyellow", "honeydew",
+	    "hotpink", "indianred", "indigo", "ivory", "khaki", "lavender",
+	    "lavenderblush", "lawngreen", "lemonchiffon", "lightblue", "lightcoral",
+	    "lightcyan", "lightgoldenrodyellow", "lightgray", "lightgreen", "lightpink",
+	    "lightsalmon", "lightseagreen", "lightskyblue", "lightslategray",
+	    "lightsteelblue", "lightyellow", "lime", "limegreen", "linen", "magenta",
+	    "maroon", "mediumaquamarine", "mediumblue", "mediumorchid", "mediumpurple",
+	    "mediumseagreen", "mediumslateblue", "mediumspringgreen", "mediumturquoise",
+	    "mediumvioletred", "midnightblue", "mintcream", "mistyrose", "moccasin",
+	    "navajowhite", "navy", "oldlace", "olive", "olivedrab", "orange", "orangered",
+	    "orchid", "palegoldenrod", "palegreen", "paleturquoise", "palevioletred",
+	    "papayawhip", "peachpuff", "peru", "pink", "plum", "powderblue",
+	    "purple", "rebeccapurple", "red", "rosybrown", "royalblue", "saddlebrown",
+	    "salmon", "sandybrown", "seagreen", "seashell", "sienna", "silver", "skyblue",
+	    "slateblue", "slategray", "snow", "springgreen", "steelblue", "tan",
+	    "teal", "thistle", "tomato", "turquoise", "violet", "wheat", "white",
+	    "whitesmoke", "yellow", "yellowgreen"
+	  ], colorKeywords = keySet(colorKeywords_);
+	
+	  var valueKeywords_ = [
+	    "above", "absolute", "activeborder", "additive", "activecaption", "afar",
+	    "after-white-space", "ahead", "alias", "all", "all-scroll", "alphabetic", "alternate",
+	    "always", "amharic", "amharic-abegede", "antialiased", "appworkspace",
+	    "arabic-indic", "armenian", "asterisks", "attr", "auto", "avoid", "avoid-column", "avoid-page",
+	    "avoid-region", "background", "backwards", "baseline", "below", "bidi-override", "binary",
+	    "bengali", "blink", "block", "block-axis", "bold", "bolder", "border", "border-box",
+	    "both", "bottom", "break", "break-all", "break-word", "bullets", "button", "button-bevel",
+	    "buttonface", "buttonhighlight", "buttonshadow", "buttontext", "calc", "cambodian",
+	    "capitalize", "caps-lock-indicator", "caption", "captiontext", "caret",
+	    "cell", "center", "checkbox", "circle", "cjk-decimal", "cjk-earthly-branch",
+	    "cjk-heavenly-stem", "cjk-ideographic", "clear", "clip", "close-quote",
+	    "col-resize", "collapse", "color", "color-burn", "color-dodge", "column", "column-reverse",
+	    "compact", "condensed", "contain", "content",
+	    "content-box", "context-menu", "continuous", "copy", "counter", "counters", "cover", "crop",
+	    "cross", "crosshair", "currentcolor", "cursive", "cyclic", "darken", "dashed", "decimal",
+	    "decimal-leading-zero", "default", "default-button", "dense", "destination-atop",
+	    "destination-in", "destination-out", "destination-over", "devanagari", "difference",
+	    "disc", "discard", "disclosure-closed", "disclosure-open", "document",
+	    "dot-dash", "dot-dot-dash",
+	    "dotted", "double", "down", "e-resize", "ease", "ease-in", "ease-in-out", "ease-out",
+	    "element", "ellipse", "ellipsis", "embed", "end", "ethiopic", "ethiopic-abegede",
+	    "ethiopic-abegede-am-et", "ethiopic-abegede-gez", "ethiopic-abegede-ti-er",
+	    "ethiopic-abegede-ti-et", "ethiopic-halehame-aa-er",
+	    "ethiopic-halehame-aa-et", "ethiopic-halehame-am-et",
+	    "ethiopic-halehame-gez", "ethiopic-halehame-om-et",
+	    "ethiopic-halehame-sid-et", "ethiopic-halehame-so-et",
+	    "ethiopic-halehame-ti-er", "ethiopic-halehame-ti-et", "ethiopic-halehame-tig",
+	    "ethiopic-numeric", "ew-resize", "exclusion", "expanded", "extends", "extra-condensed",
+	    "extra-expanded", "fantasy", "fast", "fill", "fixed", "flat", "flex", "flex-end", "flex-start", "footnotes",
+	    "forwards", "from", "geometricPrecision", "georgian", "graytext", "grid", "groove",
+	    "gujarati", "gurmukhi", "hand", "hangul", "hangul-consonant", "hard-light", "hebrew",
+	    "help", "hidden", "hide", "higher", "highlight", "highlighttext",
+	    "hiragana", "hiragana-iroha", "horizontal", "hsl", "hsla", "hue", "icon", "ignore",
+	    "inactiveborder", "inactivecaption", "inactivecaptiontext", "infinite",
+	    "infobackground", "infotext", "inherit", "initial", "inline", "inline-axis",
+	    "inline-block", "inline-flex", "inline-grid", "inline-table", "inset", "inside", "intrinsic", "invert",
+	    "italic", "japanese-formal", "japanese-informal", "justify", "kannada",
+	    "katakana", "katakana-iroha", "keep-all", "khmer",
+	    "korean-hangul-formal", "korean-hanja-formal", "korean-hanja-informal",
+	    "landscape", "lao", "large", "larger", "left", "level", "lighter", "lighten",
+	    "line-through", "linear", "linear-gradient", "lines", "list-item", "listbox", "listitem",
+	    "local", "logical", "loud", "lower", "lower-alpha", "lower-armenian",
+	    "lower-greek", "lower-hexadecimal", "lower-latin", "lower-norwegian",
+	    "lower-roman", "lowercase", "ltr", "luminosity", "malayalam", "match", "matrix", "matrix3d",
+	    "media-controls-background", "media-current-time-display",
+	    "media-fullscreen-button", "media-mute-button", "media-play-button",
+	    "media-return-to-realtime-button", "media-rewind-button",
+	    "media-seek-back-button", "media-seek-forward-button", "media-slider",
+	    "media-sliderthumb", "media-time-remaining-display", "media-volume-slider",
+	    "media-volume-slider-container", "media-volume-sliderthumb", "medium",
+	    "menu", "menulist", "menulist-button", "menulist-text",
+	    "menulist-textfield", "menutext", "message-box", "middle", "min-intrinsic",
+	    "mix", "mongolian", "monospace", "move", "multiple", "multiply", "myanmar", "n-resize",
+	    "narrower", "ne-resize", "nesw-resize", "no-close-quote", "no-drop",
+	    "no-open-quote", "no-repeat", "none", "normal", "not-allowed", "nowrap",
+	    "ns-resize", "numbers", "numeric", "nw-resize", "nwse-resize", "oblique", "octal", "open-quote",
+	    "optimizeLegibility", "optimizeSpeed", "oriya", "oromo", "outset",
+	    "outside", "outside-shape", "overlay", "overline", "padding", "padding-box",
+	    "painted", "page", "paused", "persian", "perspective", "plus-darker", "plus-lighter",
+	    "pointer", "polygon", "portrait", "pre", "pre-line", "pre-wrap", "preserve-3d",
+	    "progress", "push-button", "radial-gradient", "radio", "read-only",
+	    "read-write", "read-write-plaintext-only", "rectangle", "region",
+	    "relative", "repeat", "repeating-linear-gradient",
+	    "repeating-radial-gradient", "repeat-x", "repeat-y", "reset", "reverse",
+	    "rgb", "rgba", "ridge", "right", "rotate", "rotate3d", "rotateX", "rotateY",
+	    "rotateZ", "round", "row", "row-resize", "row-reverse", "rtl", "run-in", "running",
+	    "s-resize", "sans-serif", "saturation", "scale", "scale3d", "scaleX", "scaleY", "scaleZ", "screen",
+	    "scroll", "scrollbar", "se-resize", "searchfield",
+	    "searchfield-cancel-button", "searchfield-decoration",
+	    "searchfield-results-button", "searchfield-results-decoration",
+	    "semi-condensed", "semi-expanded", "separate", "serif", "show", "sidama",
+	    "simp-chinese-formal", "simp-chinese-informal", "single",
+	    "skew", "skewX", "skewY", "skip-white-space", "slide", "slider-horizontal",
+	    "slider-vertical", "sliderthumb-horizontal", "sliderthumb-vertical", "slow",
+	    "small", "small-caps", "small-caption", "smaller", "soft-light", "solid", "somali",
+	    "source-atop", "source-in", "source-out", "source-over", "space", "space-around", "space-between", "spell-out", "square",
+	    "square-button", "start", "static", "status-bar", "stretch", "stroke", "sub",
+	    "subpixel-antialiased", "super", "sw-resize", "symbolic", "symbols", "table",
+	    "table-caption", "table-cell", "table-column", "table-column-group",
+	    "table-footer-group", "table-header-group", "table-row", "table-row-group",
+	    "tamil",
+	    "telugu", "text", "text-bottom", "text-top", "textarea", "textfield", "thai",
+	    "thick", "thin", "threeddarkshadow", "threedface", "threedhighlight",
+	    "threedlightshadow", "threedshadow", "tibetan", "tigre", "tigrinya-er",
+	    "tigrinya-er-abegede", "tigrinya-et", "tigrinya-et-abegede", "to", "top",
+	    "trad-chinese-formal", "trad-chinese-informal",
+	    "translate", "translate3d", "translateX", "translateY", "translateZ",
+	    "transparent", "ultra-condensed", "ultra-expanded", "underline", "up",
+	    "upper-alpha", "upper-armenian", "upper-greek", "upper-hexadecimal",
+	    "upper-latin", "upper-norwegian", "upper-roman", "uppercase", "urdu", "url",
+	    "var", "vertical", "vertical-text", "visible", "visibleFill", "visiblePainted",
+	    "visibleStroke", "visual", "w-resize", "wait", "wave", "wider",
+	    "window", "windowframe", "windowtext", "words", "wrap", "wrap-reverse", "x-large", "x-small", "xor",
+	    "xx-large", "xx-small"
+	  ], valueKeywords = keySet(valueKeywords_);
+	
+	  var allWords = documentTypes_.concat(mediaTypes_).concat(mediaFeatures_).concat(mediaValueKeywords_)
+	    .concat(propertyKeywords_).concat(nonStandardPropertyKeywords_).concat(colorKeywords_)
+	    .concat(valueKeywords_);
+	  CodeMirror.registerHelper("hintWords", "css", allWords);
+	
+	  function tokenCComment(stream, state) {
+	    var maybeEnd = false, ch;
+	    while ((ch = stream.next()) != null) {
+	      if (maybeEnd && ch == "/") {
+	        state.tokenize = null;
+	        break;
+	      }
+	      maybeEnd = (ch == "*");
+	    }
+	    return ["comment", "comment"];
+	  }
+	
+	  CodeMirror.defineMIME("text/css", {
+	    documentTypes: documentTypes,
+	    mediaTypes: mediaTypes,
+	    mediaFeatures: mediaFeatures,
+	    mediaValueKeywords: mediaValueKeywords,
+	    propertyKeywords: propertyKeywords,
+	    nonStandardPropertyKeywords: nonStandardPropertyKeywords,
+	    fontProperties: fontProperties,
+	    counterDescriptors: counterDescriptors,
+	    colorKeywords: colorKeywords,
+	    valueKeywords: valueKeywords,
+	    tokenHooks: {
+	      "/": function(stream, state) {
+	        if (!stream.eat("*")) return false;
+	        state.tokenize = tokenCComment;
+	        return tokenCComment(stream, state);
+	      }
+	    },
+	    name: "css"
+	  });
+	
+	  CodeMirror.defineMIME("text/x-scss", {
+	    mediaTypes: mediaTypes,
+	    mediaFeatures: mediaFeatures,
+	    mediaValueKeywords: mediaValueKeywords,
+	    propertyKeywords: propertyKeywords,
+	    nonStandardPropertyKeywords: nonStandardPropertyKeywords,
+	    colorKeywords: colorKeywords,
+	    valueKeywords: valueKeywords,
+	    fontProperties: fontProperties,
+	    allowNested: true,
+	    tokenHooks: {
+	      "/": function(stream, state) {
+	        if (stream.eat("/")) {
+	          stream.skipToEnd();
+	          return ["comment", "comment"];
+	        } else if (stream.eat("*")) {
+	          state.tokenize = tokenCComment;
+	          return tokenCComment(stream, state);
+	        } else {
+	          return ["operator", "operator"];
+	        }
+	      },
+	      ":": function(stream) {
+	        if (stream.match(/\s*\{/))
+	          return [null, "{"];
+	        return false;
+	      },
+	      "$": function(stream) {
+	        stream.match(/^[\w-]+/);
+	        if (stream.match(/^\s*:/, false))
+	          return ["variable-2", "variable-definition"];
+	        return ["variable-2", "variable"];
+	      },
+	      "#": function(stream) {
+	        if (!stream.eat("{")) return false;
+	        return [null, "interpolation"];
+	      }
+	    },
+	    name: "css",
+	    helperType: "scss"
+	  });
+	
+	  CodeMirror.defineMIME("text/x-less", {
+	    mediaTypes: mediaTypes,
+	    mediaFeatures: mediaFeatures,
+	    mediaValueKeywords: mediaValueKeywords,
+	    propertyKeywords: propertyKeywords,
+	    nonStandardPropertyKeywords: nonStandardPropertyKeywords,
+	    colorKeywords: colorKeywords,
+	    valueKeywords: valueKeywords,
+	    fontProperties: fontProperties,
+	    allowNested: true,
+	    tokenHooks: {
+	      "/": function(stream, state) {
+	        if (stream.eat("/")) {
+	          stream.skipToEnd();
+	          return ["comment", "comment"];
+	        } else if (stream.eat("*")) {
+	          state.tokenize = tokenCComment;
+	          return tokenCComment(stream, state);
+	        } else {
+	          return ["operator", "operator"];
+	        }
+	      },
+	      "@": function(stream) {
+	        if (stream.eat("{")) return [null, "interpolation"];
+	        if (stream.match(/^(charset|document|font-face|import|(-(moz|ms|o|webkit)-)?keyframes|media|namespace|page|supports)\b/, false)) return false;
+	        stream.eatWhile(/[\w\\\-]/);
+	        if (stream.match(/^\s*:/, false))
+	          return ["variable-2", "variable-definition"];
+	        return ["variable-2", "variable"];
+	      },
+	      "&": function() {
+	        return ["atom", "atom"];
+	      }
+	    },
+	    name: "css",
+	    helperType: "less"
+	  });
+	
+	  CodeMirror.defineMIME("text/x-gss", {
+	    documentTypes: documentTypes,
+	    mediaTypes: mediaTypes,
+	    mediaFeatures: mediaFeatures,
+	    propertyKeywords: propertyKeywords,
+	    nonStandardPropertyKeywords: nonStandardPropertyKeywords,
+	    fontProperties: fontProperties,
+	    counterDescriptors: counterDescriptors,
+	    colorKeywords: colorKeywords,
+	    valueKeywords: valueKeywords,
+	    supportsAtComponent: true,
+	    tokenHooks: {
+	      "/": function(stream, state) {
+	        if (!stream.eat("*")) return false;
+	        state.tokenize = tokenCComment;
+	        return tokenCComment(stream, state);
+	      }
+	    },
+	    name: "css",
+	    helperType: "gss"
+	  });
+	
+	});
+
+
+/***/ },
+/* 526 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(527);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./codemirror-mozilla.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./codemirror-mozilla.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 527 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n:root {\r\n  /* --breakpoint-background: url(\"chrome://devtools/skin/images/breakpoint.svg#light\"); */\r\n  /* --breakpoint-hover-background: url(\"chrome://devtools/skin/images/breakpoint.svg#light-hover\"); */\r\n  --breakpoint-active-color: rgba(44,187,15,.2);\r\n  /* --breakpoint-conditional-background: url(\"chrome://devtools/skin/images/breakpoint.svg#light-conditional\"); */\r\n}\r\n\r\n.theme-dark:root {\r\n  /* --breakpoint-background: url(\"chrome://devtools/skin/images/breakpoint.svg#dark\"); */\r\n  /* --breakpoint-hover-background: url(\"chrome://devtools/skin/images/breakpoint.svg#dark-hover\"); */\r\n  --breakpoint-active-color: rgba(112,191,83,.4);\r\n  /* --breakpoint-conditional-background: url(\"chrome://devtools/skin/images/breakpoint.svg#dark-conditional\"); */\r\n}\r\n\r\n.CodeMirror .errors {\r\n  width: 16px;\r\n}\r\n\r\n.CodeMirror .error {\r\n  display: inline-block;\r\n  margin-left: 5px;\r\n  width: 12px;\r\n  height: 12px;\r\n  background-repeat: no-repeat;\r\n  background-position: center;\r\n  background-size: contain;\r\n  /* background-image: url(\"chrome://devtools/skin/images/editor-error.png\"); */\r\n  opacity: 0.75;\r\n}\r\n\r\n.CodeMirror .hit-counts {\r\n  width: 6px;\r\n}\r\n\r\n.CodeMirror .hit-count {\r\n  display: inline-block;\r\n  height: 12px;\r\n  border: solid rgba(0,0,0,0.2);\r\n  border-width: 1px 1px 1px 0;\r\n  border-radius: 0 3px 3px 0;\r\n  padding: 0 3px;\r\n  font-size: 10px;\r\n  pointer-events: none;\r\n}\r\n\r\n.CodeMirror-linenumber:before {\r\n  content: \" \";\r\n  display: block;\r\n  width: calc(100% - 3px);\r\n  position: absolute;\r\n  top: 1px;\r\n  left: 0;\r\n  height: 12px;\r\n  z-index: -1;\r\n  background-size: calc(100% - 2px) 12px;\r\n  background-repeat: no-repeat;\r\n  background-position: right center;\r\n  padding-inline-end: 9px;\r\n}\r\n\r\n.breakpoint .CodeMirror-linenumber {\r\n  color: var(--theme-body-background);\r\n}\r\n\r\n.breakpoint .CodeMirror-linenumber:before {\r\n  background-image: var(--breakpoint-background) !important;\r\n}\r\n\r\n.conditional .CodeMirror-linenumber:before {\r\n  background-image: var(--breakpoint-conditional-background) !important;\r\n}\r\n\r\n.debug-line .CodeMirror-linenumber {\r\n  background-color: var(--breakpoint-active-color);\r\n}\r\n\r\n.theme-dark .debug-line .CodeMirror-linenumber {\r\n  color: #c0c0c0;\r\n}\r\n\r\n.debug-line .CodeMirror-line {\r\n  background-color: var(--breakpoint-active-color) !important;\r\n}\r\n\r\n/* Don't display the highlight color since the debug line\r\n   is already highlighted */\r\n.debug-line .CodeMirror-activeline-background {\r\n  display: none;\r\n}\r\n\r\n.CodeMirror {\r\n  cursor: text;\r\n}\r\n\r\n.CodeMirror-gutters {\r\n  cursor: default;\r\n}\r\n\r\n/* This is to avoid the fake horizontal scrollbar div of codemirror to go 0\r\nheight when floating scrollbars are active. Make sure that this value is equal\r\nto the maximum of `min-height` specific to the `scrollbar[orient=\"horizontal\"]`\r\nselector in floating-scrollbar-light.css across all platforms. */\r\n.CodeMirror-hscrollbar {\r\n  min-height: 10px;\r\n}\r\n\r\n/* This is to avoid the fake vertical scrollbar div of codemirror to go 0\r\nwidth when floating scrollbars are active. Make sure that this value is equal\r\nto the maximum of `min-width` specific to the `scrollbar[orient=\"vertical\"]`\r\nselector in floating-scrollbar-light.css across all platforms. */\r\n.CodeMirror-vscrollbar {\r\n  min-width: 10px;\r\n}\r\n\r\n.cm-trailingspace {\r\n  background-image: url(\"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAQAAAACCAYAAAB/qH1jAAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAAsTAAALEwEAmpwYAAAAB3RJTUUH3QUXCToH00Y1UgAAACFJREFUCNdjPMDBUc/AwNDAAAFMTAwMDA0OP34wQgX/AQBYgwYEx4f9lQAAAABJRU5ErkJggg==\");\r\n  opacity: 0.75;\r\n  background-position: left bottom;\r\n  background-repeat: repeat-x;\r\n}\r\n\r\n/* CodeMirror dialogs styling */\r\n\r\n.CodeMirror-dialog {\r\n  padding: 4px 3px;\r\n}\r\n\r\n.CodeMirror-dialog,\r\n.CodeMirror-dialog input {\r\n  font: message-box;\r\n}\r\n\r\n/* Fold addon */\r\n\r\n.CodeMirror-foldmarker {\r\n  color: blue;\r\n  text-shadow: #b9f 1px 1px 2px, #b9f -1px -1px 2px, #b9f 1px -1px 2px, #b9f -1px 1px 2px;\r\n  font-family: sans-serif;\r\n  line-height: .3;\r\n  cursor: pointer;\r\n}\r\n\r\n.CodeMirror-foldgutter {\r\n  width: 16px; /* Same as breakpoints gutter above */\r\n}\r\n\r\n.CodeMirror-foldgutter-open,\r\n.CodeMirror-foldgutter-folded {\r\n  color: #555;\r\n  cursor: pointer;\r\n}\r\n\r\n.CodeMirror-foldgutter-open:after {\r\n  font-size: 120%;\r\n  content: \"\\25BE\";\r\n}\r\n\r\n.CodeMirror-foldgutter-folded:after {\r\n  font-size: 120%;\r\n  content: \"\\25B8\";\r\n}\r\n\r\n.CodeMirror-hints {\r\n  position: absolute;\r\n  z-index: 10;\r\n  overflow: hidden;\r\n  list-style: none;\r\n  margin: 0;\r\n  padding: 2px;\r\n  border-radius: 3px;\r\n  font-size: 90%;\r\n  max-height: 20em;\r\n  overflow-y: auto;\r\n}\r\n\r\n.CodeMirror-hint {\r\n  margin: 0;\r\n  padding: 0 4px;\r\n  border-radius: 2px;\r\n  max-width: 19em;\r\n  overflow: hidden;\r\n  white-space: pre;\r\n  cursor: pointer;\r\n}\r\n\r\n.CodeMirror-Tern-completion {\r\n  padding-inline-start: 22px;\r\n  position: relative;\r\n  line-height: 18px;\r\n}\r\n\r\n.CodeMirror-Tern-completion:before {\r\n  position: absolute;\r\n  left: 2px;\r\n  bottom: 2px;\r\n  border-radius: 50%;\r\n  font-size: 12px;\r\n  font-weight: bold;\r\n  height: 15px;\r\n  width: 15px;\r\n  line-height: 16px;\r\n  text-align: center;\r\n  color: #ffffff;\r\n  box-sizing: border-box;\r\n}\r\n\r\n.CodeMirror-Tern-completion-unknown:before {\r\n  content: \"?\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-object:before {\r\n  content: \"O\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-fn:before {\r\n  content: \"F\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-array:before {\r\n  content: \"A\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-number:before {\r\n  content: \"N\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-string:before {\r\n  content: \"S\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-bool:before {\r\n  content: \"B\";\r\n}\r\n\r\n.CodeMirror-Tern-completion-guess {\r\n  color: #999;\r\n}\r\n\r\n.CodeMirror-Tern-tooltip {\r\n  border-radius: 3px;\r\n  padding: 2px 5px;\r\n  white-space: pre-wrap;\r\n  max-width: 40em;\r\n  position: absolute;\r\n  z-index: 10;\r\n}\r\n\r\n.CodeMirror-Tern-hint-doc {\r\n  max-width: 25em;\r\n}\r\n\r\n.CodeMirror-Tern-farg-current {\r\n  text-decoration: underline;\r\n}\r\n\r\n.CodeMirror-Tern-fhint-guess {\r\n  opacity: .7;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 528 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// CodeMirror, copyright (c) by Marijn Haverbeke and others
+	// Distributed under an MIT license: http://codemirror.net/LICENSE
+	
+	(function(mod) {
+	  if (true) // CommonJS
+	    mod(__webpack_require__(519));
+	  else if (typeof define == "function" && define.amd) // AMD
+	    define(["../../lib/codemirror"], mod);
+	  else // Plain browser env
+	    mod(CodeMirror);
+	})(function(CodeMirror) {
+	  "use strict";
+	  var Pos = CodeMirror.Pos;
+	
+	  function SearchCursor(doc, query, pos, caseFold) {
+	    this.atOccurrence = false; this.doc = doc;
+	    if (caseFold == null && typeof query == "string") caseFold = false;
+	
+	    pos = pos ? doc.clipPos(pos) : Pos(0, 0);
+	    this.pos = {from: pos, to: pos};
+	
+	    // The matches method is filled in based on the type of query.
+	    // It takes a position and a direction, and returns an object
+	    // describing the next occurrence of the query, or null if no
+	    // more matches were found.
+	    if (typeof query != "string") { // Regexp match
+	      if (!query.global) query = new RegExp(query.source, query.ignoreCase ? "ig" : "g");
+	      this.matches = function(reverse, pos) {
+	        if (reverse) {
+	          query.lastIndex = 0;
+	          var line = doc.getLine(pos.line).slice(0, pos.ch), cutOff = 0, match, start;
+	          for (;;) {
+	            query.lastIndex = cutOff;
+	            var newMatch = query.exec(line);
+	            if (!newMatch) break;
+	            match = newMatch;
+	            start = match.index;
+	            cutOff = match.index + (match[0].length || 1);
+	            if (cutOff == line.length) break;
+	          }
+	          var matchLen = (match && match[0].length) || 0;
+	          if (!matchLen) {
+	            if (start == 0 && line.length == 0) {match = undefined;}
+	            else if (start != doc.getLine(pos.line).length) {
+	              matchLen++;
+	            }
+	          }
+	        } else {
+	          query.lastIndex = pos.ch;
+	          var line = doc.getLine(pos.line), match = query.exec(line);
+	          var matchLen = (match && match[0].length) || 0;
+	          var start = match && match.index;
+	          if (start + matchLen != line.length && !matchLen) matchLen = 1;
+	        }
+	        if (match && matchLen)
+	          return {from: Pos(pos.line, start),
+	                  to: Pos(pos.line, start + matchLen),
+	                  match: match};
+	      };
+	    } else { // String query
+	      var origQuery = query;
+	      if (caseFold) query = query.toLowerCase();
+	      var fold = caseFold ? function(str){return str.toLowerCase();} : function(str){return str;};
+	      var target = query.split("\n");
+	      // Different methods for single-line and multi-line queries
+	      if (target.length == 1) {
+	        if (!query.length) {
+	          // Empty string would match anything and never progress, so
+	          // we define it to match nothing instead.
+	          this.matches = function() {};
+	        } else {
+	          this.matches = function(reverse, pos) {
+	            if (reverse) {
+	              var orig = doc.getLine(pos.line).slice(0, pos.ch), line = fold(orig);
+	              var match = line.lastIndexOf(query);
+	              if (match > -1) {
+	                match = adjustPos(orig, line, match);
+	                return {from: Pos(pos.line, match), to: Pos(pos.line, match + origQuery.length)};
+	              }
+	             } else {
+	               var orig = doc.getLine(pos.line).slice(pos.ch), line = fold(orig);
+	               var match = line.indexOf(query);
+	               if (match > -1) {
+	                 match = adjustPos(orig, line, match) + pos.ch;
+	                 return {from: Pos(pos.line, match), to: Pos(pos.line, match + origQuery.length)};
+	               }
+	            }
+	          };
+	        }
+	      } else {
+	        var origTarget = origQuery.split("\n");
+	        this.matches = function(reverse, pos) {
+	          var last = target.length - 1;
+	          if (reverse) {
+	            if (pos.line - (target.length - 1) < doc.firstLine()) return;
+	            if (fold(doc.getLine(pos.line).slice(0, origTarget[last].length)) != target[target.length - 1]) return;
+	            var to = Pos(pos.line, origTarget[last].length);
+	            for (var ln = pos.line - 1, i = last - 1; i >= 1; --i, --ln)
+	              if (target[i] != fold(doc.getLine(ln))) return;
+	            var line = doc.getLine(ln), cut = line.length - origTarget[0].length;
+	            if (fold(line.slice(cut)) != target[0]) return;
+	            return {from: Pos(ln, cut), to: to};
+	          } else {
+	            if (pos.line + (target.length - 1) > doc.lastLine()) return;
+	            var line = doc.getLine(pos.line), cut = line.length - origTarget[0].length;
+	            if (fold(line.slice(cut)) != target[0]) return;
+	            var from = Pos(pos.line, cut);
+	            for (var ln = pos.line + 1, i = 1; i < last; ++i, ++ln)
+	              if (target[i] != fold(doc.getLine(ln))) return;
+	            if (fold(doc.getLine(ln).slice(0, origTarget[last].length)) != target[last]) return;
+	            return {from: from, to: Pos(ln, origTarget[last].length)};
+	          }
+	        };
+	      }
+	    }
+	  }
+	
+	  SearchCursor.prototype = {
+	    findNext: function() {return this.find(false);},
+	    findPrevious: function() {return this.find(true);},
+	
+	    find: function(reverse) {
+	      var self = this, pos = this.doc.clipPos(reverse ? this.pos.from : this.pos.to);
+	      function savePosAndFail(line) {
+	        var pos = Pos(line, 0);
+	        self.pos = {from: pos, to: pos};
+	        self.atOccurrence = false;
+	        return false;
+	      }
+	
+	      for (;;) {
+	        if (this.pos = this.matches(reverse, pos)) {
+	          this.atOccurrence = true;
+	          return this.pos.match || true;
+	        }
+	        if (reverse) {
+	          if (!pos.line) return savePosAndFail(0);
+	          pos = Pos(pos.line-1, this.doc.getLine(pos.line-1).length);
+	        }
+	        else {
+	          var maxLine = this.doc.lineCount();
+	          if (pos.line == maxLine - 1) return savePosAndFail(maxLine);
+	          pos = Pos(pos.line + 1, 0);
+	        }
+	      }
+	    },
+	
+	    from: function() {if (this.atOccurrence) return this.pos.from;},
+	    to: function() {if (this.atOccurrence) return this.pos.to;},
+	
+	    replace: function(newText, origin) {
+	      if (!this.atOccurrence) return;
+	      var lines = CodeMirror.splitLines(newText);
+	      this.doc.replaceRange(lines, this.pos.from, this.pos.to, origin);
+	      this.pos.to = Pos(this.pos.from.line + lines.length - 1,
+	                        lines[lines.length - 1].length + (lines.length == 1 ? this.pos.from.ch : 0));
+	    }
+	  };
+	
+	  // Maps a position in a case-folded line back to a position in the original line
+	  // (compensating for codepoints increasing in number during folding)
+	  function adjustPos(orig, folded, pos) {
+	    if (orig.length == folded.length) return pos;
+	    for (var pos1 = Math.min(pos, orig.length);;) {
+	      var len1 = orig.slice(0, pos1).toLowerCase().length;
+	      if (len1 < pos) ++pos1;
+	      else if (len1 > pos) --pos1;
+	      else return pos1;
+	    }
+	  }
+	
+	  CodeMirror.defineExtension("getSearchCursor", function(query, pos, caseFold) {
+	    return new SearchCursor(this.doc, query, pos, caseFold);
+	  });
+	  CodeMirror.defineDocExtension("getSearchCursor", function(query, pos, caseFold) {
+	    return new SearchCursor(this, query, pos, caseFold);
+	  });
+	
+	  CodeMirror.defineExtension("selectMatches", function(query, caseFold) {
+	    var ranges = [];
+	    var cur = this.getSearchCursor(query, this.getCursor("from"), caseFold);
+	    while (cur.findNext()) {
+	      if (CodeMirror.cmpPos(cur.to(), this.getCursor("to")) > 0) break;
+	      ranges.push({anchor: cur.from(), head: cur.to()});
+	    }
+	    if (ranges.length)
+	      this.setSelections(ranges, 0);
+	  });
+	});
+
+
+/***/ },
+/* 529 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var _require = __webpack_require__(181);
+	
+	var findDOMNode = _require.findDOMNode;
+	
+	var _require2 = __webpack_require__(16);
+	
+	var connect = _require2.connect;
+	
+	var _require3 = __webpack_require__(2);
+	
+	var bindActionCreators = _require3.bindActionCreators;
+	
+	var actions = __webpack_require__(369);
+	
+	var _require4 = __webpack_require__(201);
+	
+	var isEnabled = _require4.isEnabled;
+	
+	var _require5 = __webpack_require__(358);
+	
+	var getSelectedSource = _require5.getSelectedSource;
+	var getSourceText = _require5.getSourceText;
+	var getPrettySource = _require5.getPrettySource;
+	
+	var Svg = __webpack_require__(491);
+	var ImPropTypes = __webpack_require__(365);
+	var classnames = __webpack_require__(360);
+	
+	var _require6 = __webpack_require__(371);
+	
+	var isOriginalId = _require6.isOriginalId;
+	var originalToGeneratedId = _require6.originalToGeneratedId;
+	
+	var _require7 = __webpack_require__(393);
+	
+	var isPretty = _require7.isPretty;
+	
+	var _require8 = __webpack_require__(530);
+	
+	var find = _require8.find;
+	var findNext = _require8.findNext;
+	var findPrev = _require8.findPrev;
+	
+	
+	__webpack_require__(531);
+	
+	function debugBtn(onClick, type) {
+	  var className = arguments.length <= 2 || arguments[2] === undefined ? "active" : arguments[2];
+	  var tooltip = arguments[3];
+	
+	  className = `${ type } ${ className }`;
+	  return dom.span({ onClick, className, key: type }, Svg(type, { title: tooltip }));
+	}
+	
+	var SourceFooter = React.createClass({
+	  propTypes: {
+	    selectedSource: ImPropTypes.map,
+	    togglePrettyPrint: PropTypes.func,
+	    sourceText: ImPropTypes.map,
+	    selectSource: PropTypes.func,
+	    prettySource: ImPropTypes.map,
+	    editor: PropTypes.object
+	  },
+	
+	  contextTypes: {
+	    shortcuts: PropTypes.object
+	  },
+	
+	  displayName: "SourceFooter",
+	
+	  blackboxButton() {
+	    if (!isEnabled("blackbox")) {
+	      return null;
+	    }
+	
+	    return debugBtn(() => {}, "blackBox", this.props.selectedSource, "Toggle Black Boxing");
+	  },
+	
+	  onClickPrettyPrint() {
+	    var _props = this.props;
+	    var selectedSource = _props.selectedSource;
+	    var togglePrettyPrint = _props.togglePrettyPrint;
+	    var selectSource = _props.selectSource;
+	    var prettySource = _props.prettySource;
+	
+	
+	    if (isPretty(selectedSource.toJS())) {
+	      return selectSource(originalToGeneratedId(selectedSource.get("id")));
+	    }
+	
+	    if (selectedSource.get("isPrettyPrinted")) {
+	      return selectSource(prettySource.get("id"));
+	    }
+	
+	    togglePrettyPrint(selectedSource.get("id"));
+	  },
+	
+	  prettyPrintButton() {
+	    var _props2 = this.props;
+	    var selectedSource = _props2.selectedSource;
+	    var sourceText = _props2.sourceText;
+	
+	    var sourceLoaded = selectedSource && !sourceText.get("loading");
+	
+	    if (isOriginalId(selectedSource.get("id")) || isOriginalId(selectedSource.get("id")) && !isPretty(selectedSource.toJS())) {
+	      return;
+	    }
+	
+	    return debugBtn(this.onClickPrettyPrint, "prettyPrint", classnames({
+	      active: sourceLoaded,
+	      pretty: isPretty(selectedSource.toJS())
+	    }), "Prettify Source");
+	  },
+	
+	  onKeyUp(e) {
+	    var query = e.target.value;
+	    var ed = this.props.editor;
+	    var ctx = { ed, cm: ed.codeMirror };
+	
+	    if (e.key != "Enter") {
+	      find(ctx, query);
+	    } else if (e.shiftKey) {
+	      findPrev(ctx, query);
+	    } else {
+	      findNext(ctx, query);
+	    }
+	  },
+	
+	  focusSearch(shortcut, e) {
+	    e.stopPropagation();
+	    e.preventDefault();
+	    var node = findDOMNode(this).querySelector(".source-search");
+	    node.focus();
+	  },
+	
+	  setupKeyboardShortcuts() {
+	    if (this.keyShortcutsEnabled) {
+	      return;
+	    }
+	
+	    this.keyShortcutsEnabled = true;
+	    var shortcuts = this.context.shortcuts;
+	    if (isEnabled("search")) {
+	      shortcuts.on("Cmd+f", this.focusSearch);
+	    }
+	  },
+	
+	  componentWillUnmount() {
+	    var shortcuts = this.context.shortcuts;
+	    if (isEnabled("search")) {
+	      shortcuts.off("Cmd+f", this.focusSearch);
+	    }
+	  },
+	
+	  componentDidUpdate() {
+	    this.setupKeyboardShortcuts();
+	  },
+	
+	  render() {
+	    if (!this.props.selectedSource || !isEnabled("prettyPrint") && !isEnabled("blackBox") && !isEnabled("search")) {
+	      return dom.div({ className: "source-footer" });
+	    }
+	
+	    return dom.div({ className: "source-footer" }, dom.input({
+	      className: "source-search",
+	      onKeyUp: e => this.onKeyUp(e)
+	    }), dom.div({ className: "command-bar" }, this.blackboxButton(), this.prettyPrintButton()));
+	  }
+	});
+	
+	module.exports = connect(state => {
+	  var selectedSource = getSelectedSource(state);
+	  var selectedId = selectedSource && selectedSource.get("id");
+	  return {
+	    selectedSource,
+	    sourceText: getSourceText(state, selectedId),
+	    prettySource: getPrettySource(state, selectedId)
+	  };
+	}, dispatch => bindActionCreators(actions, dispatch))(SourceFooter);
+
+/***/ },
+/* 530 */
+/***/ function(module, exports) {
+
+	// These functions implement search within the debugger. Since
+	// search in the debugger is different from other components,
+	// we can't use search.js CodeMirror addon. This is a slightly
+	// modified version of that addon. Depends on searchcursor.js.
+	function SearchState() {
+	  this.posFrom = this.posTo = this.query = null;
+	}
+	
+	function getSearchState(cm) {
+	  return cm.state.search || (cm.state.search = new SearchState());
+	}
+	
+	function getSearchCursor(cm, query, pos) {
+	  // If the query string is all lowercase, do a case insensitive search.
+	  return cm.getSearchCursor(query, pos, typeof query == "string" && query == query.toLowerCase());
+	}
+	
+	/**
+	 * If there's a saved search, selects the next results.
+	 * Otherwise, creates a new search and selects the first
+	 * result.
+	 */
+	function doSearch(ctx, rev, query) {
+	  var cm = ctx.cm;
+	
+	  var state = getSearchState(cm);
+	
+	  if (state.query) {
+	    searchNext(ctx, rev);
+	    return;
+	  }
+	
+	  cm.operation(function () {
+	    if (state.query) {
+	      return;
+	    }
+	
+	    state.query = query;
+	    state.posFrom = state.posTo = { line: 0, ch: 0 };
+	    searchNext(ctx, rev);
+	  });
+	}
+	
+	/**
+	 * Selects the next result of a saved search.
+	 */
+	function searchNext(ctx, rev) {
+	  var cm = ctx.cm;
+	  var ed = ctx.ed;
+	
+	  cm.operation(function () {
+	    var state = getSearchState(cm);
+	    var cursor = getSearchCursor(cm, state.query, rev ? state.posFrom : state.posTo);
+	
+	    if (!cursor.find(rev)) {
+	      cursor = getSearchCursor(cm, state.query, rev ? { line: cm.lastLine(), ch: null } : { line: cm.firstLine(), ch: 0 });
+	      if (!cursor.find(rev)) {
+	        return;
+	      }
+	    }
+	
+	    ed.alignLine(cursor.from().line, "center");
+	    cm.setSelection(cursor.from(), cursor.to());
+	    state.posFrom = cursor.from();
+	    state.posTo = cursor.to();
+	  });
+	}
+	
+	/**
+	 * Clears the currently saved search.
+	 */
+	function clearSearch(cm) {
+	  var state = getSearchState(cm);
+	
+	  if (!state.query) {
+	    return;
+	  }
+	
+	  state.query = null;
+	}
+	
+	/**
+	 * Starts a new search.
+	 */
+	function find(ctx, query) {
+	  clearSearch(ctx.cm);
+	  doSearch(ctx, false, query);
+	}
+	
+	/**
+	 * Finds the next item based on the currently saved search.
+	 */
+	function findNext(ctx, query) {
+	  doSearch(ctx, false, query);
+	}
+	
+	/**
+	 * Finds the previous item based on the currently saved search.
+	 */
+	function findPrev(ctx, query) {
+	  doSearch(ctx, true, query);
+	}
+	
+	module.exports = { find, findNext, findPrev };
+
+/***/ },
+/* 531 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(532);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./SourceFooter.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./SourceFooter.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 532 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "\r\n.source-footer {\r\n  background: var(--theme-body-background);\r\n  border-top: 1px solid var(--theme-splitter-color);\r\n  position: absolute;\r\n  bottom: 0;\r\n  left: 0;\r\n  right: 1px;\r\n  opacity: 1;\r\n  z-index: 100;\r\n}\r\n\r\n.source-footer .command-bar {\r\n  float: right;\r\n}\r\n\r\n.command-bar > span {\r\n  cursor: pointer;\r\n  margin-right: 0.7em;\r\n  width: 1em;\r\n  height: 1.1em;\r\n  display: inline-block;\r\n  text-align: center;\r\n  transition: opacity 200ms;\r\n}\r\n\r\n.source-footer .prettyPrint.pretty {\r\n  stroke: var(--theme-highlight-blue);\r\n}\r\n\r\n.source-footer input:focus {\r\n  border-color: var(--theme-highlight-blue);\r\n  outline: none;\r\n}\r\n\r\n.source-footer input {\r\n  line-height: 16px;\r\n  margin: 7px;\r\n  border-radius: 2px;\r\n  border: 1px solid var(--theme-splitter-color);\r\n  padding-left: 4px;\r\n  font-size: 10px;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 533 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var ReactDOM = __webpack_require__(181);
+	
+	var PropTypes = React.PropTypes;
+	
+	var classnames = __webpack_require__(360);
+	var Svg = __webpack_require__(491);
+	
+	var breakpointSvg = document.createElement("div");
+	ReactDOM.render(Svg("breakpoint"), breakpointSvg);
+	
+	function makeMarker(isDisabled) {
+	  var bp = breakpointSvg.cloneNode(true);
+	  bp.className = classnames("editor new-breakpoint", { "breakpoint-disabled": isDisabled });
+	
+	  return bp;
+	}
+	
+	var Breakpoint = React.createClass({
+	  propTypes: {
+	    breakpoint: PropTypes.object,
+	    editor: PropTypes.object
+	  },
+	
+	  displayName: "Breakpoint",
+	
+	  addBreakpoint() {
+	    var bp = this.props.breakpoint;
+	    var line = bp.location.line - 1;
+	    this.props.editor.setGutterMarker(line, "breakpoints", makeMarker(bp.disabled));
+	    this.props.editor.addLineClass(line, "line", "new-breakpoint");
+	  },
+	
+	  shouldComponentUpdate(nextProps) {
+	    return this.props.editor !== nextProps.editor || this.props.breakpoint.disabled !== nextProps.breakpoint.disabled;
+	  },
+	
+	  componentDidMount() {
+	    if (!this.props.editor) {
+	      return;
+	    }
+	
+	    this.addBreakpoint();
+	  },
+	
+	  componentDidUpdate() {
+	    this.addBreakpoint();
+	  },
+	
+	  componentWillUnmount() {
+	    if (!this.props.editor) {
+	      return;
+	    }
+	
+	    var bp = this.props.breakpoint;
+	    var line = bp.location.line - 1;
+	
+	    this.props.editor.setGutterMarker(line, "breakpoints", null);
+	    this.props.editor.removeLineClass(line, "line", "new-breakpoint");
+	  },
+	
+	  render() {
+	    return null;
+	  }
+	});
+	
+	module.exports = Breakpoint;
+
+/***/ },
+/* 534 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(535);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Editor.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Editor.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 535 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n/**\r\n * There's a known codemirror flex issue with chrome that this addresses.\r\n * BUG https://github.com/devtools-html/debugger.html/issues/63\r\n */\r\n.editor-wrapper {\r\n  position: absolute;\r\n  height: calc(100% - 31px);\r\n  width: 100%;\r\n  top: 30px;\r\n  left: 0px;\r\n}\r\n\r\n.editor-wrapper .breakpoints {\r\n  position: absolute;\r\n  top: 0;\r\n  left: 0;\r\n}\r\n\r\n.editor.new-breakpoint svg {\r\n  fill: var(--theme-selection-background);\r\n  width: 60px;\r\n  height: 12px;\r\n  position: absolute;\r\n  top: 0;\r\n  right: -4px;\r\n}\r\n\r\n.editor.new-breakpoint.breakpoint-disabled svg {\r\n  opacity: 0.3;\r\n}\r\n\r\n.editor-mount,\r\n.CodeMirror {\r\n  width: 100%;\r\n  height: 100%;\r\n  background-color: var(--theme-body-background);\r\n}\r\n\r\n.CodeMirror-linenumber {\r\n  font-size: 11px;\r\n}\r\n\r\n/* set the linenumber white when there is a breakpoint */\r\n.new-breakpoint .CodeMirror-linenumber {\r\n  color: white;\r\n}\r\n\r\n/* move the breakpoint below the linenumber */\r\n.new-breakpoint .CodeMirror-gutter-elt:last-child {\r\n  z-index: 0;\r\n}\r\n\r\n.debug-line .CodeMirror-line {\r\n  background-color: var(--breakpoint-active-color) !important;\r\n}\r\n\r\n/* Don't display the highlight color since the debug line\r\n   is already highlighted */\r\n.debug-line .CodeMirror-activeline-background {\r\n  display: none;\r\n}\r\n\r\n.highlight-line .CodeMirror-line {\r\n  animation: fade-highlight-out 1.5s normal forwards;\r\n}\r\n\r\n@keyframes fade-highlight-out {\r\n  0% { background-color: var(--theme-highlight-gray); }\r\n  100% { background-color: transparent; }\r\n}\r\n\r\n.welcomebox {\r\n  width: calc(100% - 1px);\r\n\r\n  /* Offsetting it by 30px for the sources-header area */\r\n  height: calc(100% - 30px);\r\n  position: absolute;\r\n  top: 30px;\r\n  left: 0;\r\n  padding: 50px 0;\r\n  text-align: center;\r\n  font-size: 1.25em;\r\n  color: var(--theme-comment-alt);\r\n  background-color: var(--theme-tab-toolbar-background);\r\n  font-weight: lighter;\r\n  z-index: 100;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 536 */
+/***/ function(module, exports, __webpack_require__) {
+
+	const React = __webpack_require__(18);
+	const ReactDOM = __webpack_require__(181);
+	const Draggable = React.createFactory(
+	  __webpack_require__(537));
+	const { DOM: dom, PropTypes } = React;
+	
+	/**
+	 * This component represents a Splitter. The splitter supports vertical
+	 * as well as horizontal mode.
+	 */
+	const SplitBox = React.createClass({
+	
+	  propTypes: {
+	    // Custom class name. You can use more names separated by a space.
+	    className: PropTypes.string,
+	    // Initial size of controlled panel.
+	    initialSize: PropTypes.any,
+	    // Optional initial width of controlled panel.
+	    initialWidth: PropTypes.number,
+	    // Optional initial height of controlled panel.
+	    initialHeight: PropTypes.number,
+	    // Left/top panel
+	    startPanel: PropTypes.any,
+	    // Min panel size.
+	    minSize: PropTypes.any,
+	    // Max panel size.
+	    maxSize: PropTypes.any,
+	    // Right/bottom panel
+	    endPanel: PropTypes.any,
+	    // True if the right/bottom panel should be controlled.
+	    endPanelControl: PropTypes.bool,
+	    // Size of the splitter handle bar.
+	    splitterSize: PropTypes.number,
+	    // True if the splitter bar is vertical (default is vertical).
+	    vert: PropTypes.bool,
+	    // Optional style properties passed into the splitbox
+	    style: PropTypes.object
+	  },
+	
+	  displayName: "SplitBox",
+	
+	  getDefaultProps() {
+	    return {
+	      splitterSize: 5,
+	      vert: true,
+	      endPanelControl: false
+	    };
+	  },
+	
+	  /**
+	   * The state stores the current orientation (vertical or horizontal)
+	   * and the current size (width/height). All these values can change
+	   * during the component's life time.
+	   */
+	  getInitialState() {
+	    return {
+	      vert: this.props.vert,
+	      width: this.props.initialWidth || this.props.initialSize,
+	      height: this.props.initialHeight || this.props.initialSize
+	    };
+	  },
+	
+	  // Dragging Events
+	
+	  /**
+	   * Set 'resizing' cursor on entire document during splitter dragging.
+	   * This avoids cursor-flickering that happens when the mouse leaves
+	   * the splitter bar area (happens frequently).
+	   */
+	  onStartMove() {
+	    const splitBox = ReactDOM.findDOMNode(this);
+	    const doc = splitBox.ownerDocument;
+	    let defaultCursor = doc.documentElement.style.cursor;
+	    doc.documentElement.style.cursor =
+	      (this.state.vert ? "ew-resize" : "ns-resize");
+	
+	    splitBox.classList.add("dragging");
+	
+	    this.setState({
+	      defaultCursor: defaultCursor
+	    });
+	  },
+	
+	  onStopMove() {
+	    const splitBox = ReactDOM.findDOMNode(this);
+	    const doc = splitBox.ownerDocument;
+	    doc.documentElement.style.cursor = this.state.defaultCursor;
+	
+	    splitBox.classList.remove("dragging");
+	  },
+	
+	  screenX() {
+	    const borderWidth = (window.outerWidth - window.innerWidth) / 2;
+	    return window.screenX + borderWidth;
+	  },
+	
+	  screenY() {
+	    const borderHeignt = (window.outerHeight - window.innerHeight);
+	    return window.screenY + borderHeignt;
+	  },
+	
+	  /**
+	   * Adjust size of the controlled panel. Depending on the current
+	   * orientation we either remember the width or height of
+	   * the splitter box.
+	   */
+	  onMove(x, y) {
+	    const node = ReactDOM.findDOMNode(this);
+	    const doc = node.ownerDocument;
+	    const win = doc.defaultView;
+	
+	    let size;
+	    let { endPanelControl } = this.props;
+	
+	    if (this.state.vert) {
+	      // Switch the control flag in case of RTL. Note that RTL
+	      // has impact on vertical splitter only.
+	      let dir = win.getComputedStyle(doc.documentElement).direction;
+	      if (dir == "rtl") {
+	        endPanelControl = !endPanelControl;
+	      }
+	
+	      let innerOffset = x - this.screenX();
+	      size = endPanelControl ?
+	        (node.offsetLeft + node.offsetWidth) - innerOffset :
+	        innerOffset - node.offsetLeft;
+	
+	      this.setState({
+	        width: size
+	      });
+	    } else {
+	      let innerOffset = y - this.screenY();
+	      size = endPanelControl ?
+	        (node.offsetTop + node.offsetHeight) - innerOffset :
+	        innerOffset - node.offsetTop;
+	
+	      this.setState({
+	        height: size
+	      });
+	    }
+	  },
+	
+	  // Rendering
+	
+	  render() {
+	    const vert = this.state.vert;
+	    const { startPanel, endPanel, endPanelControl, minSize,
+	      maxSize, splitterSize } = this.props;
+	
+	    let style = Object.assign({}, this.props.style);
+	
+	    // Calculate class names list.
+	    let classNames = ["split-box"];
+	    classNames.push(vert ? "vert" : "horz");
+	    if (this.props.className) {
+	      classNames = classNames.concat(this.props.className.split(" "));
+	    }
+	
+	    let leftPanelStyle;
+	    let rightPanelStyle;
+	
+	    // Set proper size for panels depending on the current state.
+	    if (vert) {
+	      leftPanelStyle = {
+	        maxWidth: endPanelControl ? null : maxSize,
+	        minWidth: endPanelControl ? null : minSize,
+	        width: endPanelControl ? null : this.state.width
+	      };
+	      rightPanelStyle = {
+	        maxWidth: endPanelControl ? maxSize : null,
+	        minWidth: endPanelControl ? minSize : null,
+	        width: endPanelControl ? this.state.width : null
+	      };
+	    } else {
+	      leftPanelStyle = {
+	        maxHeight: endPanelControl ? null : maxSize,
+	        minHeight: endPanelControl ? null : minSize,
+	        height: endPanelControl ? null : this.state.height
+	      };
+	      rightPanelStyle = {
+	        maxHeight: endPanelControl ? maxSize : null,
+	        minHeight: endPanelControl ? minSize : null,
+	        height: endPanelControl ? this.state.height : null
+	      };
+	    }
+	
+	    // Calculate splitter size
+	    let splitterStyle = {
+	      flex: "0 0 " + splitterSize + "px"
+	    };
+	
+	    return (
+	      dom.div({
+	        className: classNames.join(" "),
+	        style: style },
+	        startPanel ?
+	          dom.div({
+	            className: endPanelControl ? "uncontrolled" : "controlled",
+	            style: leftPanelStyle },
+	            startPanel
+	          ) : null,
+	        Draggable({
+	          className: "splitter",
+	          style: splitterStyle,
+	          onStart: this.onStartMove,
+	          onStop: this.onStopMove,
+	          onMove: this.onMove
+	        }),
+	        endPanel ?
+	          dom.div({
+	            className: endPanelControl ? "controlled" : "uncontrolled",
+	            style: rightPanelStyle },
+	            endPanel
+	          ) : null
+	      )
+	    );
+	  }
+	});
+	
+	module.exports = SplitBox;
+
+
+/***/ },
+/* 537 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this file,
+	 * You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	const React = __webpack_require__(18);
+	const ReactDOM = __webpack_require__(18);
+	const { DOM: dom, PropTypes } = React;
+	
+	const Draggable = React.createClass({
+	  displayName: "Draggable",
+	
+	  propTypes: {
+	    onMove: PropTypes.func.isRequired,
+	    onStart: PropTypes.func,
+	    onStop: PropTypes.func,
+	    style: PropTypes.object,
+	    className: PropTypes.string
+	  },
+	
+	  startDragging(ev) {
+	    ev.preventDefault();
+	    const doc = ReactDOM.findDOMNode(this).ownerDocument;
+	    doc.addEventListener("mousemove", this.onMove);
+	    doc.addEventListener("mouseup", this.onUp);
+	    this.props.onStart && this.props.onStart();
+	  },
+	
+	  onMove(ev) {
+	    ev.preventDefault();
+	    // Use screen coordinates so, moving mouse over iframes
+	    // doesn't mangle (relative) coordinates.
+	    this.props.onMove(ev.screenX, ev.screenY);
+	  },
+	
+	  onUp(ev) {
+	    ev.preventDefault();
+	    const doc = ReactDOM.findDOMNode(this).ownerDocument;
+	    doc.removeEventListener("mousemove", this.onMove);
+	    doc.removeEventListener("mouseup", this.onUp);
+	    this.props.onStop && this.props.onStop();
+	  },
+	
+	  render() {
+	    return dom.div({
+	      style: this.props.style,
+	      className: this.props.className,
+	      onMouseDown: this.startDragging
+	    });
+	  }
+	});
+	
+	module.exports = Draggable;
+
+
+/***/ },
+/* 538 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var _require = __webpack_require__(16);
+	
+	var connect = _require.connect;
+	
+	var _require2 = __webpack_require__(2);
+	
+	var bindActionCreators = _require2.bindActionCreators;
+	
+	var _require3 = __webpack_require__(358);
+	
+	var getPause = _require3.getPause;
+	var getIsWaitingOnBreak = _require3.getIsWaitingOnBreak;
+	var getBreakpointsDisabled = _require3.getBreakpointsDisabled;
+	var getShouldPauseOnExceptions = _require3.getShouldPauseOnExceptions;
+	var getShouldIgnoreCaughtExceptions = _require3.getShouldIgnoreCaughtExceptions;
+	var getBreakpoints = _require3.getBreakpoints;
+	var getBreakpointsLoading = _require3.getBreakpointsLoading;
+	
+	var _require4 = __webpack_require__(201);
+	
+	var isEnabled = _require4.isEnabled;
+	
+	var Svg = __webpack_require__(491);
+	var ImPropTypes = __webpack_require__(365);
+	
+	var _require5 = __webpack_require__(368);
+	
+	var Services = _require5.Services;
+	
+	var shiftKey = Services.appinfo.OS === "Darwin" ? "\u21E7" : "Shift+";
+	var ctrlKey = Services.appinfo.OS === "Linux" ? "Ctrl+" : "";
+	
+	var actions = __webpack_require__(369);
+	var Breakpoints = React.createFactory(__webpack_require__(539));
+	var Expressions = React.createFactory(__webpack_require__(545));
+	var Scopes = React.createFactory(__webpack_require__(574));
+	var Frames = React.createFactory(__webpack_require__(585));
+	var Accordion = React.createFactory(__webpack_require__(588));
+	__webpack_require__(591);
+	
+	function debugBtn(onClick, type, className, tooltip) {
+	  className = `${ type } ${ className }`;
+	  return dom.span({ onClick, className, key: type }, Svg(type, { title: tooltip }));
+	}
+	
+	var RightSidebar = React.createClass({
+	  propTypes: {
+	    sources: PropTypes.object,
+	    selectedSource: PropTypes.object,
+	    resume: PropTypes.func,
+	    stepIn: PropTypes.func,
+	    stepOut: PropTypes.func,
+	    stepOver: PropTypes.func,
+	    toggleAllBreakpoints: PropTypes.func,
+	    breakOnNext: PropTypes.func,
+	    pause: ImPropTypes.map,
+	    pauseOnExceptions: PropTypes.func,
+	    shouldPauseOnExceptions: PropTypes.bool,
+	    shouldIgnoreCaughtExceptions: PropTypes.bool,
+	    breakpoints: ImPropTypes.map,
+	    isWaitingOnBreak: PropTypes.bool,
+	    breakpointsDisabled: PropTypes.bool,
+	    breakpointsLoading: PropTypes.bool
+	  },
+	
+	  contextTypes: {
+	    shortcuts: PropTypes.object
+	  },
+	
+	  displayName: "RightSidebar",
+	
+	  resume() {
+	    if (this.props.pause) {
+	      this.props.resume();
+	    } else if (!this.props.isWaitingOnBreak) {
+	      this.props.breakOnNext();
+	    }
+	  },
+	
+	  stepOver() {
+	    if (!this.props.pause) {
+	      return;
+	    }
+	    this.props.stepOver();
+	  },
+	
+	  stepIn() {
+	    if (!this.props.pause) {
+	      return;
+	    }
+	    this.props.stepIn();
+	  },
+	
+	  stepOut() {
+	    if (!this.props.pause) {
+	      return;
+	    }
+	    this.props.stepOut();
+	  },
+	
+	  setupKeyboardShortcuts() {
+	    if (this.keyShortcutsEnabled) {
+	      return;
+	    }
+	
+	    this.keyShortcutsEnabled = true;
+	    var shortcuts = this.context.shortcuts;
+	    shortcuts.on("F8", this.resume);
+	    shortcuts.on("F10", this.stepOver);
+	    shortcuts.on(`${ ctrlKey }F11`, this.stepIn);
+	    shortcuts.on(`${ ctrlKey }Shift+F11`, this.stepOut);
+	  },
+	
+	  componentWillUnmount() {
+	    var shortcuts = this.context.shortcuts;
+	    shortcuts.off("F8", this.resume);
+	    shortcuts.off("F10", this.stepOver);
+	    shortcuts.off(`${ ctrlKey }F11`, this.stepIn);
+	    shortcuts.off(`${ ctrlKey }Shift+F11`, this.stepOut);
+	  },
+	
+	  componentDidUpdate() {
+	    this.setupKeyboardShortcuts();
+	  },
+	
+	  renderStepButtons() {
+	    var className = this.props.pause ? "active" : "disabled";
+	    return [debugBtn(this.stepOver, "stepOver", className, "Step Over (F10)"), debugBtn(this.stepIn, "stepIn", className, `Step In (${ ctrlKey }F11)`), debugBtn(this.stepOut, "stepOut", className, `Step Out (${ ctrlKey }${ shiftKey }F11)`)];
+	  },
+	
+	  renderPauseButton() {
+	    var _props = this.props;
+	    var pause = _props.pause;
+	    var breakOnNext = _props.breakOnNext;
+	    var isWaitingOnBreak = _props.isWaitingOnBreak;
+	
+	
+	    if (pause) {
+	      return debugBtn(this.resume, "resume", "active", "Click to resume (F8)");
+	    }
+	
+	    if (isWaitingOnBreak) {
+	      return debugBtn(null, "pause", "disabled", "Waiting for next execution");
+	    }
+	
+	    return debugBtn(breakOnNext, "pause", "active", "Click to pause (F8)");
+	  },
+	
+	  /*
+	   * The pause on exception button has three states in this order:
+	   *  1. don't pause on exceptions      [false, false]
+	   *  2. pause on uncaught exceptions   [true, true]
+	   *  3. pause on all exceptions        [true, false]
+	  */
+	  renderPauseOnExceptions() {
+	    var _props2 = this.props;
+	    var shouldPauseOnExceptions = _props2.shouldPauseOnExceptions;
+	    var shouldIgnoreCaughtExceptions = _props2.shouldIgnoreCaughtExceptions;
+	    var pauseOnExceptions = _props2.pauseOnExceptions;
+	
+	
+	    if (!shouldPauseOnExceptions && !shouldIgnoreCaughtExceptions) {
+	      return debugBtn(() => pauseOnExceptions(true, true), "pause-exceptions", "enabled", "Ignore exceptions. Click to pause on uncaught exceptions");
+	    }
+	
+	    if (shouldPauseOnExceptions && shouldIgnoreCaughtExceptions) {
+	      return debugBtn(() => pauseOnExceptions(true, false), "pause-exceptions", "uncaught enabled", "Pause on uncaught exceptions. Click to pause on all exceptions");
+	    }
+	
+	    return debugBtn(() => pauseOnExceptions(false, false), "pause-exceptions", "all enabled", "Pause on all exceptions. Click to ignore exceptions");
+	  },
+	
+	  renderDisableBreakpoints() {
+	    var _props3 = this.props;
+	    var toggleAllBreakpoints = _props3.toggleAllBreakpoints;
+	    var breakpoints = _props3.breakpoints;
+	    var breakpointsDisabled = _props3.breakpointsDisabled;
+	    var breakpointsLoading = _props3.breakpointsLoading;
+	
+	
+	    if (breakpoints.size == 0 || breakpointsLoading) {
+	      return debugBtn(null, "disableBreakpoints", "disabled", "Disable Breakpoints");
+	    }
+	
+	    return debugBtn(() => toggleAllBreakpoints(!breakpointsDisabled), "disableBreakpoints", breakpointsDisabled ? "breakpoints-disabled" : "", "Disable Breakpoints");
+	  },
+	
+	  getItems() {
+	    var items = [{ header: "Breakpoints",
+	      component: Breakpoints,
+	      opened: true }, { header: "Call Stack",
+	      component: Frames }, { header: "Scopes",
+	      component: Scopes }];
+	    if (isEnabled("watchExpressions")) {
+	      items.unshift({ header: "Watch Expressions",
+	        component: Expressions,
+	        opened: true });
+	    }
+	    return items;
+	  },
+	
+	  render() {
+	    return dom.div({ className: "right-sidebar",
+	      style: { overflowX: "hidden" } }, dom.div({ className: "command-bar" }, this.renderPauseButton(), this.renderStepButtons(), this.renderDisableBreakpoints(), this.renderPauseOnExceptions()), Accordion({
+	      items: this.getItems()
+	    }));
+	  }
+	
+	});
+	
+	module.exports = connect(state => {
+	  return {
+	    pause: getPause(state),
+	    isWaitingOnBreak: getIsWaitingOnBreak(state),
+	    shouldPauseOnExceptions: getShouldPauseOnExceptions(state),
+	    shouldIgnoreCaughtExceptions: getShouldIgnoreCaughtExceptions(state),
+	    breakpointsDisabled: getBreakpointsDisabled(state),
+	    breakpoints: getBreakpoints(state),
+	    breakpointsLoading: getBreakpointsLoading(state)
+	  };
+	}, dispatch => bindActionCreators(actions, dispatch))(RightSidebar);
+
+/***/ },
+/* 539 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	
+	var _require = __webpack_require__(16);
+	
+	var connect = _require.connect;
+	
+	var _require2 = __webpack_require__(2);
+	
+	var bindActionCreators = _require2.bindActionCreators;
+	
+	var ImPropTypes = __webpack_require__(365);
+	var classnames = __webpack_require__(360);
+	var actions = __webpack_require__(369);
+	
+	var _require3 = __webpack_require__(358);
+	
+	var getSource = _require3.getSource;
+	var getPause = _require3.getPause;
+	var getBreakpoints = _require3.getBreakpoints;
+	
+	var _require4 = __webpack_require__(354);
+	
+	var makeLocationId = _require4.makeLocationId;
+	
+	var _require5 = __webpack_require__(342);
+	
+	var truncateStr = _require5.truncateStr;
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var _require6 = __webpack_require__(342);
+	
+	var endTruncateStr = _require6.endTruncateStr;
+	
+	var _require7 = __webpack_require__(392);
+	
+	var basename = _require7.basename;
+	
+	var CloseButton = __webpack_require__(540);
+	
+	__webpack_require__(543);
+	
+	function isCurrentlyPausedAtBreakpoint(state, breakpoint) {
+	  var pause = getPause(state);
+	  if (!pause || pause.get("isInterrupted")) {
+	    return false;
+	  }
+	
+	  var bpId = makeLocationId(breakpoint.location);
+	  var pausedId = makeLocationId(pause.getIn(["frame", "location"]).toJS());
+	
+	  return bpId === pausedId;
+	}
+	
+	function renderSourceLocation(source, line) {
+	  var url = source.get("url") ? basename(source.get("url")) : null;
+	  // const line = url !== "" ? `: ${line}` : "";
+	  return url ? dom.div({ className: "location" }, `${ endTruncateStr(url, 30) }: ${ line }`) : null;
+	}
+	
+	var Breakpoints = React.createClass({
+	  propTypes: {
+	    breakpoints: ImPropTypes.map.isRequired,
+	    enableBreakpoint: PropTypes.func.isRequired,
+	    disableBreakpoint: PropTypes.func.isRequired,
+	    selectSource: PropTypes.func.isRequired,
+	    removeBreakpoint: PropTypes.func.isRequired
+	  },
+	
+	  displayName: "Breakpoints",
+	
+	  handleCheckbox(breakpoint) {
+	    if (breakpoint.loading) {
+	      return;
+	    }
+	
+	    if (breakpoint.disabled) {
+	      this.props.enableBreakpoint(breakpoint.location);
+	    } else {
+	      this.props.disableBreakpoint(breakpoint.location);
+	    }
+	  },
+	
+	  selectBreakpoint(breakpoint) {
+	    var sourceId = breakpoint.location.sourceId;
+	    var line = breakpoint.location.line;
+	    this.props.selectSource(sourceId, { line });
+	  },
+	
+	  removeBreakpoint(event, breakpoint) {
+	    event.stopPropagation();
+	    this.props.removeBreakpoint(breakpoint.location);
+	  },
+	
+	  renderBreakpoint(breakpoint) {
+	    var snippet = truncateStr(breakpoint.text || "", 30);
+	    var locationId = breakpoint.locationId;
+	    var line = breakpoint.location.line;
+	    var isCurrentlyPaused = breakpoint.isCurrentlyPaused;
+	    var isDisabled = breakpoint.disabled;
+	
+	    return dom.div({
+	      className: classnames({
+	        breakpoint,
+	        paused: isCurrentlyPaused,
+	        disabled: isDisabled
+	      }),
+	      key: locationId,
+	      onClick: () => this.selectBreakpoint(breakpoint)
+	    }, dom.input({
+	      type: "checkbox",
+	      checked: !isDisabled,
+	      onChange: () => this.handleCheckbox(breakpoint)
+	    }), dom.div({ className: "breakpoint-label", title: breakpoint.text }, dom.div({}, renderSourceLocation(breakpoint.location.source, line))), dom.div({ className: "breakpoint-snippet" }, snippet), CloseButton({
+	      handleClick: ev => this.removeBreakpoint(ev, breakpoint)
+	    }));
+	  },
+	
+	  render() {
+	    var breakpoints = this.props.breakpoints;
+	
+	    return dom.div({ className: "pane breakpoints-list" }, breakpoints.size === 0 ? dom.div({ className: "pane-info" }, "No Breakpoints") : breakpoints.valueSeq().map(bp => {
+	      return this.renderBreakpoint(bp);
+	    }));
+	  }
+	});
+	
+	function _getBreakpoints(state) {
+	  return getBreakpoints(state).map(bp => {
+	    var source = getSource(state, bp.location.sourceId);
+	    var isCurrentlyPaused = isCurrentlyPausedAtBreakpoint(state, bp);
+	    var locationId = makeLocationId(bp.location);
+	
+	    bp = Object.assign({}, bp);
+	    bp.location.source = source;
+	    bp.locationId = locationId;
+	    bp.isCurrentlyPaused = isCurrentlyPaused;
+	    return bp;
+	  }).filter(bp => bp.location.source);
+	}
+	
+	module.exports = connect((state, props) => ({
+	  breakpoints: _getBreakpoints(state)
+	}), dispatch => bindActionCreators(actions, dispatch))(Breakpoints);
+
+/***/ },
+/* 540 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var Svg = __webpack_require__(491);
+	
+	__webpack_require__(541);
+	
+	function CloseButton(_ref) {
+	  var handleClick = _ref.handleClick;
+	
+	  return dom.div({ className: "close-btn", onClick: handleClick }, Svg("close"));
+	}
+	
+	CloseButton.propTypes = {
+	  handleClick: PropTypes.func.isRequired
+	};
+	
+	module.exports = CloseButton;
+
+/***/ },
+/* 541 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(542);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./CloseButton.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./CloseButton.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 542 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".close-btn path {\r\n  fill: var(--theme-body-color);\r\n}\r\n\r\n.close-btn .close {\r\n  width: 12px;\r\n  height: 12px;\r\n  padding: 2px;\r\n  text-align: center;\r\n  margin-top: 2px;\r\n  line-height: 5px;\r\n  transition: all 0.25s easeinout;\r\n}\r\n\r\n.close-btn .close svg {\r\n  width: 6px;\r\n}\r\n\r\n.close-btn .close:hover {\r\n  background: var(--theme-selection-background);\r\n  border-radius: 2px;\r\n}\r\n\r\n.close-btn .close:hover path {\r\n  fill: white;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 543 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(544);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Breakpoints.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Breakpoints.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 544 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "\r\n.breakpoints-list .breakpoint {\r\n  font-size: 12px;\r\n  color: var(--theme-content-color1);\r\n  margin: 0.25em 0;\r\n  padding: 0.25em 1px 0 0;\r\n  line-height: 1em;\r\n  position: relative;\r\n}\r\n\r\n.breakpoints-list .breakpoint:last-of-type {\r\n  padding-bottom: 0.45em;\r\n}\r\n\r\n.breakpoints-list .breakpoint.paused {\r\n  background-color: var(--theme-toolbar-background-alt);\r\n}\r\n\r\n.breakpoints-list .breakpoint.disabled .breakpoint-label {\r\n  color: var(--theme-content-color3);\r\n  transition: color 0.5s linear;\r\n}\r\n\r\n.breakpoints-list .breakpoint:hover {\r\n  cursor: pointer;\r\n  background-color: var(--theme-toolbar-background);\r\n}\r\n\r\n.breakpoints-list .breakpoint-label {\r\n  display: inline-block;\r\n  padding-left: 2px;\r\n  padding-bottom: 4px;\r\n}\r\n\r\n.breakpoints-list .pause-indicator {\r\n  flex: 0 1 content;\r\n  order: 3;\r\n}\r\n\r\n.breakpoint-snippet {\r\n  color: var(--theme-comment);\r\n  padding-left: 22px;\r\n}\r\n\r\n.breakpoint .close-btn {\r\n  position: absolute;\r\n  right: 6px;\r\n  top: 6px;\r\n}\r\n\r\n.breakpoint .close {\r\n  display: none;\r\n}\r\n\r\n.breakpoint:hover .close {\r\n  display: block;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 545 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	
+	var _require = __webpack_require__(16);
+	
+	var connect = _require.connect;
+	
+	var _require2 = __webpack_require__(2);
+	
+	var bindActionCreators = _require2.bindActionCreators;
+	
+	var ImPropTypes = __webpack_require__(365);
+	// const classnames = require("classnames");
+	var Svg = __webpack_require__(491);
+	var actions = __webpack_require__(369);
+	
+	var _require3 = __webpack_require__(358);
+	
+	var getExpressions = _require3.getExpressions;
+	var getPause = _require3.getPause;
+	
+	var Rep = React.createFactory(__webpack_require__(546));
+	// const { truncateStr } = require("../utils/utils");
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	
+	__webpack_require__(572);
+	
+	var Expressions = React.createClass({
+	  propTypes: {
+	    expressions: ImPropTypes.list,
+	    addExpression: PropTypes.func,
+	    updateExpression: PropTypes.func,
+	    deleteExpression: PropTypes.func
+	  },
+	
+	  displayName: "Expressions",
+	
+	  inputKeyPress(e, _ref) {
+	    var id = _ref.id;
+	
+	    if (e.key !== "Enter") {
+	      return;
+	    }
+	    var addExpression = this.props.addExpression;
+	
+	    var expression = {
+	      input: e.target.value
+	    };
+	    if (id !== undefined) {
+	      expression.id = id;
+	    }
+	    e.target.value = "";
+	    addExpression(expression);
+	  },
+	
+	  updateExpression(e, _ref2) {
+	    var id = _ref2.id;
+	
+	    e.stopPropagation();
+	    var updateExpression = this.props.updateExpression;
+	
+	    var expression = {
+	      id,
+	      input: e.target.textContent
+	    };
+	    updateExpression(expression);
+	  },
+	
+	  renderExpressionValue(value) {
+	    if (!value) {
+	      return;
+	    }
+	    if (value.exception) {
+	      return Rep({ object: value.exception });
+	    }
+	    return Rep({ object: value.result });
+	  },
+	
+	  deleteExpression(e, expression) {
+	    e.stopPropagation();
+	    var deleteExpression = this.props.deleteExpression;
+	
+	    deleteExpression(expression);
+	  },
+	
+	  renderExpressionUpdating(expression) {
+	    return dom.span({ className: "expression-input-container" }, dom.input({ type: "text",
+	      className: "input-expression",
+	      onKeyPress: e => this.inputKeyPress(e, expression),
+	      defaultValue: expression.input,
+	      ref: c => {
+	        this._input = c;
+	      }
+	    }));
+	  },
+	
+	  renderExpression(expression) {
+	    return dom.span({ className: "expression-output-container",
+	      key: expression.id }, dom.span({ className: "expression-input",
+	      onClick: e => this.updateExpression(e, expression) }, expression.input), dom.span({ className: "expression-seperator" }, ": "), dom.span({ className: "expression-value" }, this.renderExpressionValue(expression.value)), dom.span({ className: "close-btn",
+	      onClick: e => this.deleteExpression(e, expression) }, Svg("close")));
+	  },
+	
+	  renderExpressionContainer(expression) {
+	    return dom.div({ className: "expression-container",
+	      key: expression.id + expression.input }, expression.updating ? this.renderExpressionUpdating(expression) : this.renderExpression(expression));
+	  },
+	
+	  componentDidUpdate() {
+	    if (this._input) {
+	      this._input.focus();
+	    }
+	  },
+	
+	  render() {
+	    var expressions = this.props.expressions;
+	
+	    return dom.span({ className: "pane expressions-list" }, dom.input({ type: "text",
+	      className: "input-expression",
+	      placeholder: "Add watch Expression",
+	      onKeyPress: e => this.inputKeyPress(e, {}) }), expressions.toSeq().map(expression => this.renderExpressionContainer(expression)));
+	  }
+	});
+	
+	module.exports = connect(state => ({ pauseInfo: getPause(state),
+	  expressions: getExpressions(state) }), dispatch => bindActionCreators(actions, dispatch))(Expressions);
+
+/***/ },
+/* 546 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var Rep = React.createFactory(__webpack_require__(547).Rep);
+	var Grip = __webpack_require__(561).Grip;
+	
+	__webpack_require__(570);
+	
+	function renderRep(_ref) {
+	  var object = _ref.object;
+	  var mode = _ref.mode;
+	
+	  return Rep({ object, defaultRep: Grip, mode });
+	}
+	
+	module.exports = renderRep;
+
+/***/ },
+/* 547 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	
+	  const { isGrip } = __webpack_require__(548);
+	
+	  // Load all existing rep templates
+	  const { Undefined } = __webpack_require__(549);
+	  const { Null } = __webpack_require__(550);
+	  const { StringRep } = __webpack_require__(551);
+	  const { Number } = __webpack_require__(552);
+	  const { ArrayRep } = __webpack_require__(553);
+	  const { Obj } = __webpack_require__(555);
+	
+	  // DOM types (grips)
+	  const { Attribute } = __webpack_require__(557);
+	  const { DateTime } = __webpack_require__(558);
+	  const { Document } = __webpack_require__(559);
+	  const { Event } = __webpack_require__(560);
+	  const { Func } = __webpack_require__(562);
+	  const { RegExp } = __webpack_require__(563);
+	  const { StyleSheet } = __webpack_require__(564);
+	  const { TextNode } = __webpack_require__(565);
+	  const { Window } = __webpack_require__(566);
+	  const { ObjectWithText } = __webpack_require__(567);
+	  const { ObjectWithURL } = __webpack_require__(568);
+	  const { GripArray } = __webpack_require__(569);
+	  const { Grip } = __webpack_require__(561);
+	
+	  // List of all registered template.
+	  // XXX there should be a way for extensions to register a new
+	  // or modify an existing rep.
+	  let reps = [
+	    RegExp,
+	    StyleSheet,
+	    Event,
+	    DateTime,
+	    TextNode,
+	    Attribute,
+	    Func,
+	    ArrayRep,
+	    Document,
+	    Window,
+	    ObjectWithText,
+	    ObjectWithURL,
+	    GripArray,
+	    Grip,
+	    Undefined,
+	    Null,
+	    StringRep,
+	    Number,
+	  ];
+	
+	  /**
+	   * Generic rep that is using for rendering native JS types or an object.
+	   * The right template used for rendering is picked automatically according
+	   * to the current value type. The value must be passed is as 'object'
+	   * property.
+	   */
+	  const Rep = React.createClass({
+	    displayName: "Rep",
+	
+	    propTypes: {
+	      object: React.PropTypes.any,
+	      defaultRep: React.PropTypes.object,
+	      mode: React.PropTypes.string
+	    },
+	
+	    render: function () {
+	      let rep = getRep(this.props.object, this.props.defaultRep);
+	      return rep(this.props);
+	    },
+	  });
+	
+	  // Helpers
+	
+	  /**
+	   * Return a rep object that is responsible for rendering given
+	   * object.
+	   *
+	   * @param object {Object} Object to be rendered in the UI. This
+	   * can be generic JS object as well as a grip (handle to a remote
+	   * debuggee object).
+	   *
+	   * @param defaultObject {React.Component} The default template
+	   * that should be used to render given object if none is found.
+	   */
+	  function getRep(object, defaultRep = Obj) {
+	    let type = typeof object;
+	    if (type == "object" && object instanceof String) {
+	      type = "string";
+	    }
+	
+	    if (isGrip(object)) {
+	      type = object.class;
+	    }
+	
+	    for (let i = 0; i < reps.length; i++) {
+	      let rep = reps[i];
+	      try {
+	        // supportsObject could return weight (not only true/false
+	        // but a number), which would allow to priorities templates and
+	        // support better extensibility.
+	        if (rep.supportsObject(object, type)) {
+	          return React.createFactory(rep.rep);
+	        }
+	      } catch (err) {
+	        console.error(err);
+	      }
+	    }
+	
+	    return React.createFactory(defaultRep.rep);
+	  }
+	
+	  // Exports from this module
+	  exports.Rep = Rep;
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 548 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* globals URLSearchParams */
+	/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	
+	  /**
+	   * Create React factories for given arguments.
+	   * Example:
+	   *   const { Rep } = createFactories(require("./rep"));
+	   */
+	  function createFactories(args) {
+	    let result = {};
+	    for (let p in args) {
+	      result[p] = React.createFactory(args[p]);
+	    }
+	    return result;
+	  }
+	
+	  /**
+	   * Returns true if the given object is a grip (see RDP protocol)
+	   */
+	  function isGrip(object) {
+	    return object && object.actor;
+	  }
+	
+	  function escapeNewLines(value) {
+	    return value.replace(/\r/gm, "\\r").replace(/\n/gm, "\\n");
+	  }
+	
+	  function cropMultipleLines(text, limit) {
+	    return escapeNewLines(cropString(text, limit));
+	  }
+	
+	  function cropString(text, limit, alternativeText) {
+	    if (!alternativeText) {
+	      alternativeText = "\u2026";
+	    }
+	
+	    // Make sure it's a string.
+	    text = text + "";
+	
+	    // Use default limit if necessary.
+	    if (!limit) {
+	      limit = 50;
+	    }
+	
+	    // Crop the string only if a limit is actually specified.
+	    if (limit <= 0) {
+	      return text;
+	    }
+	
+	    // Set the limit at least to the length of the alternative text
+	    // plus one character of the original text.
+	    if (limit <= alternativeText.length) {
+	      limit = alternativeText.length + 1;
+	    }
+	
+	    let halfLimit = (limit - alternativeText.length) / 2;
+	
+	    if (text.length > limit) {
+	      return text.substr(0, Math.ceil(halfLimit)) + alternativeText +
+	        text.substr(text.length - Math.floor(halfLimit));
+	    }
+	
+	    return text;
+	  }
+	
+	  function parseURLParams(url) {
+	    url = new URL(url);
+	    return parseURLEncodedText(url.searchParams);
+	  }
+	
+	  function parseURLEncodedText(text) {
+	    let params = [];
+	
+	    // In case the text is empty just return the empty parameters
+	    if (text == "") {
+	      return params;
+	    }
+	
+	    let searchParams = new URLSearchParams(text);
+	    let entries = [...searchParams.entries()];
+	    return entries.map(entry => {
+	      return {
+	        name: entry[0],
+	        value: entry[1]
+	      };
+	    });
+	  }
+	
+	  function getFileName(url) {
+	    let split = splitURLBase(url);
+	    return split.name;
+	  }
+	
+	  function splitURLBase(url) {
+	    if (!isDataURL(url)) {
+	      return splitURLTrue(url);
+	    }
+	    return {};
+	  }
+	
+	  function getURLDisplayString(url) {
+	    return cropString(url);
+	  }
+	
+	  function isDataURL(url) {
+	    return (url && url.substr(0, 5) == "data:");
+	  }
+	
+	  function splitURLTrue(url) {
+	    const reSplitFile = /(.*?):\/{2,3}([^\/]*)(.*?)([^\/]*?)($|\?.*)/;
+	    let m = reSplitFile.exec(url);
+	
+	    if (!m) {
+	      return {
+	        name: url,
+	        path: url
+	      };
+	    } else if (m[4] == "" && m[5] == "") {
+	      return {
+	        protocol: m[1],
+	        domain: m[2],
+	        path: m[3],
+	        name: m[3] != "/" ? m[3] : m[2]
+	      };
+	    }
+	
+	    return {
+	      protocol: m[1],
+	      domain: m[2],
+	      path: m[2] + m[3],
+	      name: m[4] + m[5]
+	    };
+	  }
+	
+	  // Exports from this module
+	  exports.createFactories = createFactories;
+	  exports.isGrip = isGrip;
+	  exports.cropString = cropString;
+	  exports.cropMultipleLines = cropMultipleLines;
+	  exports.parseURLParams = parseURLParams;
+	  exports.parseURLEncodedText = parseURLEncodedText;
+	  exports.getFileName = getFileName;
+	  exports.getURLDisplayString = getURLDisplayString;
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 549 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders undefined value
+	   */
+	  const Undefined = React.createClass({
+	    displayName: "UndefinedRep",
+	
+	    render: function () {
+	      return (
+	        span({className: "objectBox objectBox-undefined"},
+	          "undefined"
+	        )
+	      );
+	    },
+	  });
+	
+	  function supportsObject(object, type) {
+	    if (object && object.type && object.type == "undefined") {
+	      return true;
+	    }
+	
+	    return (type == "undefined");
+	  }
+	
+	  // Exports from this module
+	
+	  exports.Undefined = {
+	    rep: Undefined,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 550 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders null value
+	   */
+	  const Null = React.createClass({
+	    displayName: "NullRep",
+	
+	    render: function () {
+	      return (
+	        span({className: "objectBox objectBox-null"},
+	          "null"
+	        )
+	      );
+	    },
+	  });
+	
+	  function supportsObject(object, type) {
+	    if (object && object.type && object.type == "null") {
+	      return true;
+	    }
+	
+	    return (object == null);
+	  }
+	
+	  // Exports from this module
+	
+	  exports.Null = {
+	    rep: Null,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 551 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	  const { cropMultipleLines } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders a string. String value is enclosed within quotes.
+	   */
+	  const StringRep = React.createClass({
+	    displayName: "StringRep",
+	
+	    render: function () {
+	      let text = this.props.object;
+	      let member = this.props.member;
+	      if (member && member.open) {
+	        return (
+	          span({className: "objectBox objectBox-string"},
+	            "\"" + text + "\""
+	          )
+	        );
+	      }
+	
+	      let croppedString = this.props.cropLimit ?
+	        cropMultipleLines(text, this.props.cropLimit) : cropMultipleLines(text);
+	
+	      let formattedString = this.props.omitQuotes ?
+	        croppedString : "\"" + croppedString + "\"";
+	
+	      return (
+	        span({className: "objectBox objectBox-string"}, formattedString
+	        )
+	      );
+	    },
+	  });
+	
+	  function supportsObject(object, type) {
+	    return (type == "string");
+	  }
+	
+	  // Exports from this module
+	
+	  exports.StringRep = {
+	    rep: StringRep,
+	    supportsObject: supportsObject,
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 552 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders a number
+	   */
+	  const Number = React.createClass({
+	    displayName: "Number",
+	
+	    stringify: function (object) {
+	      let isNegativeZero = Object.is(object, -0) ||
+	        (object.type && object.type == "-0");
+	
+	      return (isNegativeZero ? "-0" : String(object));
+	    },
+	
+	    render: function () {
+	      let value = this.props.object;
+	
+	      return (
+	        span({className: "objectBox objectBox-number"},
+	          this.stringify(value)
+	        )
+	      );
+	    }
+	  });
+	
+	  function supportsObject(object, type) {
+	    return type == "boolean" || type == "number" ||
+	      (type == "object" && object.type == "-0");
+	  }
+	
+	  // Exports from this module
+	
+	  exports.Number = {
+	    rep: Number,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 553 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	  const { createFactories } = __webpack_require__(548);
+	  const { Caption } = createFactories(__webpack_require__(554));
+	
+	  // Shortcuts
+	  const DOM = React.DOM;
+	
+	  /**
+	   * Renders an array. The array is enclosed by left and right bracket
+	   * and the max number of rendered items depends on the current mode.
+	   */
+	  let ArrayRep = React.createClass({
+	    displayName: "ArrayRep",
+	
+	    getTitle: function (object, context) {
+	      return "[" + object.length + "]";
+	    },
+	
+	    arrayIterator: function (array, max) {
+	      let items = [];
+	      let delim;
+	
+	      for (let i = 0; i < array.length && i < max; i++) {
+	        try {
+	          let value = array[i];
+	
+	          delim = (i == array.length - 1 ? "" : ", ");
+	
+	          items.push(ItemRep({
+	            key: i,
+	            object: value,
+	            // Hardcode tiny mode to avoid recursive handling.
+	            mode: "tiny",
+	            delim: delim
+	          }));
+	        } catch (exc) {
+	          items.push(ItemRep({
+	            key: i,
+	            object: exc,
+	            mode: "tiny",
+	            delim: delim
+	          }));
+	        }
+	      }
+	
+	      if (array.length > max) {
+	        let objectLink = this.props.objectLink || DOM.span;
+	        items.push(Caption({
+	          key: "more",
+	          object: objectLink({
+	            object: this.props.object
+	          }, (array.length - max) + " more…")
+	        }));
+	      }
+	
+	      return items;
+	    },
+	
+	    /**
+	     * Returns true if the passed object is an array with additional (custom)
+	     * properties, otherwise returns false. Custom properties should be
+	     * displayed in extra expandable section.
+	     *
+	     * Example array with a custom property.
+	     * let arr = [0, 1];
+	     * arr.myProp = "Hello";
+	     *
+	     * @param {Array} array The array object.
+	     */
+	    hasSpecialProperties: function (array) {
+	      function isInteger(x) {
+	        let y = parseInt(x, 10);
+	        if (isNaN(y)) {
+	          return false;
+	        }
+	        return x === y.toString();
+	      }
+	
+	      let props = Object.getOwnPropertyNames(array);
+	      for (let i = 0; i < props.length; i++) {
+	        let p = props[i];
+	
+	        // Valid indexes are skipped
+	        if (isInteger(p)) {
+	          continue;
+	        }
+	
+	        // Ignore standard 'length' property, anything else is custom.
+	        if (p != "length") {
+	          return true;
+	        }
+	      }
+	
+	      return false;
+	    },
+	
+	    // Event Handlers
+	
+	    onToggleProperties: function (event) {
+	    },
+	
+	    onClickBracket: function (event) {
+	    },
+	
+	    render: function () {
+	      let mode = this.props.mode || "short";
+	      let object = this.props.object;
+	      let items;
+	      let brackets;
+	      let needSpace = function (space) {
+	        return space ? { left: "[ ", right: " ]"} : { left: "[", right: "]"};
+	      };
+	
+	      if (mode == "tiny") {
+	        let isEmpty = object.length === 0;
+	        items = DOM.span({className: "length"}, isEmpty ? "" : object.length);
+	        brackets = needSpace(false);
+	      } else {
+	        let max = (mode == "short") ? 3 : 300;
+	        items = this.arrayIterator(object, max);
+	        brackets = needSpace(items.length > 0);
+	      }
+	
+	      let objectLink = this.props.objectLink || DOM.span;
+	
+	      return (
+	        DOM.span({
+	          className: "objectBox objectBox-array"},
+	          objectLink({
+	            className: "arrayLeftBracket",
+	            object: object
+	          }, brackets.left),
+	          items,
+	          objectLink({
+	            className: "arrayRightBracket",
+	            object: object
+	          }, brackets.right),
+	          DOM.span({
+	            className: "arrayProperties",
+	            role: "group"}
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  /**
+	   * Renders array item. Individual values are separated by a comma.
+	   */
+	  let ItemRep = React.createFactory(React.createClass({
+	    displayName: "ItemRep",
+	
+	    render: function () {
+	      const { Rep } = createFactories(__webpack_require__(547));
+	
+	      let object = this.props.object;
+	      let delim = this.props.delim;
+	      let mode = this.props.mode;
+	      return (
+	        DOM.span({},
+	          Rep({object: object, mode: mode}),
+	          delim
+	        )
+	      );
+	    }
+	  }));
+	
+	  function supportsObject(object, type) {
+	    return Array.isArray(object) ||
+	      Object.prototype.toString.call(object) === "[object Arguments]";
+	  }
+	
+	  // Exports from this module
+	  exports.ArrayRep = {
+	    rep: ArrayRep,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 554 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	  const DOM = React.DOM;
+	
+	  /**
+	   * Renders a caption. This template is used by other components
+	   * that needs to distinguish between a simple text/value and a label.
+	   */
+	  const Caption = React.createClass({
+	    displayName: "Caption",
+	
+	    render: function () {
+	      return (
+	        DOM.span({"className": "caption"}, this.props.object)
+	      );
+	    },
+	  });
+	
+	  // Exports from this module
+	  exports.Caption = Caption;
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 555 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	  const { createFactories } = __webpack_require__(548);
+	  const { Caption } = createFactories(__webpack_require__(554));
+	  const { PropRep } = createFactories(__webpack_require__(556));
+	  // Shortcuts
+	  const { span } = React.DOM;
+	  /**
+	   * Renders an object. An object is represented by a list of its
+	   * properties enclosed in curly brackets.
+	   */
+	  const Obj = React.createClass({
+	    displayName: "Obj",
+	
+	    propTypes: {
+	      object: React.PropTypes.object,
+	      mode: React.PropTypes.string,
+	    },
+	
+	    getTitle: function (object) {
+	      if (this.props.objectLink) {
+	        return this.props.objectLink({
+	          object: object
+	        }, object.class + " ");
+	      }
+	      return "Object";
+	    },
+	
+	    safePropIterator: function (object, max) {
+	      max = (typeof max === "undefined") ? 3 : max;
+	      try {
+	        return this.propIterator(object, max);
+	      } catch (err) {
+	        console.error(err);
+	      }
+	      return [];
+	    },
+	
+	    propIterator: function (object, max) {
+	      let isInterestingProp = (t, value) => {
+	        // Do not pick objects, it could cause recursion.
+	        return (t == "boolean" || t == "number" || (t == "string" && value));
+	      };
+	
+	      // Work around https://bugzilla.mozilla.org/show_bug.cgi?id=945377
+	      if (Object.prototype.toString.call(object) === "[object Generator]") {
+	        object = Object.getPrototypeOf(object);
+	      }
+	
+	      // Object members with non-empty values are preferred since it gives the
+	      // user a better overview of the object.
+	      let props = this.getProps(object, max, isInterestingProp);
+	
+	      if (props.length <= max) {
+	        // There are not enough props yet (or at least, not enough props to
+	        // be able to know whether we should print "more…" or not).
+	        // Let's display also empty members and functions.
+	        props = props.concat(this.getProps(object, max, (t, value) => {
+	          return !isInterestingProp(t, value);
+	        }));
+	      }
+	
+	      if (props.length > max) {
+	        props.pop();
+	        let objectLink = this.props.objectLink || span;
+	
+	        props.push(Caption({
+	          key: "more",
+	          object: objectLink({
+	            object: object
+	          }, (Object.keys(object).length - max) + " more…")
+	        }));
+	      } else if (props.length > 0) {
+	        // Remove the last comma.
+	        props[props.length - 1] = React.cloneElement(
+	          props[props.length - 1], { delim: "" });
+	      }
+	
+	      return props;
+	    },
+	
+	    getProps: function (object, max, filter) {
+	      let props = [];
+	
+	      max = max || 3;
+	      if (!object) {
+	        return props;
+	      }
+	
+	      // Hardcode tiny mode to avoid recursive handling.
+	      let mode = "tiny";
+	
+	      try {
+	        for (let name in object) {
+	          if (props.length > max) {
+	            return props;
+	          }
+	
+	          let value;
+	          try {
+	            value = object[name];
+	          } catch (exc) {
+	            continue;
+	          }
+	
+	          let t = typeof value;
+	          if (filter(t, value)) {
+	            props.push(PropRep({
+	              key: name,
+	              mode: mode,
+	              name: name,
+	              object: value,
+	              equal: ": ",
+	              delim: ", ",
+	            }));
+	          }
+	        }
+	      } catch (err) {
+	        console.error(err);
+	      }
+	
+	      return props;
+	    },
+	
+	    render: function () {
+	      let object = this.props.object;
+	      let props = this.safePropIterator(object);
+	      let objectLink = this.props.objectLink || span;
+	
+	      if (this.props.mode == "tiny" || !props.length) {
+	        return (
+	          span({className: "objectBox objectBox-object"},
+	            objectLink({className: "objectTitle"}, this.getTitle())
+	          )
+	        );
+	      }
+	
+	      return (
+	        span({className: "objectBox objectBox-object"},
+	          this.getTitle(object),
+	          objectLink({
+	            className: "objectLeftBrace",
+	            object: object
+	          }, " { "),
+	          props,
+	          objectLink({
+	            className: "objectRightBrace",
+	            object: object
+	          }, " }")
+	        )
+	      );
+	    },
+	  });
+	  function supportsObject(object, type) {
+	    return true;
+	  }
+	
+	  // Exports from this module
+	  exports.Obj = {
+	    rep: Obj,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 556 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  const React = __webpack_require__(18);
+	  const { createFactories } = __webpack_require__(548);
+	
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Property for Obj (local JS objects) and Grip (remote JS objects)
+	   * reps. It's used to render object properties.
+	   */
+	  let PropRep = React.createFactory(React.createClass({
+	    displayName: "PropRep",
+	
+	    propTypes: {
+	      // Property name.
+	      name: React.PropTypes.string,
+	      // Equal character rendered between property name and value.
+	      equal: React.PropTypes.string,
+	      // Delimiter character used to separate individual properties.
+	      delim: React.PropTypes.string,
+	    },
+	
+	    render: function () {
+	      let { Rep } = createFactories(__webpack_require__(547));
+	
+	      return (
+	        span({},
+	          span({
+	            "className": "nodeName"},
+	            this.props.name),
+	          span({
+	            "className": "objectEqual"
+	          }, this.props.equal),
+	          Rep(this.props),
+	          span({
+	            "className": "objectComma"
+	          }, this.props.delim)
+	        )
+	      );
+	    }
+	  }));
+	
+	  // Exports from this module
+	  exports.PropRep = PropRep;
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 557 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { createFactories, isGrip } = __webpack_require__(548);
+	  const { StringRep } = __webpack_require__(551);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	  const { rep: StringRepFactory } = createFactories(StringRep);
+	
+	  /**
+	   * Renders DOM attribute
+	   */
+	  let Attribute = React.createClass({
+	    displayName: "Attr",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired
+	    },
+	
+	    getTitle: function (grip) {
+	      return grip.preview.nodeName;
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	      let value = grip.preview.value;
+	      let objectLink = this.props.objectLink || span;
+	
+	      return (
+	        objectLink({className: "objectLink-Attr"},
+	          span({},
+	            span({className: "attrTitle"},
+	              this.getTitle(grip)
+	            ),
+	            span({className: "attrEqual"},
+	              "="
+	            ),
+	            StringRepFactory({object: value})
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (type == "Attr" && grip.preview);
+	  }
+	
+	  exports.Attribute = {
+	    rep: Attribute,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 558 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Used to render JS built-in Date() object.
+	   */
+	  let DateTime = React.createClass({
+	    displayName: "Date",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return this.props.objectLink({
+	          object: grip
+	        }, grip.class + " ");
+	      }
+	      return "";
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	      return (
+	        span({className: "objectBox"},
+	          this.getTitle(grip),
+	          span({className: "Date"},
+	            new Date(grip.preview.timestamp).toISOString()
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (type == "Date" && grip.preview);
+	  }
+	
+	  // Exports from this module
+	  exports.DateTime = {
+	    rep: DateTime,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 559 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip, getURLDisplayString } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders DOM document object.
+	   */
+	  let Document = React.createClass({
+	    displayName: "Document",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired
+	    },
+	
+	    getLocation: function (grip) {
+	      let location = grip.preview.location;
+	      return location ? getURLDisplayString(location) : "";
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return span({className: "objectBox"},
+	          this.props.objectLink({
+	            object: grip
+	          }, grip.class + " ")
+	        );
+	      }
+	      return "";
+	    },
+	
+	    getTooltip: function (doc) {
+	      return doc.location.href;
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	
+	      return (
+	        span({className: "objectBox objectBox-object"},
+	          this.getTitle(grip),
+	          span({className: "objectPropValue"},
+	            this.getLocation(grip)
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(object, type) {
+	    if (!isGrip(object)) {
+	      return false;
+	    }
+	
+	    return (object.preview && type == "HTMLDocument");
+	  }
+	
+	  // Exports from this module
+	  exports.Document = {
+	    rep: Document,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 560 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { createFactories, isGrip } = __webpack_require__(548);
+	  const { rep } = createFactories(__webpack_require__(561).Grip);
+	
+	  /**
+	   * Renders DOM event objects.
+	   */
+	  let Event = React.createClass({
+	    displayName: "event",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired
+	    },
+	
+	    render: function () {
+	      // Use `Object.assign` to keep `this.props` without changes because:
+	      // 1. JSON.stringify/JSON.parse is slow.
+	      // 2. Immutable.js is planned for the future.
+	      let props = Object.assign({}, this.props);
+	      props.object = Object.assign({}, this.props.object);
+	      props.object.preview = Object.assign({}, this.props.object.preview);
+	      props.object.preview.ownProperties = props.object.preview.properties;
+	      delete props.object.preview.properties;
+	      props.object.ownPropertyLength =
+	        Object.keys(props.object.preview.ownProperties).length;
+	
+	      switch (props.object.class) {
+	        case "MouseEvent":
+	          props.isInterestingProp = (type, value, name) => {
+	            return (name == "clientX" ||
+	                    name == "clientY" ||
+	                    name == "layerX" ||
+	                    name == "layerY");
+	          };
+	          break;
+	        case "KeyboardEvent":
+	          props.isInterestingProp = (type, value, name) => {
+	            return (name == "key" ||
+	                    name == "charCode" ||
+	                    name == "keyCode");
+	          };
+	          break;
+	        case "MessageEvent":
+	          props.isInterestingProp = (type, value, name) => {
+	            return (name == "isTrusted" ||
+	                    name == "data");
+	          };
+	          break;
+	      }
+	      return rep(props);
+	    }
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (grip.preview && grip.preview.kind == "DOMEvent");
+	  }
+	
+	  // Exports from this module
+	  exports.Event = {
+	    rep: Event,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 561 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	  // Dependencies
+	  const { createFactories, isGrip } = __webpack_require__(548);
+	  const { Caption } = createFactories(__webpack_require__(554));
+	  const { PropRep } = createFactories(__webpack_require__(556));
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders generic grip. Grip is client representation
+	   * of remote JS object and is used as an input object
+	   * for this rep component.
+	   */
+	  const GripRep = React.createClass({
+	    displayName: "Grip",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	      mode: React.PropTypes.string,
+	      isInterestingProp: React.PropTypes.func
+	    },
+	
+	    getTitle: function (object) {
+	      if (this.props.objectLink) {
+	        return this.props.objectLink({
+	          object: object
+	        }, object.class + " ");
+	      }
+	      return object.class || "Object";
+	    },
+	
+	    safePropIterator: function (object, max) {
+	      max = (typeof max === "undefined") ? 3 : max;
+	      try {
+	        return this.propIterator(object, max);
+	      } catch (err) {
+	        console.error(err);
+	      }
+	      return [];
+	    },
+	
+	    propIterator: function (object, max) {
+	      // Property filter. Show only interesting properties to the user.
+	      let isInterestingProp = this.props.isInterestingProp || ((type, value) => {
+	        return (
+	          type == "boolean" ||
+	          type == "number" ||
+	          (type == "string" && value.length != 0)
+	        );
+	      });
+	
+	      let ownProperties = object.preview ? object.preview.ownProperties : [];
+	      let indexes = this.getPropIndexes(ownProperties, max, isInterestingProp);
+	      if (indexes.length < max && indexes.length < object.ownPropertyLength) {
+	        // There are not enough props yet. Then add uninteresting props to display them.
+	        indexes = indexes.concat(
+	          this.getPropIndexes(ownProperties, max - indexes.length, (t, value, name) => {
+	            return !isInterestingProp(t, value, name);
+	          })
+	        );
+	      }
+	
+	      let props = this.getProps(ownProperties, indexes);
+	      if (props.length < object.ownPropertyLength) {
+	        // There are some undisplayed props. Then display "more...".
+	        let objectLink = this.props.objectLink || span;
+	
+	        props.push(Caption({
+	          key: "more",
+	          object: objectLink({
+	            object: object
+	          }, ((object ? object.ownPropertyLength : 0) - max) + " more…")
+	        }));
+	      } else if (props.length > 0) {
+	        // Remove the last comma.
+	        // NOTE: do not change comp._store.props directly to update a property,
+	        // it should be re-rendered or cloned with changed props
+	        let last = props.length - 1;
+	        props[last] = React.cloneElement(props[last], {
+	          delim: ""
+	        });
+	      }
+	
+	      return props;
+	    },
+	
+	    /**
+	     * Get props ordered by index.
+	     *
+	     * @param {Object} ownProperties Props object.
+	     * @param {Array} indexes Indexes of props.
+	     * @return {Array} Props.
+	     */
+	    getProps: function (ownProperties, indexes) {
+	      let props = [];
+	
+	      // Make indexes ordered by ascending.
+	      indexes.sort(function (a, b) {
+	        return a - b;
+	      });
+	
+	      indexes.forEach((i) => {
+	        let name = Object.keys(ownProperties)[i];
+	        let prop = ownProperties[name];
+	        let value = prop.value !== undefined ? prop.value : prop;
+	        props.push(PropRep(Object.assign({}, this.props, {
+	          key: name,
+	          mode: "tiny",
+	          name: name,
+	          object: value,
+	          equal: ": ",
+	          delim: ", ",
+	          defaultRep: Grip
+	        })));
+	      });
+	
+	      return props;
+	    },
+	
+	    /**
+	     * Get the indexes of props in the object.
+	     *
+	     * @param {Object} ownProperties Props object.
+	     * @param {Number} max The maximum length of indexes array.
+	     * @param {Function} filter Filter the props you want.
+	     * @return {Array} Indexes of interesting props in the object.
+	     */
+	    getPropIndexes: function (ownProperties, max, filter) {
+	      let indexes = [];
+	
+	      try {
+	        let i = 0;
+	        for (let name in ownProperties) {
+	          if (indexes.length >= max) {
+	            return indexes;
+	          }
+	
+	          let prop = ownProperties[name];
+	          let value = prop.value !== undefined ? prop.value : prop;
+	
+	          // Type is specified in grip's "class" field and for primitive
+	          // values use typeof.
+	          let type = (value.class || typeof value);
+	          type = type.toLowerCase();
+	
+	          if (filter(type, value, name)) {
+	            indexes.push(i);
+	          }
+	          i++;
+	        }
+	      } catch (err) {
+	        console.error(err);
+	      }
+	
+	      return indexes;
+	    },
+	
+	    render: function () {
+	      let object = this.props.object;
+	      let props = this.safePropIterator(object,
+	        (this.props.mode == "long") ? 100 : 3);
+	
+	      let objectLink = this.props.objectLink || span;
+	      if (this.props.mode == "tiny" || !props.length) {
+	        return (
+	          span({className: "objectBox objectBox-object"},
+	            this.getTitle(object),
+	            objectLink({
+	              className: "objectLeftBrace",
+	              object: object
+	            }, "")
+	          )
+	        );
+	      }
+	
+	      return (
+	        span({className: "objectBox objectBox-object"},
+	          this.getTitle(object),
+	          objectLink({
+	            className: "objectLeftBrace",
+	            object: object
+	          }, " { "),
+	          props,
+	          objectLink({
+	            className: "objectRightBrace",
+	            object: object
+	          }, " }")
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	  function supportsObject(object, type) {
+	    if (!isGrip(object)) {
+	      return false;
+	    }
+	    return (object.preview && object.preview.ownProperties);
+	  }
+	
+	  let Grip = {
+	    rep: GripRep,
+	    supportsObject: supportsObject
+	  };
+	
+	  // Exports from this module
+	  exports.Grip = Grip;
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 562 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip, cropString } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * This component represents a template for Function objects.
+	   */
+	  let Func = React.createClass({
+	    displayName: "Func",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return this.props.objectLink({
+	          object: grip
+	        }, "function ");
+	      }
+	      return "";
+	    },
+	
+	    summarizeFunction: function (grip) {
+	      let name = grip.userDisplayName || grip.displayName || grip.name || "function";
+	      return cropString(name + "()", 100);
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	
+	      return (
+	        span({className: "objectBox objectBox-function"},
+	          this.getTitle(grip),
+	          this.summarizeFunction(grip)
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return (type == "function");
+	    }
+	
+	    return (type == "Function");
+	  }
+	
+	  // Exports from this module
+	
+	  exports.Func = {
+	    rep: Func,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 563 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders a grip object with regular expression.
+	   */
+	  let RegExp = React.createClass({
+	    displayName: "regexp",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	    },
+	
+	    getSource: function (grip) {
+	      return grip.displayString;
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	      let objectLink = this.props.objectLink || span;
+	
+	      return (
+	        span({className: "objectBox objectBox-regexp"},
+	          objectLink({
+	            object: grip,
+	            className: "regexpSource"
+	          }, this.getSource(grip))
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(object, type) {
+	    if (!isGrip(object)) {
+	      return false;
+	    }
+	
+	    return (type == "RegExp");
+	  }
+	
+	  // Exports from this module
+	  exports.RegExp = {
+	    rep: RegExp,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 564 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip, getURLDisplayString } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const DOM = React.DOM;
+	
+	  /**
+	   * Renders a grip representing CSSStyleSheet
+	   */
+	  let StyleSheet = React.createClass({
+	    displayName: "object",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	    },
+	
+	    getTitle: function (grip) {
+	      let title = "StyleSheet ";
+	      if (this.props.objectLink) {
+	        return DOM.span({className: "objectBox"},
+	          this.props.objectLink({
+	            object: grip
+	          }, title + " ")
+	        );
+	      }
+	      return title;
+	    },
+	
+	    getLocation: function (grip) {
+	      // Embedded stylesheets don't have URL and so, no preview.
+	      let url = grip.preview ? grip.preview.url : "";
+	      return url ? getURLDisplayString(url) : "";
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	
+	      return (
+	        DOM.span({className: "objectBox objectBox-object"},
+	          this.getTitle(grip),
+	          DOM.span({className: "objectPropValue"},
+	            this.getLocation(grip)
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(object, type) {
+	    if (!isGrip(object)) {
+	      return false;
+	    }
+	
+	    return (type == "CSSStyleSheet");
+	  }
+	
+	  // Exports from this module
+	
+	  exports.StyleSheet = {
+	    rep: StyleSheet,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 565 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip, cropMultipleLines } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const DOM = React.DOM;
+	
+	  /**
+	   * Renders DOM #text node.
+	   */
+	  let TextNode = React.createClass({
+	    displayName: "TextNode",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	      mode: React.PropTypes.string,
+	    },
+	
+	    getTextContent: function (grip) {
+	      return cropMultipleLines(grip.preview.textContent);
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return this.props.objectLink({
+	          object: grip
+	        }, "#text");
+	      }
+	      return "";
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	      let mode = this.props.mode || "short";
+	
+	      if (mode == "short" || mode == "tiny") {
+	        return (
+	          DOM.span({className: "objectBox objectBox-textNode"},
+	            this.getTitle(grip),
+	            "\"" + this.getTextContent(grip) + "\""
+	          )
+	        );
+	      }
+	
+	      let objectLink = this.props.objectLink || DOM.span;
+	      return (
+	        DOM.span({className: "objectBox objectBox-textNode"},
+	          this.getTitle(grip),
+	          objectLink({
+	            object: grip
+	          }, "<"),
+	          DOM.span({className: "nodeTag"}, "TextNode"),
+	          " textContent=\"",
+	          DOM.span({className: "nodeValue"},
+	            this.getTextContent(grip)
+	          ),
+	          "\"",
+	          objectLink({
+	            object: grip
+	          }, ">;")
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (grip.preview && grip.class == "Text");
+	  }
+	
+	  // Exports from this module
+	  exports.TextNode = {
+	    rep: TextNode,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 566 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip, getURLDisplayString } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const DOM = React.DOM;
+	
+	  /**
+	   * Renders a grip representing a window.
+	   */
+	  let Window = React.createClass({
+	    displayName: "Window",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return DOM.span({className: "objectBox"},
+	          this.props.objectLink({
+	            object: grip
+	          }, grip.class + " ")
+	        );
+	      }
+	      return "";
+	    },
+	
+	    getLocation: function (grip) {
+	      return getURLDisplayString(grip.preview.url);
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	
+	      return (
+	        DOM.span({className: "objectBox objectBox-Window"},
+	          this.getTitle(grip),
+	          DOM.span({className: "objectPropValue"},
+	            this.getLocation(grip)
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(object, type) {
+	    if (!isGrip(object)) {
+	      return false;
+	    }
+	
+	    return (object.preview && type == "Window");
+	  }
+	
+	  // Exports from this module
+	  exports.Window = {
+	    rep: Window,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 567 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders a grip object with textual data.
+	   */
+	  let ObjectWithText = React.createClass({
+	    displayName: "ObjectWithText",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return span({className: "objectBox"},
+	          this.props.objectLink({
+	            object: grip
+	          }, this.getType(grip) + " ")
+	        );
+	      }
+	      return "";
+	    },
+	
+	    getType: function (grip) {
+	      return grip.class;
+	    },
+	
+	    getDescription: function (grip) {
+	      return "\"" + grip.preview.text + "\"";
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	      return (
+	        span({className: "objectBox objectBox-" + this.getType(grip)},
+	          this.getTitle(grip),
+	          span({className: "objectPropValue"},
+	            this.getDescription(grip)
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (grip.preview && grip.preview.kind == "ObjectWithText");
+	  }
+	
+	  // Exports from this module
+	  exports.ObjectWithText = {
+	    rep: ObjectWithText,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 568 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // ReactJS
+	  const React = __webpack_require__(18);
+	
+	  // Reps
+	  const { isGrip, getURLDisplayString } = __webpack_require__(548);
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders a grip object with URL data.
+	   */
+	  let ObjectWithURL = React.createClass({
+	    displayName: "ObjectWithURL",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	    },
+	
+	    getTitle: function (grip) {
+	      if (this.props.objectLink) {
+	        return span({className: "objectBox"},
+	          this.props.objectLink({
+	            object: grip
+	          }, this.getType(grip) + " ")
+	        );
+	      }
+	      return "";
+	    },
+	
+	    getType: function (grip) {
+	      return grip.class;
+	    },
+	
+	    getDescription: function (grip) {
+	      return getURLDisplayString(grip.preview.url);
+	    },
+	
+	    render: function () {
+	      let grip = this.props.object;
+	      return (
+	        span({className: "objectBox objectBox-" + this.getType(grip)},
+	          this.getTitle(grip),
+	          span({className: "objectPropValue"},
+	            this.getDescription(grip)
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  // Registration
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (grip.preview && grip.preview.kind == "ObjectWithURL");
+	  }
+	
+	  // Exports from this module
+	  exports.ObjectWithURL = {
+	    rep: ObjectWithURL,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 569 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var __WEBPACK_AMD_DEFINE_RESULT__;/* -*- indent-tabs-mode: nil; js-indent-level: 2 -*- */
+	/* vim: set ft=javascript ts=2 et sw=2 tw=80: */
+	/* This Source Code Form is subject to the terms of the Mozilla Public
+	 * License, v. 2.0. If a copy of the MPL was not distributed with this
+	 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+	
+	"use strict";
+	
+	// Make this available to both AMD and CJS environments
+	!(__WEBPACK_AMD_DEFINE_RESULT__ = function (require, exports, module) {
+	  // Dependencies
+	  const React = __webpack_require__(18);
+	  const { createFactories, isGrip } = __webpack_require__(548);
+	  const { Caption } = createFactories(__webpack_require__(554));
+	
+	  // Shortcuts
+	  const { span } = React.DOM;
+	
+	  /**
+	   * Renders an array. The array is enclosed by left and right bracket
+	   * and the max number of rendered items depends on the current mode.
+	   */
+	  let GripArray = React.createClass({
+	    displayName: "GripArray",
+	
+	    propTypes: {
+	      object: React.PropTypes.object.isRequired,
+	      mode: React.PropTypes.string,
+	      provider: React.PropTypes.object,
+	    },
+	
+	    getLength: function (grip) {
+	      return grip.preview ? grip.preview.length : 0;
+	    },
+	
+	    getTitle: function (object, context) {
+	      let objectLink = this.props.objectLink || span;
+	      if (this.props.mode != "tiny") {
+	        return objectLink({
+	          object: object
+	        }, object.class + " ");
+	      }
+	      return "";
+	    },
+	
+	    arrayIterator: function (grip, max) {
+	      let items = [];
+	
+	      if (!grip.preview || !grip.preview.length) {
+	        return items;
+	      }
+	
+	      let array = grip.preview.items;
+	      if (!array) {
+	        return items;
+	      }
+	
+	      let delim;
+	      // number of grip.preview.items is limited to 10, but we may have more
+	      // items in grip-array
+	      let delimMax = grip.preview.length > array.length ?
+	        array.length : array.length - 1;
+	      let provider = this.props.provider;
+	
+	      for (let i = 0; i < array.length && i < max; i++) {
+	        try {
+	          let itemGrip = array[i];
+	          let value = provider ? provider.getValue(itemGrip) : itemGrip;
+	
+	          delim = (i == delimMax ? "" : ", ");
+	
+	          items.push(GripArrayItem(Object.assign({}, this.props, {
+	            key: i,
+	            object: value,
+	            delim: delim}
+	          )));
+	        } catch (exc) {
+	          items.push(GripArrayItem(Object.assign({}, this.props, {
+	            object: exc,
+	            delim: delim,
+	            key: i}
+	          )));
+	        }
+	      }
+	      if (array.length > max || grip.preview.length > array.length) {
+	        let objectLink = this.props.objectLink || span;
+	        let leftItemNum = grip.preview.length - max > 0 ?
+	          grip.preview.length - max : grip.preview.length - array.length;
+	        items.push(Caption({
+	          key: "more",
+	          object: objectLink({
+	            object: this.props.object
+	          }, leftItemNum + " more…")
+	        }));
+	      }
+	
+	      return items;
+	    },
+	
+	    render: function () {
+	      let mode = this.props.mode || "short";
+	      let object = this.props.object;
+	
+	      let items;
+	      let brackets;
+	      let needSpace = function (space) {
+	        return space ? { left: "[ ", right: " ]"} : { left: "[", right: "]"};
+	      };
+	
+	      if (mode == "tiny") {
+	        let objectLength = this.getLength(object);
+	        let isEmpty = objectLength === 0;
+	        items = span({className: "length"}, isEmpty ? "" : objectLength);
+	        brackets = needSpace(false);
+	      } else {
+	        let max = (mode == "short") ? 3 : 300;
+	        items = this.arrayIterator(object, max);
+	        brackets = needSpace(items.length > 0);
+	      }
+	
+	      let objectLink = this.props.objectLink || span;
+	      let title = this.getTitle(object);
+	
+	      return (
+	        span({
+	          className: "objectBox objectBox-array"},
+	          title,
+	          objectLink({
+	            className: "arrayLeftBracket",
+	            object: object
+	          }, brackets.left),
+	          items,
+	          objectLink({
+	            className: "arrayRightBracket",
+	            object: object
+	          }, brackets.right),
+	          span({
+	            className: "arrayProperties",
+	            role: "group"}
+	          )
+	        )
+	      );
+	    },
+	  });
+	
+	  /**
+	   * Renders array item. Individual values are separated by
+	   * a delimiter (a comma by default).
+	   */
+	  let GripArrayItem = React.createFactory(React.createClass({
+	    displayName: "GripArrayItem",
+	
+	    propTypes: {
+	      delim: React.PropTypes.string,
+	    },
+	
+	    render: function () {
+	      let { Rep } = createFactories(__webpack_require__(547));
+	
+	      return (
+	        span({},
+	          Rep(Object.assign({}, this.props, {
+	            mode: "tiny"
+	          })),
+	          this.props.delim
+	        )
+	      );
+	    }
+	  }));
+	
+	  function supportsObject(grip, type) {
+	    if (!isGrip(grip)) {
+	      return false;
+	    }
+	
+	    return (grip.preview && grip.preview.kind == "ArrayLike");
+	  }
+	
+	  // Exports from this module
+	  exports.GripArray = {
+	    rep: GripArray,
+	    supportsObject: supportsObject
+	  };
+	}.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));
+
+
+/***/ },
+/* 570 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(571);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../../../../../../node_modules/css-loader/index.js!./reps.css", function() {
+				var newContent = require("!!./../../../../../../../../node_modules/css-loader/index.js!./reps.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 571 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "/* vim:set ts=2 sw=2 sts=2 et: */\r\n/* This Source Code Form is subject to the terms of the Mozilla Public\r\n * License, v. 2.0. If a copy of the MPL was not distributed with this\r\n * file, You can obtain one at http://mozilla.org/MPL/2.0/. */\r\n\r\n.theme-dark,\r\n.theme-light {\r\n  --number-color: var(--theme-highlight-green);\r\n  --string-color: var(--theme-highlight-orange);\r\n  --null-color: var(--theme-comment);\r\n  --object-color: var(--theme-body-color);\r\n  --caption-color: var(--theme-highlight-blue);\r\n  --location-color: var(--theme-content-color1);\r\n  --source-link-color: var(--theme-highlight-blue);\r\n  --node-color: var(--theme-highlight-bluegrey);\r\n  --reference-color: var(--theme-highlight-purple);\r\n}\r\n\r\n.theme-firebug {\r\n  --number-color: #000088;\r\n  --string-color: #FF0000;\r\n  --null-color: #787878;\r\n  --object-color: DarkGreen;\r\n  --caption-color: #444444;\r\n  --location-color: #555555;\r\n  --source-link-color: blue;\r\n  --node-color: rgb(0, 0, 136);\r\n  --reference-color: rgb(102, 102, 255);\r\n}\r\n\r\n/******************************************************************************/\r\n\r\n.objectLink:hover {\r\n  cursor: pointer;\r\n  text-decoration: underline;\r\n}\r\n\r\n.inline {\r\n  display: inline;\r\n  white-space: normal;\r\n}\r\n\r\n.objectBox-object {\r\n  font-weight: bold;\r\n  color: var(--object-color);\r\n  white-space: pre-wrap;\r\n}\r\n\r\n.objectBox-string,\r\n.objectBox-text,\r\n.objectLink-textNode,\r\n.objectBox-table {\r\n  white-space: pre-wrap;\r\n}\r\n\r\n.objectBox-number,\r\n.objectLink-styleRule,\r\n.objectLink-element,\r\n.objectLink-textNode,\r\n.objectBox-array > .length {\r\n  color: var(--number-color);\r\n}\r\n\r\n.objectBox-string {\r\n  color: var(--string-color);\r\n}\r\n\r\n.objectLink-function,\r\n.objectBox-stackTrace,\r\n.objectLink-profile {\r\n  color: var(--object-color);\r\n}\r\n\r\n.objectLink-Location {\r\n  font-style: italic;\r\n  color: var(--location-color);\r\n}\r\n\r\n.objectBox-null,\r\n.objectBox-undefined,\r\n.objectBox-hint,\r\n.logRowHint {\r\n  font-style: italic;\r\n  color: var(--null-color);\r\n}\r\n\r\n.objectLink-sourceLink {\r\n  position: absolute;\r\n  right: 4px;\r\n  top: 2px;\r\n  padding-left: 8px;\r\n  font-weight: bold;\r\n  color: var(--source-link-color);\r\n}\r\n\r\n/******************************************************************************/\r\n\r\n.objectLink-event,\r\n.objectLink-eventLog,\r\n.objectLink-regexp,\r\n.objectLink-object,\r\n.objectLink-Date {\r\n  font-weight: bold;\r\n  color: var(--object-color);\r\n  white-space: pre-wrap;\r\n}\r\n\r\n/******************************************************************************/\r\n\r\n.objectLink-object .nodeName,\r\n.objectLink-NamedNodeMap .nodeName,\r\n.objectLink-NamedNodeMap .objectEqual,\r\n.objectLink-NamedNodeMap .arrayLeftBracket,\r\n.objectLink-NamedNodeMap .arrayRightBracket,\r\n.objectLink-Attr .attrEqual,\r\n.objectLink-Attr .attrTitle {\r\n  color: var(--node-color);\r\n}\r\n\r\n.objectLink-object .nodeName {\r\n  font-weight: normal;\r\n}\r\n\r\n/******************************************************************************/\r\n\r\n.objectLeftBrace,\r\n.objectRightBrace,\r\n.arrayLeftBracket,\r\n.arrayRightBracket {\r\n  cursor: pointer;\r\n  font-weight: bold;\r\n}\r\n\r\n.objectLeftBrace,\r\n.arrayLeftBracket {\r\n  margin-right: 4px;\r\n}\r\n\r\n.objectRightBrace,\r\n.arrayRightBracket {\r\n  margin-left: 4px;\r\n}\r\n\r\n/******************************************************************************/\r\n/* Cycle reference*/\r\n\r\n.objectLink-Reference {\r\n  font-weight: bold;\r\n  color: var(--reference-color);\r\n}\r\n\r\n.objectBox-array > .objectTitle {\r\n  font-weight: bold;\r\n  color: var(--object-color);\r\n}\r\n\r\n.caption {\r\n  font-weight: bold;\r\n  color:  var(--caption-color);\r\n}\r\n\r\n/******************************************************************************/\r\n/* Themes */\r\n\r\n.theme-dark .objectBox-null,\r\n.theme-dark .objectBox-undefined,\r\n.theme-light .objectBox-null,\r\n.theme-light .objectBox-undefined {\r\n  font-style: normal;\r\n}\r\n\r\n.theme-dark .objectBox-object,\r\n.theme-light .objectBox-object {\r\n  font-weight: normal;\r\n  white-space: pre-wrap;\r\n}\r\n\r\n.theme-dark .caption,\r\n.theme-light .caption {\r\n  font-weight: normal;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 572 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(573);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Expressions.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Expressions.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 573 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".input-expression {\r\n  width: 100%;\r\n  padding: 5px;\r\n  margin: 0px;\r\n  border: none;\r\n  cursor: hand;\r\n}\r\n\r\n.expression-container {\r\n  border: 1px;\r\n  padding: 2px;\r\n  margin: 1px;\r\n  width: 100%;\r\n}\r\n\r\n.expression-output-container .close-btn {\r\n  width: 6px;\r\n  height: 6px;\r\n  float: right;\r\n  margin-right: 6px;\r\n  display: block;\r\n  cursor: pointer;\r\n}\r\n\r\n.expression-input {\r\n  color: var(--theme-content-color1);\r\n  cursor: pointer;\r\n  max-width: 50%;\r\n}\r\n\r\n.expression-value {\r\n  overflow-x: scroll;\r\n  color: var(--theme-content-color2);\r\n  max-width: 50% !important;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 574 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	
+	var _require = __webpack_require__(2);
+	
+	var bindActionCreators = _require.bindActionCreators;
+	
+	var _require2 = __webpack_require__(16);
+	
+	var connect = _require2.connect;
+	
+	var ImPropTypes = __webpack_require__(365);
+	var actions = __webpack_require__(369);
+	
+	var _require3 = __webpack_require__(358);
+	
+	var getSelectedFrame = _require3.getSelectedFrame;
+	var getLoadedObjects = _require3.getLoadedObjects;
+	var getPause = _require3.getPause;
+	
+	var ObjectInspector = React.createFactory(__webpack_require__(575));
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var toPairs = __webpack_require__(578);
+	
+	__webpack_require__(583);
+	
+	function info(text) {
+	  return dom.div({ className: "pane-info" }, text);
+	}
+	
+	// Create the tree nodes representing all the variables and arguments
+	// for the bindings from a scope.
+	function getBindingVariables(bindings, parentName) {
+	  var args = bindings.arguments.map(arg => toPairs(arg)[0]);
+	  var variables = toPairs(bindings.variables);
+	
+	  return args.concat(variables).filter(binding => !(binding[1].value.missingArguments || binding[1].value.optimizedOut)).map(binding => ({
+	    name: binding[0],
+	    path: parentName + "/" + binding[0],
+	    contents: binding[1]
+	  }));
+	}
+	
+	function getSpecialVariables(pauseInfo, path) {
+	  var thrown = pauseInfo.getIn(["why", "frameFinished", "throw"]);
+	  var returned = pauseInfo.getIn(["why", "frameFinished", "return"]);
+	  var vars = [];
+	
+	  if (thrown) {
+	    // handle dehydrating excpetion strings and errors.
+	    thrown = thrown.toJS ? thrown.toJS() : thrown;
+	
+	    vars.push({
+	      name: "<exception>",
+	      path: path + "/<exception>",
+	      contents: { value: thrown }
+	    });
+	  }
+	
+	  if (returned) {
+	    vars.push({
+	      name: "<return>",
+	      path: path + "/<return>",
+	      contents: { value: returned.toJS() }
+	    });
+	  }
+	
+	  return vars;
+	}
+	
+	function getThisVariable(frame, path) {
+	  var this_ = frame.this;
+	
+	  if (!this_) {
+	    return null;
+	  }
+	
+	  return {
+	    name: "<this>",
+	    path: path + "/<this>",
+	    contents: { value: this_ }
+	  };
+	}
+	
+	function getScopes(pauseInfo, selectedFrame) {
+	  if (!pauseInfo || !selectedFrame) {
+	    return null;
+	  }
+	
+	  var selectedScope = selectedFrame.scope;
+	
+	  if (!selectedScope) {
+	    return null;
+	  }
+	
+	  var scopes = [];
+	
+	  var scope = selectedScope;
+	  var pausedScopeActor = pauseInfo.getIn(["frame", "scope"]).get("actor");
+	
+	  do {
+	    var type = scope.type;
+	    var key = scope.actor;
+	    if (type === "function" || type === "block") {
+	      var bindings = scope.bindings;
+	      var title = void 0;
+	      if (type === "function") {
+	        title = scope.function.displayName || "(anonymous)";
+	      } else {
+	        title = "Block";
+	      }
+	
+	      var vars = getBindingVariables(bindings, title);
+	
+	      // show exception, return, and this variables in innermost scope
+	      if (scope.actor === pausedScopeActor) {
+	        vars = vars.concat(getSpecialVariables(pauseInfo, key));
+	      }
+	
+	      if (scope.actor === selectedScope.actor) {
+	        var this_ = getThisVariable(selectedFrame, key);
+	
+	        if (this_) {
+	          vars.push(this_);
+	        }
+	      }
+	
+	      if (vars && vars.length) {
+	        vars.sort((a, b) => a.name.localeCompare(b.name));
+	        scopes.push({ name: title, path: key, contents: vars });
+	      }
+	    } else if (type === "object") {
+	      scopes.push({
+	        name: scope.object.class,
+	        path: key,
+	        contents: { value: scope.object }
+	      });
+	    }
+	  } while (scope = scope.parent); // eslint-disable-line no-cond-assign
+	
+	  return scopes;
+	}
+	
+	var Scopes = React.createClass({
+	  propTypes: {
+	    pauseInfo: ImPropTypes.map,
+	    loadedObjects: ImPropTypes.map,
+	    loadObjectProperties: PropTypes.func,
+	    selectedFrame: PropTypes.object
+	  },
+	
+	  displayName: "Scopes",
+	
+	  getInitialState() {
+	    var _props = this.props;
+	    var pauseInfo = _props.pauseInfo;
+	    var selectedFrame = _props.selectedFrame;
+	
+	    return { scopes: getScopes(pauseInfo, selectedFrame) };
+	  },
+	
+	  componentWillReceiveProps(nextProps) {
+	    var _props2 = this.props;
+	    var pauseInfo = _props2.pauseInfo;
+	    var selectedFrame = _props2.selectedFrame;
+	
+	    var pauseInfoChanged = pauseInfo !== nextProps.pauseInfo;
+	    var selectedFrameChange = selectedFrame !== nextProps.selectedFrame;
+	
+	    if (pauseInfoChanged || selectedFrameChange) {
+	      this.setState({
+	        scopes: getScopes(nextProps.pauseInfo, nextProps.selectedFrame)
+	      });
+	    }
+	  },
+	
+	  render() {
+	    var _props3 = this.props;
+	    var pauseInfo = _props3.pauseInfo;
+	    var loadObjectProperties = _props3.loadObjectProperties;
+	    var loadedObjects = _props3.loadedObjects;
+	    var scopes = this.state.scopes;
+	
+	
+	    var scopeInspector = info("Scopes Unavailable");
+	    if (scopes) {
+	      scopeInspector = ObjectInspector({
+	        roots: scopes,
+	        getObjectProperties: id => loadedObjects.get(id),
+	        loadObjectProperties: loadObjectProperties
+	      });
+	    }
+	
+	    return dom.div({ className: "pane scopes-list" }, pauseInfo ? scopeInspector : info("Not Paused"));
+	  }
+	});
+	
+	module.exports = connect(state => ({
+	  pauseInfo: getPause(state),
+	  selectedFrame: getSelectedFrame(state),
+	  loadedObjects: getLoadedObjects(state)
+	}), dispatch => bindActionCreators(actions, dispatch))(Scopes);
+
+/***/ },
+/* 575 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var classnames = __webpack_require__(360);
+	var ManagedTree = React.createFactory(__webpack_require__(487));
+	var Svg = __webpack_require__(491);
+	var Rep = __webpack_require__(546);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	
+	__webpack_require__(576);
+	
+	// This implements a component that renders an interactive inspector
+	// for looking at JavaScript objects. It expects descriptions of
+	// objects from the protocol, and will dynamically fetch child
+	// properties as objects are expanded.
+	//
+	// If you want to inspect a single object, pass the name and the
+	// protocol descriptor of it:
+	//
+	//  ObjectInspector({
+	//    name: "foo",
+	//    desc: { writable: true, ..., { value: { actor: "1", ... }}},
+	//    ...
+	//  })
+	//
+	// If you want multiple top-level objects (like scopes), you can pass
+	// an array of manually constructed nodes as `roots`:
+	//
+	//  ObjectInspector({
+	//    roots: [{ name: ... }, ...],
+	//    ...
+	//  });
+	
+	// There are 3 types of nodes: a simple node with a children array, an
+	// object that has properties that should be children when they are
+	// fetched, and a primitive value that should be displayed with no
+	// children.
+	
+	function nodeHasChildren(item) {
+	  return Array.isArray(item.contents);
+	}
+	
+	function nodeHasProperties(item) {
+	  return !nodeHasChildren(item) && item.contents.value.type === "object";
+	}
+	
+	function nodeIsPrimitive(item) {
+	  return !nodeHasChildren(item) && !nodeHasProperties(item);
+	}
+	
+	function createNode(name, path, contents) {
+	  // The path is important to uniquely identify the item in the entire
+	  // tree. This helps debugging & optimizes React's rendering of large
+	  // lists. The path will be separated by property name,
+	  // i.e. `{ foo: { bar: { baz: 5 }}}` will have a path of `foo/bar/baz`
+	  // for the inner object.
+	  return { name, path, contents };
+	}
+	
+	var ObjectInspector = React.createClass({
+	  propTypes: {
+	    name: PropTypes.string,
+	    desc: PropTypes.object,
+	    roots: PropTypes.array,
+	    getObjectProperties: PropTypes.func.isRequired,
+	    loadObjectProperties: PropTypes.func.isRequired
+	  },
+	
+	  displayName: "ObjectInspector",
+	
+	  getInitialState() {
+	    // Cache of dynamically built nodes. We shouldn't need to clear
+	    // this out ever, since we don't ever "switch out" the object
+	    // being inspected.
+	    this.actorCache = {};
+	    return {};
+	  },
+	
+	  makeNodesForProperties(objProps, parentPath) {
+	    var ownProperties = objProps.ownProperties;
+	    var prototype = objProps.prototype;
+	
+	
+	    var nodes = Object.keys(ownProperties).filter(name => {
+	      // Ignore non-concrete values like getters and setters
+	      // for now by making sure we have a value.
+	      return "value" in ownProperties[name];
+	    }).map(name => {
+	      return createNode(name, parentPath + "/" + name, ownProperties[name]);
+	    });
+	
+	    // Add the prototype if it exists and is not null
+	    if (prototype && prototype.type !== "null") {
+	      nodes.push(createNode("__proto__", parentPath + "/__proto__", { value: prototype }));
+	    }
+	
+	    return nodes;
+	  },
+	
+	  getChildren(item) {
+	    var getObjectProperties = this.props.getObjectProperties;
+	
+	    var obj = item.contents;
+	
+	    // Nodes can either have children already, or be an object with
+	    // properties that we need to go and fetch.
+	    if (nodeHasChildren(item)) {
+	      return item.contents;
+	    } else if (nodeHasProperties(item)) {
+	      var actor = obj.value.actor;
+	
+	      // Because we are dynamically creating the tree as the user
+	      // expands it (not precalcuated tree structure), we cache child
+	      // arrays. This not only helps performance, but is necessary
+	      // because the expanded state depends on instances of nodes
+	      // being the same across renders. If we didn't do this, each
+	      // node would be a new instance every render.
+	      if (this.actorCache[actor]) {
+	        return this.actorCache[actor];
+	      }
+	
+	      var loadedProps = getObjectProperties(actor);
+	      if (loadedProps) {
+	        var children = this.makeNodesForProperties(loadedProps, item.path);
+	        this.actorCache[actor] = children;
+	        return children;
+	      }
+	      return [];
+	    }
+	    return [];
+	  },
+	
+	  renderItem(item, depth, focused, _, expanded, _ref) {
+	    var setExpanded = _ref.setExpanded;
+	
+	    var objectValue = void 0;
+	    if (nodeHasProperties(item) || nodeIsPrimitive(item)) {
+	      var object = item.contents.value;
+	      objectValue = Rep({ object, mode: "tiny" });
+	    }
+	
+	    return dom.div({ className: classnames("node", { focused }),
+	      style: { marginLeft: depth * 15 },
+	      onClick: e => {
+	        e.stopPropagation();
+	        setExpanded(item, !expanded);
+	      }
+	    }, Svg("arrow", {
+	      className: classnames({
+	        expanded: expanded,
+	        hidden: nodeIsPrimitive(item)
+	      })
+	    }), dom.span({ className: "object-label" }, item.name), dom.span({ className: "object-delimiter" }, objectValue ? ": " : ""), dom.span({ className: "object-value" }, objectValue || ""));
+	  },
+	
+	  render() {
+	    var _props = this.props;
+	    var name = _props.name;
+	    var desc = _props.desc;
+	    var loadObjectProperties = _props.loadObjectProperties;
+	
+	
+	    var roots = this.props.roots;
+	    if (!roots) {
+	      roots = [createNode(name, name, desc)];
+	    }
+	
+	    return ManagedTree({
+	      itemHeight: 20,
+	      getParent: item => null,
+	      getChildren: this.getChildren,
+	      getRoots: () => roots,
+	      getKey: item => item.path,
+	      autoExpand: 0,
+	      disabledFocus: true,
+	      onExpand: item => {
+	        if (nodeHasProperties(item)) {
+	          loadObjectProperties(item.contents.value);
+	        }
+	      },
+	
+	      renderItem: this.renderItem
+	    });
+	  }
+	});
+	
+	module.exports = ObjectInspector;
+
+/***/ },
+/* 576 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(577);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./ObjectInspector.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./ObjectInspector.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 577 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".arrow svg {\r\n  fill: var(--theme-splitter-color);\r\n  margin-right: 5px;\r\n  margin-top: 3px;\r\n  transform: rotate(-90deg);\r\n  transition: transform 0.25s ease;\r\n  width: 10px;\r\n}\r\n\r\n.arrow.expanded svg {\r\n  transform: rotate(0deg);\r\n}\r\n\r\n.arrow.hidden {\r\n  visibility: hidden;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 578 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var createToPairs = __webpack_require__(579),
+	    keys = __webpack_require__(434);
+	
+	/**
+	 * Creates an array of own enumerable string keyed-value pairs for `object`
+	 * which can be consumed by `_.fromPairs`. If `object` is a map or set, its
+	 * entries are returned.
+	 *
+	 * @static
+	 * @memberOf _
+	 * @since 4.0.0
+	 * @alias entries
+	 * @category Object
+	 * @param {Object} object The object to query.
+	 * @returns {Array} Returns the key-value pairs.
+	 * @example
+	 *
+	 * function Foo() {
+	 *   this.a = 1;
+	 *   this.b = 2;
+	 * }
+	 *
+	 * Foo.prototype.c = 3;
+	 *
+	 * _.toPairs(new Foo);
+	 * // => [['a', 1], ['b', 2]] (iteration order is not guaranteed)
+	 */
+	var toPairs = createToPairs(keys);
+	
+	module.exports = toPairs;
+
+
+/***/ },
+/* 579 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var baseToPairs = __webpack_require__(580),
+	    getTag = __webpack_require__(452),
+	    mapToArray = __webpack_require__(466),
+	    setToPairs = __webpack_require__(582);
+	
+	/** `Object#toString` result references. */
+	var mapTag = '[object Map]',
+	    setTag = '[object Set]';
+	
+	/**
+	 * Creates a `_.toPairs` or `_.toPairsIn` function.
+	 *
+	 * @private
+	 * @param {Function} keysFunc The function to get the keys of a given object.
+	 * @returns {Function} Returns the new pairs function.
+	 */
+	function createToPairs(keysFunc) {
+	  return function(object) {
+	    var tag = getTag(object);
+	    if (tag == mapTag) {
+	      return mapToArray(object);
+	    }
+	    if (tag == setTag) {
+	      return setToPairs(object);
+	    }
+	    return baseToPairs(object, keysFunc(object));
+	  };
+	}
+	
+	module.exports = createToPairs;
+
+
+/***/ },
+/* 580 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var arrayMap = __webpack_require__(581);
+	
+	/**
+	 * The base implementation of `_.toPairs` and `_.toPairsIn` which creates an array
+	 * of key-value pairs for `object` corresponding to the property names of `props`.
+	 *
+	 * @private
+	 * @param {Object} object The object to query.
+	 * @param {Array} props The property names to get values for.
+	 * @returns {Object} Returns the key-value pairs.
+	 */
+	function baseToPairs(object, props) {
+	  return arrayMap(props, function(key) {
+	    return [key, object[key]];
+	  });
+	}
+	
+	module.exports = baseToPairs;
+
+
+/***/ },
+/* 581 */
+/***/ function(module, exports) {
+
+	/**
+	 * A specialized version of `_.map` for arrays without support for iteratee
+	 * shorthands.
+	 *
+	 * @private
+	 * @param {Array} [array] The array to iterate over.
+	 * @param {Function} iteratee The function invoked per iteration.
+	 * @returns {Array} Returns the new mapped array.
+	 */
+	function arrayMap(array, iteratee) {
+	  var index = -1,
+	      length = array ? array.length : 0,
+	      result = Array(length);
+	
+	  while (++index < length) {
+	    result[index] = iteratee(array[index], index, array);
+	  }
+	  return result;
+	}
+	
+	module.exports = arrayMap;
+
+
+/***/ },
+/* 582 */
+/***/ function(module, exports) {
+
+	/**
+	 * Converts `set` to its value-value pairs.
+	 *
+	 * @private
+	 * @param {Object} set The set to convert.
+	 * @returns {Array} Returns the value-value pairs.
+	 */
+	function setToPairs(set) {
+	  var index = -1,
+	      result = Array(set.size);
+	
+	  set.forEach(function(value) {
+	    result[++index] = [value, value];
+	  });
+	  return result;
+	}
+	
+	module.exports = setToPairs;
+
+
+/***/ },
+/* 583 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(584);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Scopes.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Scopes.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 584 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "\r\n.object-label {\r\n  color: var(--theme-highlight-blue);\r\n}\r\n\r\n.objectBox-object,\r\n.objectBox-string,\r\n.objectBox-text,\r\n.objectBox-table,\r\n.objectLink-textNode,\r\n.objectLink-event,\r\n.objectLink-eventLog,\r\n.objectLink-regexp,\r\n.objectLink-object,\r\n.objectLink-Date,\r\n.theme-dark .objectBox-object,\r\n.theme-light .objectBox-object {\r\n  white-space: nowrap;\r\n}\r\n\r\n.scopes-list .tree-node {\r\n  overflow: hidden;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 585 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var div = dom.div;
+	
+	var _require = __webpack_require__(2);
+	
+	var bindActionCreators = _require.bindActionCreators;
+	
+	var _require2 = __webpack_require__(16);
+	
+	var connect = _require2.connect;
+	
+	var actions = __webpack_require__(369);
+	
+	var _require3 = __webpack_require__(342);
+	
+	var endTruncateStr = _require3.endTruncateStr;
+	
+	var _require4 = __webpack_require__(392);
+	
+	var basename = _require4.basename;
+	
+	var _require5 = __webpack_require__(358);
+	
+	var getFrames = _require5.getFrames;
+	var getSelectedFrame = _require5.getSelectedFrame;
+	var getSource = _require5.getSource;
+	
+	
+	if (typeof window == "object") {
+	  __webpack_require__(586);
+	}
+	
+	function renderFrameTitle(frame) {
+	  return div({ className: "title" }, endTruncateStr(frame.displayName, 40));
+	}
+	
+	function renderFrameLocation(frame) {
+	  var url = frame.source.url ? basename(frame.source.url) : "";
+	  var line = url !== "" ? `: ${ frame.location.line }` : "";
+	  return url !== "" ? div({ className: "location" }, `${ endTruncateStr(url, 30) }${ line }`) : null;
+	}
+	
+	function renderFrame(frame, selectedFrame, selectFrame) {
+	  var selectedClass = selectedFrame && (selectedFrame.id === frame.id ? "selected" : "");
+	
+	  return dom.li({ key: frame.id,
+	    className: `frame ${ selectedClass }`,
+	    onClick: () => selectFrame(frame) }, renderFrameTitle(frame), renderFrameLocation(frame));
+	}
+	
+	function Frames(_ref) {
+	  var frames = _ref.frames;
+	  var selectedFrame = _ref.selectedFrame;
+	  var selectFrame = _ref.selectFrame;
+	
+	  return div({ className: "pane frames" }, frames.length === 0 ? div({ className: "pane-info empty" }, "Not Paused") : dom.ul(null, frames.map(frame => {
+	    return renderFrame(frame, selectedFrame, selectFrame);
+	  })));
+	}
+	
+	module.exports = connect(state => ({
+	  frames: getFrames(state).filter(frame => getSource(state, frame.location.sourceId)).map(frame => {
+	    return Object.assign({}, frame, {
+	      source: getSource(state, frame.location.sourceId).toJS()
+	    });
+	  }),
+	  selectedFrame: getSelectedFrame(state)
+	}), dispatch => bindActionCreators(actions, dispatch))(Frames);
+
+/***/ },
+/* 586 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(587);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Frames.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Frames.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 587 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "\r\n.frames ul {\r\n  list-style: none;\r\n  margin: 0;\r\n  padding: 0;\r\n}\r\n\r\n.frames ul li {\r\n  cursor: pointer;\r\n  padding: 7px 10px 7px 21px;\r\n  clear: both;\r\n  overflow: hidden;\r\n}\r\n\r\n.frames ul li:nth-of-type(2n) {\r\n  background-color: var(--theme-tab-toolbar-background);\r\n}\r\n\r\n.frames .location {\r\n  float: right;\r\n  color: var(--theme-comment);\r\n  font-weight: lighter;\r\n}\r\n\r\n.frames .title {\r\n  float: left;\r\n  text-overflow: ellipsis;\r\n  overflow: hidden;\r\n  margin-right: 1em;\r\n}\r\n\r\n.frames ul li.selected,\r\n.frames ul li.selected .location {\r\n  background-color: var(--theme-selection-background);\r\n  color: var(--theme-body-background);\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 588 */
+/***/ function(module, exports, __webpack_require__) {
+
+	function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } }
+	
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	var div = dom.div;
+	
+	var Svg = __webpack_require__(491);
+	
+	__webpack_require__(589);
+	
+	var Accordion = React.createClass({
+	  propTypes: {
+	    items: PropTypes.array
+	  },
+	
+	  displayName: "Accordion",
+	
+	  getInitialState: function () {
+	    return { opened: this.props.items.map(item => item.opened),
+	      created: [] };
+	  },
+	
+	  handleHeaderClick: function (i) {
+	    var opened = [].concat(_toConsumableArray(this.state.opened));
+	    var created = [].concat(_toConsumableArray(this.state.created));
+	    var item = this.props.items[i];
+	
+	    opened[i] = !opened[i];
+	    created[i] = true;
+	
+	    if (opened[i] && item.onOpened) {
+	      item.onOpened();
+	    }
+	
+	    this.setState({ opened, created });
+	  },
+	
+	  renderContainer: function (item, i) {
+	    var _state = this.state;
+	    var opened = _state.opened;
+	    var created = _state.created;
+	
+	    var containerClassName = item.header.toLowerCase().replace(/\s/g, "-") + "-pane";
+	
+	    return div({ className: containerClassName, key: i }, div({ className: "_header",
+	      onClick: () => this.handleHeaderClick(i) }, Svg("arrow", { className: opened[i] ? "expanded" : "" }), item.header), created[i] || opened[i] ? div({ className: "_content",
+	      style: { display: opened[i] ? "block" : "none" }
+	    }, React.createElement(item.component, item.componentProps || {})) : null);
+	  },
+	
+	  render: function () {
+	    return div({ className: "accordion" }, this.props.items.map(this.renderContainer));
+	  }
+	});
+	
+	module.exports = Accordion;
+
+/***/ },
+/* 589 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(590);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Accordion.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Accordion.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 590 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".accordion {\r\n  background-color: var(--theme-body-background);\r\n  width: 100%;\r\n}\r\n\r\n.accordion ._header {\r\n  background-color: var(--theme-toolbar-background);\r\n  border-bottom: 1px solid var(--theme-splitter-color);\r\n  cursor: pointer;\r\n  font-size: 12px;\r\n  padding: 5px;\r\n  transition: all 0.25s ease;\r\n  width: 100%;\r\n\r\n  -webkit-user-select: none;\r\n  -moz-user-select: none;\r\n  -ms-user-select: none;\r\n  -o-user-select: none;\r\n  user-select: none;\r\n}\r\n\r\n.accordion ._header:hover {\r\n  background-color: var(--theme-selection-color);\r\n}\r\n\r\n.accordion ._header:hover svg {\r\n  fill: var(--theme-comment-alt);\r\n}\r\n\r\n.accordion ._content {\r\n  border-bottom: 1px solid var(--theme-splitter-color);\r\n  font-size: 12px;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 591 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(592);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./RightSidebar.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./RightSidebar.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 592 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".right-sidebar {\r\n  display: flex;\r\n  flex-direction: column;\r\n  flex: 1;\r\n  white-space: nowrap;\r\n}\r\n\r\n.right-sidebar .accordion {\r\n  overflow-y: auto;\r\n  overflow-x: hidden;\r\n}\r\n\r\n.right-sidebar .command-bar {\r\n  border-bottom: 1px solid var(--theme-splitter-color);\r\n}\r\n\r\n.command-bar {\r\n  height: 30px;\r\n  padding: 8px 5px 10px 1px;\r\n}\r\n\r\n.command-bar > span {\r\n  cursor: pointer;\r\n  margin-right: 0.7em;\r\n  width: 16px;\r\n  height: 17px;\r\n  display: inline-block;\r\n  text-align: center;\r\n  transition: opacity 200ms;\r\n}\r\n\r\n.command-bar > span.disabled {\r\n  opacity: 0.3;\r\n  cursor: default;\r\n}\r\n\r\n.command-bar .stepOut {\r\n  margin-right: 2em;\r\n}\r\n\r\n.command-bar .subSettings {\r\n  float: right;\r\n}\r\n\r\n.pane {\r\n  color: var(--theme-body-color);\r\n}\r\n\r\n.pane .pane-info {\r\n  font-style: italic;\r\n  text-align: center;\r\n  padding: 0.5em;\r\n}\r\n\r\n.disableBreakpoints.breakpoints-disabled path {\r\n  stroke: var(--theme-highlight-blue);\r\n}\r\n\r\nspan.pause-exceptions.uncaught {\r\n  stroke: var(--theme-highlight-purple);\r\n}\r\n\r\nspan.pause-exceptions.all {\r\n  stroke: var(--theme-highlight-blue);\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 593 */
+/***/ function(module, exports, __webpack_require__) {
+
+	function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } }
+	
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var ImPropTypes = __webpack_require__(365);
+	
+	var _require = __webpack_require__(16);
+	
+	var connect = _require.connect;
+	
+	var _require2 = __webpack_require__(2);
+	
+	var bindActionCreators = _require2.bindActionCreators;
+	
+	var _require3 = __webpack_require__(358);
+	
+	var getSelectedSource = _require3.getSelectedSource;
+	var getSourceTabs = _require3.getSourceTabs;
+	
+	var _require4 = __webpack_require__(342);
+	
+	var endTruncateStr = _require4.endTruncateStr;
+	
+	var classnames = __webpack_require__(360);
+	var actions = __webpack_require__(369);
+	
+	var _require5 = __webpack_require__(201);
+	
+	var isEnabled = _require5.isEnabled;
+	
+	var CloseButton = __webpack_require__(540);
+	var Svg = __webpack_require__(491);
+	
+	__webpack_require__(594);
+	__webpack_require__(596);
+	
+	/**
+	 * TODO: this is a placeholder function
+	 */
+	function getFilename(url) {
+	  if (!url) {
+	    return "";
+	  }
+	
+	  var name = url;
+	  var m = url.toString().match(/.*\/(.+?\..*$)/);
+	  if (m && m.length > 1) {
+	    name = m[1];
+	  }
+	
+	  return endTruncateStr(name, 50);
+	}
+	
+	/*
+	 * Finds the hidden tabs by comparing the tabs' top offset.
+	 * hidden tabs will have a great top offset.
+	 *
+	 * @param sourceTabs Immutable.list
+	 * @param sourceTabEls HTMLCollection
+	 *
+	 * @returns Immutable.list
+	 */
+	function getHiddenTabs(sourceTabs, sourceTabEls) {
+	  sourceTabEls = [].slice.call(sourceTabEls);
+	  function getTopOffset() {
+	    var topOffsets = sourceTabEls.map(t => t.getBoundingClientRect().top);
+	    return Math.min.apply(Math, _toConsumableArray(topOffsets));
+	  }
+	
+	  var tabTopOffset = getTopOffset();
+	  return sourceTabs.filter((tab, index) => {
+	    return sourceTabEls[index].getBoundingClientRect().top > tabTopOffset;
+	  });
+	}
+	
+	/*
+	 * Get the last visible tab index so that we can replace the last
+	 * tab with the newly selected source.
+	 */
+	function getLastVisibleTabIndex(sourceTabs, sourceTabEls) {
+	  var hiddenTabs = getHiddenTabs(sourceTabs, sourceTabEls);
+	  var firstHiddenTab = hiddenTabs.first();
+	  var firstHiddenTabIndex = sourceTabs.indexOf(firstHiddenTab);
+	  return firstHiddenTabIndex - 1;
+	}
+	
+	var SourceTabs = React.createClass({
+	  propTypes: {
+	    sourceTabs: ImPropTypes.list,
+	    selectedSource: ImPropTypes.map,
+	    selectSource: PropTypes.func.isRequired,
+	    closeTab: PropTypes.func.isRequired
+	  },
+	
+	  displayName: "SourceTabs",
+	
+	  getInitialState() {
+	    return {
+	      dropdownShown: false,
+	      hiddenSourceTabs: null
+	    };
+	  },
+	
+	  componentDidUpdate() {
+	    this.updateHiddenSourceTabs(this.props.sourceTabs);
+	  },
+	
+	  /*
+	   * Updates the hiddenSourceTabs state, by
+	   * finding the source tabs who have wrapped and are not on the top row.
+	   */
+	  updateHiddenSourceTabs(sourceTabs) {
+	    if (!this.refs.sourceTabs) {
+	      return;
+	    }
+	
+	    var sourceTabEls = this.refs.sourceTabs.children;
+	    var hiddenSourceTabs = getHiddenTabs(sourceTabs, sourceTabEls);
+	
+	    if (!hiddenSourceTabs.equals(this.state.hiddenSourceTabs)) {
+	      this.setState({ hiddenSourceTabs });
+	    }
+	  },
+	
+	  toggleSourcesDropdown(e) {
+	    this.setState({
+	      dropdownShown: !this.state.dropdownShown
+	    });
+	  },
+	
+	  renderSourcesDropdown() {
+	    if (!this.state.hiddenSourceTabs) {
+	      return dom.div({});
+	    }
+	
+	    return dom.div({
+	      className: "sources-dropdown dropdown",
+	      ref: "sourcesDropdown",
+	      style: { display: this.state.dropdownShown ? "block" : "none" }
+	    }, dom.ul({}, this.state.hiddenSourceTabs.map(this.renderDropdownSource)));
+	  },
+	
+	  renderDropdownSource(source) {
+	    var _props = this.props;
+	    var selectSource = _props.selectSource;
+	    var sourceTabs = _props.sourceTabs;
+	
+	    var url = source && source.get("url");
+	    var filename = getFilename(url);
+	    var sourceTabEls = this.refs.sourceTabs.children;
+	
+	    return dom.li({
+	      key: source.get("id"),
+	      onClick: () => {
+	        var tabIndex = getLastVisibleTabIndex(sourceTabs, sourceTabEls);
+	        selectSource(source.get("id"), { tabIndex });
+	        this.toggleSourcesDropdown();
+	      }
+	    }, filename);
+	  },
+	
+	  renderSourcesDropdownButton() {
+	    var hiddenSourceTabs = this.state.hiddenSourceTabs;
+	    if (!hiddenSourceTabs || hiddenSourceTabs.size == 0) {
+	      return dom.div({});
+	    }
+	
+	    return dom.span({
+	      className: "subsettings",
+	      onClick: this.toggleSourcesDropdown
+	    }, Svg("subsettings"));
+	  },
+	
+	  renderTabs() {
+	    var sourceTabs = this.props.sourceTabs;
+	    return dom.div({ className: "source-tabs", ref: "sourceTabs" }, sourceTabs.map(this.renderTab));
+	  },
+	
+	  renderTab(source) {
+	    var _props2 = this.props;
+	    var selectedSource = _props2.selectedSource;
+	    var selectSource = _props2.selectSource;
+	    var closeTab = _props2.closeTab;
+	
+	    var url = source && source.get("url");
+	    var filename = getFilename(url);
+	    var active = source.get("id") == selectedSource.get("id");
+	
+	    function onClickClose(ev) {
+	      ev.stopPropagation();
+	      closeTab(source.get("id"));
+	    }
+	
+	    return dom.div({
+	      className: classnames("source-tab", { active }),
+	      key: source.get("id"),
+	      onClick: () => selectSource(source.get("id")),
+	      title: url
+	    }, dom.div({ className: "filename" }, filename), CloseButton({ handleClick: onClickClose }));
+	  },
+	
+	  render() {
+	    if (!isEnabled("tabs")) {
+	      return dom.div({ className: "source-header" });
+	    }
+	
+	    return dom.div({ className: "source-header" }, this.renderSourcesDropdown(), this.renderTabs(), this.renderSourcesDropdownButton());
+	  }
+	});
+	
+	module.exports = connect(state => ({
+	  selectedSource: getSelectedSource(state),
+	  sourceTabs: getSourceTabs(state)
+	}), dispatch => bindActionCreators(actions, dispatch))(SourceTabs);
+
+/***/ },
+/* 594 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(595);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./SourceTabs.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./SourceTabs.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 595 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".source-header {\r\n  border-bottom: 1px solid var(--theme-splitter-color);\r\n  height: 30px;\r\n  flex: 1;\r\n}\r\n\r\n.source-tabs {\r\n  width: calc(100% - 30px);\r\n  overflow: hidden;\r\n}\r\n\r\n.source-tab {\r\n  background-color: var(--theme-toolbar-background-alt);\r\n  color: var(--theme-faded-tab-color);\r\n  border: 1px solid var(--theme-splitter-color);\r\n  border-top-left-radius: 2px;\r\n  border-top-right-radius: 2px;\r\n  padding: 2px 20px 2px 12px;\r\n  height: 23px;\r\n  line-height: 20px;\r\n  margin: 6px 0 0 8px;\r\n  display: inline-block;\r\n  border-bottom: none;\r\n  position: relative;\r\n  transition: all 0.25s ease;\r\n}\r\n\r\n.source-tab:hover {\r\n  background: var(--theme-toolbar-background);\r\n  cursor: pointer;\r\n}\r\n\r\n.source-tab.active {\r\n  color: var(--theme-body-color);\r\n  background-color: var(--theme-body-background);\r\n  height: 24px;\r\n}\r\n\r\n.source-tab path {\r\n  fill: var(--theme-faded-tab-color);\r\n}\r\n\r\n.source-tab.active path {\r\n  fill: var(--theme-body-color);\r\n}\r\n\r\n.source-tab .close-btn {\r\n  position: absolute;\r\n  right: 4px;\r\n  top: 3px;\r\n}\r\n\r\n.source-tab .close {\r\n  display: none;\r\n}\r\n\r\n.source-tab:hover .close {\r\n  display: block;\r\n}\r\n\r\n.source-header .subsettings {\r\n  position: absolute;\r\n  right: 3px;\r\n  top: 9px;\r\n}\r\n\r\n.sources-dropdown {\r\n  position: absolute;\r\n  top: 35px;\r\n  right: 0px;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 596 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(597);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Dropdown.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Dropdown.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 597 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, ".dropdown {\r\n  background: white;\r\n  border: 1px solid var(--theme-splitter-color);\r\n  width: 150px;\r\n  max-height: 300px;\r\n  z-index: 1000;\r\n}\r\n\r\n.dropdown li {\r\n  padding-left: 10px;\r\n}\r\n\r\n.dropdown li:hover {\r\n  background: var(--theme-tab-toolbar-background);\r\n  cursor: pointer;\r\n}\r\n\r\n.dropdown ul {\r\n  list-style: none;\r\n  line-height: 2em;\r\n  font-size: 0.8em;\r\n  margin: 0;\r\n  padding: 0;\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ },
+/* 598 */
+/***/ function(module, exports, __webpack_require__) {
+
+	var React = __webpack_require__(18);
+	var dom = React.DOM;
+	var PropTypes = React.PropTypes;
+	
+	var _require = __webpack_require__(599);
+	
+	var filter = _require.filter;
+	
+	var classnames = __webpack_require__(360);
+	__webpack_require__(605);
+	var Svg = __webpack_require__(491);
+	
+	var INITIAL_SELECTED_INDEX = 0;
+	
+	var Autocomplete = React.createClass({
+	  propTypes: {
+	    selectItem: PropTypes.func,
+	    items: PropTypes.array
+	  },
+	
+	  displayName: "Autocomplete",
+	
+	  getInitialState() {
+	    return {
+	      inputValue: "",
+	      selectedIndex: INITIAL_SELECTED_INDEX
+	    };
+	  },
+	
+	  componentDidMount() {
+	    this.refs.searchInput.focus();
+	  },
+	
+	  componentDidUpdate() {
+	    this.scrollList();
+	  },
+	
+	  scrollList() {
+	    var resultsEl = this.refs.results;
+	    if (resultsEl.children.length === 0) {
+	      return;
+	    }
+	
+	    var resultsHeight = resultsEl.clientHeight;
+	    var itemHeight = resultsEl.children[0].clientHeight;
+	    var numVisible = resultsHeight / itemHeight;
+	    var positionsToScroll = this.state.selectedIndex - numVisible + 1;
+	    var itemOffset = resultsHeight % itemHeight;
+	    var scroll = positionsToScroll * (itemHeight + 2) + itemOffset;
+	
+	    resultsEl.scrollTop = Math.max(0, scroll);
+	  },
+	
+	  renderSearchItem(result, index) {
+	    return dom.li({
+	      onClick: () => this.props.selectItem(result),
+	      key: result.value,
+	      className: classnames({
+	        selected: index === this.state.selectedIndex
+	      })
+	    }, dom.div({ className: "title" }, result.title), dom.div({ className: "subtitle" }, result.subtitle));
+	  },
+	
+	  renderInput() {
+	    return dom.input({
+	      ref: "searchInput",
+	      onChange: e => this.setState({
+	        inputValue: e.target.value,
+	        selectedIndex: INITIAL_SELECTED_INDEX
+	      }),
+	      onFocus: e => this.setState({ focused: true }),
+	      onBlur: e => this.setState({ focused: false }),
+	      onKeyDown: this.onKeyDown,
+	      placeholder: "Search..."
+	    });
+	  },
+	
+	  getSearchResults() {
+	    var inputValue = this.state.inputValue;
+	
+	    if (inputValue == "") {
+	      return [];
+	    }
+	    return filter(this.props.items, this.state.inputValue, {
+	      key: "value"
+	    });
+	  },
+	
+	  onKeyDown(e) {
+	    var searchResults = this.getSearchResults(),
+	        resultCount = searchResults.length;
+	
+	    if (e.key === "ArrowUp") {
+	      this.setState({
+	        selectedIndex: Math.max(0, this.state.selectedIndex - 1)
+	      });
+	      e.preventDefault();
+	    } else if (e.key === "ArrowDown") {
+	      this.setState({
+	        selectedIndex: Math.min(resultCount - 1, this.state.selectedIndex + 1)
+	      });
+	      e.preventDefault();
+	    } else if (e.key === "Enter") {
+	      this.props.selectItem(searchResults[this.state.selectedIndex]);
+	      e.preventDefault();
+	    }
+	  },
+	
+	  render() {
+	    var searchResults = this.getSearchResults();
+	    return dom.div({ className: classnames({
+	        autocomplete: true,
+	        focused: this.state.focused
+	      })
+	    }, new Svg("magnifying-glass"), this.renderInput(), dom.ul({ className: "results", ref: "results" }, searchResults.map(this.renderSearchItem)));
+	  }
+	});
+	
+	module.exports = Autocomplete;
+
+/***/ },
+/* 599 */
+/***/ function(module, exports, __webpack_require__) {
+
+	(function() {
+	  var PathSeparator, filter, legacy_scorer, matcher, prepQueryCache, scorer;
+	
+	  scorer = __webpack_require__(600);
+	
+	  legacy_scorer = __webpack_require__(602);
+	
+	  filter = __webpack_require__(603);
+	
+	  matcher = __webpack_require__(604);
+	
+	  PathSeparator = __webpack_require__(601).sep;
+	
+	  prepQueryCache = null;
+	
+	  module.exports = {
+	    filter: function(candidates, query, options) {
+	      if (!((query != null ? query.length : void 0) && (candidates != null ? candidates.length : void 0))) {
+	        return [];
+	      }
+	      return filter(candidates, query, options);
+	    },
+	    prepQuery: function(query) {
+	      return scorer.prepQuery(query);
+	    },
+	    score: function(string, query, prepQuery, _arg) {
+	      var allowErrors, coreQuery, legacy, queryHasSlashes, score, _ref;
+	      _ref = _arg != null ? _arg : {}, allowErrors = _ref.allowErrors, legacy = _ref.legacy;
+	      if (!((string != null ? string.length : void 0) && (query != null ? query.length : void 0))) {
+	        return 0;
+	      }
+	      if (prepQuery == null) {
+	        prepQuery = prepQueryCache && prepQueryCache.query === query ? prepQueryCache : (prepQueryCache = scorer.prepQuery(query));
+	      }
+	      if (!legacy) {
+	        score = scorer.score(string, query, prepQuery, !!allowErrors);
+	      } else {
+	        queryHasSlashes = prepQuery.depth > 0;
+	        coreQuery = prepQuery.core;
+	        score = legacy_scorer.score(string, coreQuery, queryHasSlashes);
+	        if (!queryHasSlashes) {
+	          score = legacy_scorer.basenameScore(string, coreQuery, score);
+	        }
+	      }
+	      return score;
+	    },
+	    match: function(string, query, prepQuery, _arg) {
+	      var allowErrors, baseMatches, matches, query_lw, string_lw, _i, _ref, _results;
+	      allowErrors = (_arg != null ? _arg : {}).allowErrors;
+	      if (!string) {
+	        return [];
+	      }
+	      if (!query) {
+	        return [];
+	      }
+	      if (string === query) {
+	        return (function() {
+	          _results = [];
+	          for (var _i = 0, _ref = string.length; 0 <= _ref ? _i < _ref : _i > _ref; 0 <= _ref ? _i++ : _i--){ _results.push(_i); }
+	          return _results;
+	        }).apply(this);
+	      }
+	      if (prepQuery == null) {
+	        prepQuery = prepQueryCache && prepQueryCache.query === query ? prepQueryCache : (prepQueryCache = scorer.prepQuery(query));
+	      }
+	      if (!(allowErrors || scorer.isMatch(string, prepQuery.core_lw, prepQuery.core_up))) {
+	        return [];
+	      }
+	      string_lw = string.toLowerCase();
+	      query_lw = prepQuery.query_lw;
+	      matches = matcher.match(string, string_lw, prepQuery);
+	      if (matches.length === 0) {
+	        return matches;
+	      }
+	      if (string.indexOf(PathSeparator) > -1) {
+	        baseMatches = matcher.basenameMatch(string, string_lw, prepQuery);
+	        matches = matcher.mergeMatches(matches, baseMatches);
+	      }
+	      return matches;
+	    }
+	  };
+	
+	}).call(this);
+
+
+/***/ },
+/* 600 */
+/***/ function(module, exports, __webpack_require__) {
+
+	(function() {
+	  var AcronymResult, PathSeparator, Query, basenameScore, coreChars, countDir, doScore, emptyAcronymResult, file_coeff, isMatch, isSeparator, isWordEnd, isWordStart, miss_coeff, opt_char_re, pos_bonus, scoreAcronyms, scoreCharacter, scoreConsecutives, scoreExact, scoreExactMatch, scorePattern, scorePosition, scoreSize, tau_depth, tau_size, truncatedUpperCase, wm;
+	
+	  PathSeparator = __webpack_require__(601).sep;
+	
+	  wm = 150;
+	
+	  pos_bonus = 20;
+	
+	  tau_depth = 13;
+	
+	  tau_size = 85;
+	
+	  file_coeff = 1.2;
+	
+	  miss_coeff = 0.75;
+	
+	  opt_char_re = /[ _\-:\/\\]/g;
+	
+	  exports.coreChars = coreChars = function(query) {
+	    return query.replace(opt_char_re, '');
+	  };
+	
+	  exports.score = function(string, query, prepQuery, allowErrors) {
+	    var score, string_lw;
+	    if (prepQuery == null) {
+	      prepQuery = new Query(query);
+	    }
+	    if (allowErrors == null) {
+	      allowErrors = false;
+	    }
+	    if (!(allowErrors || isMatch(string, prepQuery.core_lw, prepQuery.core_up))) {
+	      return 0;
+	    }
+	    string_lw = string.toLowerCase();
+	    score = doScore(string, string_lw, prepQuery);
+	    return Math.ceil(basenameScore(string, string_lw, prepQuery, score));
+	  };
+	
+	  Query = (function() {
+	    function Query(query) {
+	      if (!(query != null ? query.length : void 0)) {
+	        return null;
+	      }
+	      this.query = query;
+	      this.query_lw = query.toLowerCase();
+	      this.core = coreChars(query);
+	      this.core_lw = this.core.toLowerCase();
+	      this.core_up = truncatedUpperCase(this.core);
+	      this.depth = countDir(query, query.length);
+	    }
+	
+	    return Query;
+	
+	  })();
+	
+	  exports.prepQuery = function(query) {
+	    return new Query(query);
+	  };
+	
+	  exports.isMatch = isMatch = function(subject, query_lw, query_up) {
+	    var i, j, m, n, qj_lw, qj_up, si;
+	    m = subject.length;
+	    n = query_lw.length;
+	    if (!m || n > m) {
+	      return false;
+	    }
+	    i = -1;
+	    j = -1;
+	    while (++j < n) {
+	      qj_lw = query_lw[j];
+	      qj_up = query_up[j];
+	      while (++i < m) {
+	        si = subject[i];
+	        if (si === qj_lw || si === qj_up) {
+	          break;
+	        }
+	      }
+	      if (i === m) {
+	        return false;
+	      }
+	    }
+	    return true;
+	  };
+	
+	  doScore = function(subject, subject_lw, prepQuery) {
+	    var acro, acro_score, align, csc_diag, csc_row, csc_score, i, j, m, miss_budget, miss_left, mm, n, pos, query, query_lw, record_miss, score, score_diag, score_row, score_up, si_lw, start, sz;
+	    query = prepQuery.query;
+	    query_lw = prepQuery.query_lw;
+	    m = subject.length;
+	    n = query.length;
+	    acro = scoreAcronyms(subject, subject_lw, query, query_lw);
+	    acro_score = acro.score;
+	    if (acro.count === n) {
+	      return scoreExact(n, m, acro_score, acro.pos);
+	    }
+	    pos = subject_lw.indexOf(query_lw);
+	    if (pos > -1) {
+	      return scoreExactMatch(subject, subject_lw, query, query_lw, pos, n, m);
+	    }
+	    score_row = new Array(n);
+	    csc_row = new Array(n);
+	    sz = scoreSize(n, m);
+	    miss_budget = Math.ceil(miss_coeff * n) + 5;
+	    miss_left = miss_budget;
+	    j = -1;
+	    while (++j < n) {
+	      score_row[j] = 0;
+	      csc_row[j] = 0;
+	    }
+	    i = subject_lw.indexOf(query_lw[0]);
+	    if (i > -1) {
+	      i--;
+	    }
+	    mm = subject_lw.lastIndexOf(query_lw[n - 1], m);
+	    if (mm > i) {
+	      m = mm + 1;
+	    }
+	    while (++i < m) {
+	      score = 0;
+	      score_diag = 0;
+	      csc_diag = 0;
+	      si_lw = subject_lw[i];
+	      record_miss = true;
+	      j = -1;
+	      while (++j < n) {
+	        score_up = score_row[j];
+	        if (score_up > score) {
+	          score = score_up;
+	        }
+	        csc_score = 0;
+	        if (query_lw[j] === si_lw) {
+	          start = isWordStart(i, subject, subject_lw);
+	          csc_score = csc_diag > 0 ? csc_diag : scoreConsecutives(subject, subject_lw, query, query_lw, i, j, start);
+	          align = score_diag + scoreCharacter(i, j, start, acro_score, csc_score);
+	          if (align > score) {
+	            score = align;
+	            miss_left = miss_budget;
+	          } else {
+	            if (record_miss && --miss_left <= 0) {
+	              return score_row[n - 1] * sz;
+	            }
+	            record_miss = false;
+	          }
+	        }
+	        score_diag = score_up;
+	        csc_diag = csc_row[j];
+	        csc_row[j] = csc_score;
+	        score_row[j] = score;
+	      }
+	    }
+	    return score * sz;
+	  };
+	
+	  exports.isWordStart = isWordStart = function(pos, subject, subject_lw) {
+	    var curr_s, prev_s;
+	    if (pos === 0) {
+	      return true;
+	    }
+	    curr_s = subject[pos];
+	    prev_s = subject[pos - 1];
+	    return isSeparator(curr_s) || isSeparator(prev_s) || (curr_s !== subject_lw[pos] && prev_s === subject_lw[pos - 1]);
+	  };
+	
+	  exports.isWordEnd = isWordEnd = function(pos, subject, subject_lw, len) {
+	    var curr_s, next_s;
+	    if (pos === len - 1) {
+	      return true;
+	    }
+	    curr_s = subject[pos];
+	    next_s = subject[pos + 1];
+	    return isSeparator(curr_s) || isSeparator(next_s) || (curr_s === subject_lw[pos] && next_s !== subject_lw[pos + 1]);
+	  };
+	
+	  isSeparator = function(c) {
+	    return c === ' ' || c === '.' || c === '-' || c === '_' || c === '/' || c === '\\';
+	  };
+	
+	  scorePosition = function(pos) {
+	    var sc;
+	    if (pos < pos_bonus) {
+	      sc = pos_bonus - pos;
+	      return 100 + sc * sc;
+	    } else {
+	      return Math.max(100 + pos_bonus - pos, 0);
+	    }
+	  };
+	
+	  scoreSize = function(n, m) {
+	    return tau_size / (tau_size + Math.abs(m - n));
+	  };
+	
+	  scoreExact = function(n, m, quality, pos) {
+	    return 2 * n * (wm * quality + scorePosition(pos)) * scoreSize(n, m);
+	  };
+	
+	  exports.scorePattern = scorePattern = function(count, len, sameCase, start, end) {
+	    var bonus, sz;
+	    sz = count;
+	    bonus = 6;
+	    if (sameCase === count) {
+	      bonus += 2;
+	    }
+	    if (start) {
+	      bonus += 3;
+	    }
+	    if (end) {
+	      bonus += 1;
+	    }
+	    if (count === len) {
+	      if (start) {
+	        if (sameCase === len) {
+	          sz += 2;
+	        } else {
+	          sz += 1;
+	        }
+	      }
+	      if (end) {
+	        bonus += 1;
+	      }
+	    }
+	    return sameCase + sz * (sz + bonus);
+	  };
+	
+	  exports.scoreCharacter = scoreCharacter = function(i, j, start, acro_score, csc_score) {
+	    var posBonus;
+	    posBonus = scorePosition(i);
+	    if (start) {
+	      return posBonus + wm * ((acro_score > csc_score ? acro_score : csc_score) + 10);
+	    }
+	    return posBonus + wm * csc_score;
+	  };
+	
+	  exports.scoreConsecutives = scoreConsecutives = function(subject, subject_lw, query, query_lw, i, j, start) {
+	    var k, m, mi, n, nj, sameCase, startPos, sz;
+	    m = subject.length;
+	    n = query.length;
+	    mi = m - i;
+	    nj = n - j;
+	    k = mi < nj ? mi : nj;
+	    startPos = i;
+	    sameCase = 0;
+	    sz = 0;
+	    if (query[j] === subject[i]) {
+	      sameCase++;
+	    }
+	    while (++sz < k && query_lw[++j] === subject_lw[++i]) {
+	      if (query[j] === subject[i]) {
+	        sameCase++;
+	      }
+	    }
+	    if (sz === 1) {
+	      return 1 + 2 * sameCase;
+	    }
+	    return scorePattern(sz, n, sameCase, start, isWordEnd(i, subject, subject_lw, m));
+	  };
+	
+	  exports.scoreExactMatch = scoreExactMatch = function(subject, subject_lw, query, query_lw, pos, n, m) {
+	    var end, i, pos2, sameCase, start;
+	    start = isWordStart(pos, subject, subject_lw);
+	    if (!start) {
+	      pos2 = subject_lw.indexOf(query_lw, pos + 1);
+	      if (pos2 > -1) {
+	        start = isWordStart(pos2, subject, subject_lw);
+	        if (start) {
+	          pos = pos2;
+	        }
+	      }
+	    }
+	    i = -1;
+	    sameCase = 0;
+	    while (++i < n) {
+	      if (query[pos + i] === subject[i]) {
+	        sameCase++;
+	      }
+	    }
+	    end = isWordEnd(pos + n - 1, subject, subject_lw, m);
+	    return scoreExact(n, m, scorePattern(n, n, sameCase, start, end), pos);
+	  };
+	
+	  AcronymResult = (function() {
+	    function AcronymResult(score, pos, count) {
+	      this.score = score;
+	      this.pos = pos;
+	      this.count = count;
+	    }
+	
+	    return AcronymResult;
+	
+	  })();
+	
+	  emptyAcronymResult = new AcronymResult(0, 0.1, 0);
+	
+	  exports.scoreAcronyms = scoreAcronyms = function(subject, subject_lw, query, query_lw) {
+	    var count, i, j, m, n, pos, qj_lw, sameCase, score;
+	    m = subject.length;
+	    n = query.length;
+	    if (!(m > 1 && n > 1)) {
+	      return emptyAcronymResult;
+	    }
+	    count = 0;
+	    pos = 0;
+	    sameCase = 0;
+	    i = -1;
+	    j = -1;
+	    while (++j < n) {
+	      qj_lw = query_lw[j];
+	      while (++i < m) {
+	        if (qj_lw === subject_lw[i] && isWordStart(i, subject, subject_lw)) {
+	          if (query[j] === subject[i]) {
+	            sameCase++;
+	          }
+	          pos += i;
+	          count++;
+	          break;
+	        }
+	      }
+	      if (i === m) {
+	        break;
+	      }
+	    }
+	    if (count < 2) {
+	      return emptyAcronymResult;
+	    }
+	    score = scorePattern(count, n, sameCase, true, false);
+	    return new AcronymResult(score, pos / count, count);
+	  };
+	
+	  basenameScore = function(subject, subject_lw, prepQuery, fullPathScore) {
+	    var alpha, basePathScore, basePos, depth, end;
+	    if (fullPathScore === 0) {
+	      return 0;
+	    }
+	    end = subject.length - 1;
+	    while (subject[end] === PathSeparator) {
+	      end--;
+	    }
+	    basePos = subject.lastIndexOf(PathSeparator, end);
+	    if (basePos === -1) {
+	      return fullPathScore;
+	    }
+	    depth = prepQuery.depth;
+	    while (depth-- > 0) {
+	      basePos = subject.lastIndexOf(PathSeparator, basePos - 1);
+	      if (basePos === -1) {
+	        return fullPathScore;
+	      }
+	    }
+	    basePos++;
+	    end++;
+	    basePathScore = doScore(subject.slice(basePos, end), subject_lw.slice(basePos, end), prepQuery);
+	    alpha = 0.5 * tau_depth / (tau_depth + countDir(subject, end + 1));
+	    return alpha * basePathScore + (1 - alpha) * fullPathScore * scoreSize(0, file_coeff * (end - basePos));
+	  };
+	
+	  exports.countDir = countDir = function(path, end) {
+	    var count, i;
+	    if (end < 1) {
+	      return 0;
+	    }
+	    count = 0;
+	    i = -1;
+	    while (++i < end && path[i] === PathSeparator) {
+	      continue;
+	    }
+	    while (++i < end) {
+	      if (path[i] === PathSeparator) {
+	        count++;
+	        while (++i < end && path[i] === PathSeparator) {
+	          continue;
+	        }
+	      }
+	    }
+	    return count;
+	  };
+	
+	  truncatedUpperCase = function(str) {
+	    var char, upper, _i, _len;
+	    upper = "";
+	    for (_i = 0, _len = str.length; _i < _len; _i++) {
+	      char = str[_i];
+	      upper += char.toUpperCase()[0];
+	    }
+	    return upper;
+	  };
+	
+	}).call(this);
+
+
+/***/ },
+/* 601 */
+/***/ function(module, exports, __webpack_require__) {
+
+	/* WEBPACK VAR INJECTION */(function(process) {// Copyright Joyent, Inc. and other Node contributors.
+	//
+	// Permission is hereby granted, free of charge, to any person obtaining a
+	// copy of this software and associated documentation files (the
+	// "Software"), to deal in the Software without restriction, including
+	// without limitation the rights to use, copy, modify, merge, publish,
+	// distribute, sublicense, and/or sell copies of the Software, and to permit
+	// persons to whom the Software is furnished to do so, subject to the
+	// following conditions:
+	//
+	// The above copyright notice and this permission notice shall be included
+	// in all copies or substantial portions of the Software.
+	//
+	// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+	// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+	// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+	// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+	// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+	// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+	// USE OR OTHER DEALINGS IN THE SOFTWARE.
+	
+	// resolves . and .. elements in a path array with directory names there
+	// must be no slashes, empty elements, or device names (c:\) in the array
+	// (so also no leading and trailing slashes - it does not distinguish
+	// relative and absolute paths)
+	function normalizeArray(parts, allowAboveRoot) {
+	  // if the path tries to go above the root, `up` ends up > 0
+	  var up = 0;
+	  for (var i = parts.length - 1; i >= 0; i--) {
+	    var last = parts[i];
+	    if (last === '.') {
+	      parts.splice(i, 1);
+	    } else if (last === '..') {
+	      parts.splice(i, 1);
+	      up++;
+	    } else if (up) {
+	      parts.splice(i, 1);
+	      up--;
+	    }
+	  }
+	
+	  // if the path is allowed to go above the root, restore leading ..s
+	  if (allowAboveRoot) {
+	    for (; up--; up) {
+	      parts.unshift('..');
+	    }
+	  }
+	
+	  return parts;
+	}
+	
+	// Split a filename into [root, dir, basename, ext], unix version
+	// 'root' is just a slash, or nothing.
+	var splitPathRe =
+	    /^(\/?|)([\s\S]*?)((?:\.{1,2}|[^\/]+?|)(\.[^.\/]*|))(?:[\/]*)$/;
+	var splitPath = function(filename) {
+	  return splitPathRe.exec(filename).slice(1);
+	};
+	
+	// path.resolve([from ...], to)
+	// posix version
+	exports.resolve = function() {
+	  var resolvedPath = '',
+	      resolvedAbsolute = false;
+	
+	  for (var i = arguments.length - 1; i >= -1 && !resolvedAbsolute; i--) {
+	    var path = (i >= 0) ? arguments[i] : process.cwd();
+	
+	    // Skip empty and invalid entries
+	    if (typeof path !== 'string') {
+	      throw new TypeError('Arguments to path.resolve must be strings');
+	    } else if (!path) {
+	      continue;
+	    }
+	
+	    resolvedPath = path + '/' + resolvedPath;
+	    resolvedAbsolute = path.charAt(0) === '/';
+	  }
+	
+	  // At this point the path should be resolved to a full absolute path, but
+	  // handle relative paths to be safe (might happen when process.cwd() fails)
+	
+	  // Normalize the path
+	  resolvedPath = normalizeArray(filter(resolvedPath.split('/'), function(p) {
+	    return !!p;
+	  }), !resolvedAbsolute).join('/');
+	
+	  return ((resolvedAbsolute ? '/' : '') + resolvedPath) || '.';
+	};
+	
+	// path.normalize(path)
+	// posix version
+	exports.normalize = function(path) {
+	  var isAbsolute = exports.isAbsolute(path),
+	      trailingSlash = substr(path, -1) === '/';
+	
+	  // Normalize the path
+	  path = normalizeArray(filter(path.split('/'), function(p) {
+	    return !!p;
+	  }), !isAbsolute).join('/');
+	
+	  if (!path && !isAbsolute) {
+	    path = '.';
+	  }
+	  if (path && trailingSlash) {
+	    path += '/';
+	  }
+	
+	  return (isAbsolute ? '/' : '') + path;
+	};
+	
+	// posix version
+	exports.isAbsolute = function(path) {
+	  return path.charAt(0) === '/';
+	};
+	
+	// posix version
+	exports.join = function() {
+	  var paths = Array.prototype.slice.call(arguments, 0);
+	  return exports.normalize(filter(paths, function(p, index) {
+	    if (typeof p !== 'string') {
+	      throw new TypeError('Arguments to path.join must be strings');
+	    }
+	    return p;
+	  }).join('/'));
+	};
+	
+	
+	// path.relative(from, to)
+	// posix version
+	exports.relative = function(from, to) {
+	  from = exports.resolve(from).substr(1);
+	  to = exports.resolve(to).substr(1);
+	
+	  function trim(arr) {
+	    var start = 0;
+	    for (; start < arr.length; start++) {
+	      if (arr[start] !== '') break;
+	    }
+	
+	    var end = arr.length - 1;
+	    for (; end >= 0; end--) {
+	      if (arr[end] !== '') break;
+	    }
+	
+	    if (start > end) return [];
+	    return arr.slice(start, end - start + 1);
+	  }
+	
+	  var fromParts = trim(from.split('/'));
+	  var toParts = trim(to.split('/'));
+	
+	  var length = Math.min(fromParts.length, toParts.length);
+	  var samePartsLength = length;
+	  for (var i = 0; i < length; i++) {
+	    if (fromParts[i] !== toParts[i]) {
+	      samePartsLength = i;
+	      break;
+	    }
+	  }
+	
+	  var outputParts = [];
+	  for (var i = samePartsLength; i < fromParts.length; i++) {
+	    outputParts.push('..');
+	  }
+	
+	  outputParts = outputParts.concat(toParts.slice(samePartsLength));
+	
+	  return outputParts.join('/');
+	};
+	
+	exports.sep = '/';
+	exports.delimiter = ':';
+	
+	exports.dirname = function(path) {
+	  var result = splitPath(path),
+	      root = result[0],
+	      dir = result[1];
+	
+	  if (!root && !dir) {
+	    // No dirname whatsoever
+	    return '.';
+	  }
+	
+	  if (dir) {
+	    // It has a dirname, strip trailing slash
+	    dir = dir.substr(0, dir.length - 1);
+	  }
+	
+	  return root + dir;
+	};
+	
+	
+	exports.basename = function(path, ext) {
+	  var f = splitPath(path)[2];
+	  // TODO: make this comparison case-insensitive on windows?
+	  if (ext && f.substr(-1 * ext.length) === ext) {
+	    f = f.substr(0, f.length - ext.length);
+	  }
+	  return f;
+	};
+	
+	
+	exports.extname = function(path) {
+	  return splitPath(path)[3];
+	};
+	
+	function filter (xs, f) {
+	    if (xs.filter) return xs.filter(f);
+	    var res = [];
+	    for (var i = 0; i < xs.length; i++) {
+	        if (f(xs[i], i, xs)) res.push(xs[i]);
+	    }
+	    return res;
+	}
+	
+	// String.prototype.substr - negative index don't work in IE8
+	var substr = 'ab'.substr(-1) === 'b'
+	    ? function (str, start, len) { return str.substr(start, len) }
+	    : function (str, start, len) {
+	        if (start < 0) start = str.length + start;
+	        return str.substr(start, len);
+	    }
+	;
+	
+	/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(190)))
+
+/***/ },
+/* 602 */
+/***/ function(module, exports, __webpack_require__) {
+
+	(function() {
+	  var PathSeparator, queryIsLastPathSegment;
+	
+	  PathSeparator = __webpack_require__(601).sep;
+	
+	  exports.basenameScore = function(string, query, score) {
+	    var base, depth, index, lastCharacter, segmentCount, slashCount;
+	    index = string.length - 1;
+	    while (string[index] === PathSeparator) {
+	      index--;
+	    }
+	    slashCount = 0;
+	    lastCharacter = index;
+	    base = null;
+	    while (index >= 0) {
+	      if (string[index] === PathSeparator) {
+	        slashCount++;
+	        if (base == null) {
+	          base = string.substring(index + 1, lastCharacter + 1);
+	        }
+	      } else if (index === 0) {
+	        if (lastCharacter < string.length - 1) {
+	          if (base == null) {
+	            base = string.substring(0, lastCharacter + 1);
+	          }
+	        } else {
+	          if (base == null) {
+	            base = string;
+	          }
+	        }
+	      }
+	      index--;
+	    }
+	    if (base === string) {
+	      score *= 2;
+	    } else if (base) {
+	      score += exports.score(base, query);
+	    }
+	    segmentCount = slashCount + 1;
+	    depth = Math.max(1, 10 - segmentCount);
+	    score *= depth * 0.01;
+	    return score;
+	  };
+	
+	  exports.score = function(string, query) {
+	    var character, characterScore, indexInQuery, indexInString, lowerCaseIndex, minIndex, queryLength, queryScore, stringLength, totalCharacterScore, upperCaseIndex, _ref;
+	    if (string === query) {
+	      return 1;
+	    }
+	    if (queryIsLastPathSegment(string, query)) {
+	      return 1;
+	    }
+	    totalCharacterScore = 0;
+	    queryLength = query.length;
+	    stringLength = string.length;
+	    indexInQuery = 0;
+	    indexInString = 0;
+	    while (indexInQuery < queryLength) {
+	      character = query[indexInQuery++];
+	      lowerCaseIndex = string.indexOf(character.toLowerCase());
+	      upperCaseIndex = string.indexOf(character.toUpperCase());
+	      minIndex = Math.min(lowerCaseIndex, upperCaseIndex);
+	      if (minIndex === -1) {
+	        minIndex = Math.max(lowerCaseIndex, upperCaseIndex);
+	      }
+	      indexInString = minIndex;
+	      if (indexInString === -1) {
+	        return 0;
+	      }
+	      characterScore = 0.1;
+	      if (string[indexInString] === character) {
+	        characterScore += 0.1;
+	      }
+	      if (indexInString === 0 || string[indexInString - 1] === PathSeparator) {
+	        characterScore += 0.8;
+	      } else if ((_ref = string[indexInString - 1]) === '-' || _ref === '_' || _ref === ' ') {
+	        characterScore += 0.7;
+	      }
+	      string = string.substring(indexInString + 1, stringLength);
+	      totalCharacterScore += characterScore;
+	    }
+	    queryScore = totalCharacterScore / queryLength;
+	    return ((queryScore * (queryLength / stringLength)) + queryScore) / 2;
+	  };
+	
+	  queryIsLastPathSegment = function(string, query) {
+	    if (string[string.length - query.length - 1] === PathSeparator) {
+	      return string.lastIndexOf(query) === string.length - query.length;
+	    }
+	  };
+	
+	  exports.match = function(string, query, stringOffset) {
+	    var character, indexInQuery, indexInString, lowerCaseIndex, matches, minIndex, queryLength, stringLength, upperCaseIndex, _i, _ref, _results;
+	    if (stringOffset == null) {
+	      stringOffset = 0;
+	    }
+	    if (string === query) {
+	      return (function() {
+	        _results = [];
+	        for (var _i = stringOffset, _ref = stringOffset + string.length; stringOffset <= _ref ? _i < _ref : _i > _ref; stringOffset <= _ref ? _i++ : _i--){ _results.push(_i); }
+	        return _results;
+	      }).apply(this);
+	    }
+	    queryLength = query.length;
+	    stringLength = string.length;
+	    indexInQuery = 0;
+	    indexInString = 0;
+	    matches = [];
+	    while (indexInQuery < queryLength) {
+	      character = query[indexInQuery++];
+	      lowerCaseIndex = string.indexOf(character.toLowerCase());
+	      upperCaseIndex = string.indexOf(character.toUpperCase());
+	      minIndex = Math.min(lowerCaseIndex, upperCaseIndex);
+	      if (minIndex === -1) {
+	        minIndex = Math.max(lowerCaseIndex, upperCaseIndex);
+	      }
+	      indexInString = minIndex;
+	      if (indexInString === -1) {
+	        return [];
+	      }
+	      matches.push(stringOffset + indexInString);
+	      stringOffset += indexInString + 1;
+	      string = string.substring(indexInString + 1, stringLength);
+	    }
+	    return matches;
+	  };
+	
+	}).call(this);
+
+
+/***/ },
+/* 603 */
+/***/ function(module, exports, __webpack_require__) {
+
+	(function() {
+	  var PathSeparator, legacy_scorer, pluckCandidates, scorer, sortCandidates;
+	
+	  scorer = __webpack_require__(600);
+	
+	  legacy_scorer = __webpack_require__(602);
+	
+	  pluckCandidates = function(a) {
+	    return a.candidate;
+	  };
+	
+	  sortCandidates = function(a, b) {
+	    return b.score - a.score;
+	  };
+	
+	  PathSeparator = __webpack_require__(601).sep;
+	
+	  module.exports = function(candidates, query, _arg) {
+	    var allowErrors, bAllowErrors, bKey, candidate, coreQuery, key, legacy, maxInners, maxResults, prepQuery, queryHasSlashes, score, scoredCandidates, spotLeft, string, _i, _j, _len, _len1, _ref;
+	    _ref = _arg != null ? _arg : {}, key = _ref.key, maxResults = _ref.maxResults, maxInners = _ref.maxInners, allowErrors = _ref.allowErrors, legacy = _ref.legacy;
+	    scoredCandidates = [];
+	    spotLeft = (maxInners != null) && maxInners > 0 ? maxInners : candidates.length;
+	    bAllowErrors = !!allowErrors;
+	    bKey = key != null;
+	    prepQuery = scorer.prepQuery(query);
+	    if (!legacy) {
+	      for (_i = 0, _len = candidates.length; _i < _len; _i++) {
+	        candidate = candidates[_i];
+	        string = bKey ? candidate[key] : candidate;
+	        if (!string) {
+	          continue;
+	        }
+	        score = scorer.score(string, query, prepQuery, bAllowErrors);
+	        if (score > 0) {
+	          scoredCandidates.push({
+	            candidate: candidate,
+	            score: score
+	          });
+	          if (!--spotLeft) {
+	            break;
+	          }
+	        }
+	      }
+	    } else {
+	      queryHasSlashes = prepQuery.depth > 0;
+	      coreQuery = prepQuery.core;
+	      for (_j = 0, _len1 = candidates.length; _j < _len1; _j++) {
+	        candidate = candidates[_j];
+	        string = key != null ? candidate[key] : candidate;
+	        if (!string) {
+	          continue;
+	        }
+	        score = legacy_scorer.score(string, coreQuery, queryHasSlashes);
+	        if (!queryHasSlashes) {
+	          score = legacy_scorer.basenameScore(string, coreQuery, score);
+	        }
+	        if (score > 0) {
+	          scoredCandidates.push({
+	            candidate: candidate,
+	            score: score
+	          });
+	        }
+	      }
+	    }
+	    scoredCandidates.sort(sortCandidates);
+	    candidates = scoredCandidates.map(pluckCandidates);
+	    if (maxResults != null) {
+	      candidates = candidates.slice(0, maxResults);
+	    }
+	    return candidates;
+	  };
+	
+	}).call(this);
+
+
+/***/ },
+/* 604 */
+/***/ function(module, exports, __webpack_require__) {
+
+	(function() {
+	  var PathSeparator, scorer;
+	
+	  PathSeparator = __webpack_require__(601).sep;
+	
+	  scorer = __webpack_require__(600);
+	
+	  exports.basenameMatch = function(subject, subject_lw, prepQuery) {
+	    var basePos, depth, end;
+	    end = subject.length - 1;
+	    while (subject[end] === PathSeparator) {
+	      end--;
+	    }
+	    basePos = subject.lastIndexOf(PathSeparator, end);
+	    if (basePos === -1) {
+	      return [];
+	    }
+	    depth = prepQuery.depth;
+	    while (depth-- > 0) {
+	      basePos = subject.lastIndexOf(PathSeparator, basePos - 1);
+	      if (basePos === -1) {
+	        return [];
+	      }
+	    }
+	    basePos++;
+	    end++;
+	    return exports.match(subject.slice(basePos, end), subject_lw.slice(basePos, end), prepQuery, basePos);
+	  };
+	
+	  exports.mergeMatches = function(a, b) {
+	    var ai, bj, i, j, m, n, out;
+	    m = a.length;
+	    n = b.length;
+	    if (n === 0) {
+	      return a.slice();
+	    }
+	    if (m === 0) {
+	      return b.slice();
+	    }
+	    i = -1;
+	    j = 0;
+	    bj = b[j];
+	    out = [];
+	    while (++i < m) {
+	      ai = a[i];
+	      while (bj <= ai && ++j < n) {
+	        if (bj < ai) {
+	          out.push(bj);
+	        }
+	        bj = b[j];
+	      }
+	      out.push(ai);
+	    }
+	    while (j < n) {
+	      out.push(b[j++]);
+	    }
+	    return out;
+	  };
+	
+	  exports.match = function(subject, subject_lw, prepQuery, offset) {
+	    var DIAGONAL, LEFT, STOP, UP, acro_score, align, backtrack, csc_diag, csc_row, csc_score, i, j, m, matches, move, n, pos, query, query_lw, score, score_diag, score_row, score_up, si_lw, start, trace;
+	    if (offset == null) {
+	      offset = 0;
+	    }
+	    query = prepQuery.query;
+	    query_lw = prepQuery.query_lw;
+	    m = subject.length;
+	    n = query.length;
+	    acro_score = scorer.scoreAcronyms(subject, subject_lw, query, query_lw).score;
+	    score_row = new Array(n);
+	    csc_row = new Array(n);
+	    STOP = 0;
+	    UP = 1;
+	    LEFT = 2;
+	    DIAGONAL = 3;
+	    trace = new Array(m * n);
+	    pos = -1;
+	    j = -1;
+	    while (++j < n) {
+	      score_row[j] = 0;
+	      csc_row[j] = 0;
+	    }
+	    i = -1;
+	    while (++i < m) {
+	      score = 0;
+	      score_up = 0;
+	      csc_diag = 0;
+	      si_lw = subject_lw[i];
+	      j = -1;
+	      while (++j < n) {
+	        csc_score = 0;
+	        align = 0;
+	        score_diag = score_up;
+	        if (query_lw[j] === si_lw) {
+	          start = scorer.isWordStart(i, subject, subject_lw);
+	          csc_score = csc_diag > 0 ? csc_diag : scorer.scoreConsecutives(subject, subject_lw, query, query_lw, i, j, start);
+	          align = score_diag + scorer.scoreCharacter(i, j, start, acro_score, csc_score);
+	        }
+	        score_up = score_row[j];
+	        csc_diag = csc_row[j];
+	        if (score > score_up) {
+	          move = LEFT;
+	        } else {
+	          score = score_up;
+	          move = UP;
+	        }
+	        if (align > score) {
+	          score = align;
+	          move = DIAGONAL;
+	        } else {
+	          csc_score = 0;
+	        }
+	        score_row[j] = score;
+	        csc_row[j] = csc_score;
+	        trace[++pos] = score > 0 ? move : STOP;
+	      }
+	    }
+	    i = m - 1;
+	    j = n - 1;
+	    pos = i * n + j;
+	    backtrack = true;
+	    matches = [];
+	    while (backtrack && i >= 0 && j >= 0) {
+	      switch (trace[pos]) {
+	        case UP:
+	          i--;
+	          pos -= n;
+	          break;
+	        case LEFT:
+	          j--;
+	          pos--;
+	          break;
+	        case DIAGONAL:
+	          matches.push(i + offset);
+	          j--;
+	          i--;
+	          pos -= n + 1;
+	          break;
+	        default:
+	          backtrack = false;
+	      }
+	    }
+	    matches.reverse();
+	    return matches;
+	  };
+	
+	}).call(this);
+
+
+/***/ },
+/* 605 */
+/***/ function(module, exports, __webpack_require__) {
+
+	// style-loader: Adds some css to the DOM by adding a <style> tag
+	
+	// load the styles
+	var content = __webpack_require__(606);
+	if(typeof content === 'string') content = [[module.id, content, '']];
+	// add the styles to the DOM
+	var update = __webpack_require__(364)(content, {});
+	if(content.locals) module.exports = content.locals;
+	// Hot Module Replacement
+	if(false) {
+		// When the styles change, update the <style> tags
+		if(!content.locals) {
+			module.hot.accept("!!./../../../node_modules/css-loader/index.js!./Autocomplete.css", function() {
+				var newContent = require("!!./../../../node_modules/css-loader/index.js!./Autocomplete.css");
+				if(typeof newContent === 'string') newContent = [[module.id, newContent, '']];
+				update(newContent);
+			});
+		}
+		// When the module is disposed, remove the <style> tags
+		module.hot.dispose(function() { update(); });
+	}
+
+/***/ },
+/* 606 */
+/***/ function(module, exports, __webpack_require__) {
+
+	exports = module.exports = __webpack_require__(363)();
+	// imports
+	
+	
+	// module
+	exports.push([module.id, "\r\n.autocomplete {\r\n  width: 100%;\r\n  padding: 20px;\r\n}\r\n\r\n.autocomplete ul {\r\n  list-style: none;\r\n  width: 100%;\r\n  max-height: calc(100% - 32px);\r\n  margin: 0px;\r\n  padding: 0px;\r\n  overflow: auto;\r\n  border-left: 2px solid var(--theme-splitter-color);\r\n  border-right: 2px solid var(--theme-splitter-color);\r\n}\r\n\r\n.autocomplete ul:not(:empty) {\r\n  border-bottom: 2px solid var(--theme-splitter-color);\r\n}\r\n\r\n.autocomplete li:nth-child(1) {\r\n  border-top: none;\r\n}\r\n\r\n.autocomplete li {\r\n  border-top: 2px solid var(--theme-splitter-color);\r\n  background-color: var(--theme-tab-toolbar-background);\r\n  padding: 10px;\r\n}\r\n\r\n.autocomplete li:hover {\r\n  background: var(--theme-tab-toolbar-background);\r\n  cursor: pointer;\r\n}\r\n\r\n.autocomplete li.selected {\r\n  background: var(--theme-selection-background);\r\n  color: white;\r\n}\r\n\r\n.autocomplete li.selected .subtitle {\r\n  color: white;\r\n}\r\n\r\n.autocomplete li .title {\r\n  line-height: 1.5em;\r\n}\r\n\r\n.autocomplete li .subtitle {\r\n  line-height: 1.5em;\r\n  color: grey;\r\n}\r\n\r\n.autocomplete input {\r\n  width: 100%;\r\n  border: 2px solid var(--theme-splitter-color);\r\n  outline: none;\r\n  line-height: 2.5em;\r\n  height: 2.5em;\r\n  padding-left: 25px;\r\n}\r\n\r\n.autocomplete svg {\r\n  width: 16px;\r\n  position: absolute;\r\n  top: 25px;\r\n  left: 27px;\r\n}\r\n\r\n.autocomplete.focused path,\r\n.autocomplete.focused ellipse {\r\n  stroke: var(--theme-highlight-blue);\r\n}\r\n\r\n.autocomplete path,\r\n.autocomplete ellipse {\r\n  stroke: var(--theme-splitter-color);\r\n}\r\n", ""]);
+	
+	// exports
+
+
+/***/ }
+/******/ ]);
+//# sourceMappingURL=bundle.js.map
\ No newline at end of file
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/npm-debug.log
@@ -0,0 +1,45 @@
+0 info it worked if it ends with ok
+1 verbose cli [ '/usr/local/bin/node', '/usr/local/bin/npm', 'start' ]
+2 info using npm@3.8.3
+3 info using node@v5.10.1
+4 verbose run-script [ 'prestart', 'start', 'poststart' ]
+5 info lifecycle inspector.html@0.0.1~prestart: inspector.html@0.0.1
+6 silly lifecycle inspector.html@0.0.1~prestart: no script for prestart, continuing
+7 info lifecycle inspector.html@0.0.1~start: inspector.html@0.0.1
+8 verbose lifecycle inspector.html@0.0.1~start: unsafe-perm in lifecycle true
+9 verbose lifecycle inspector.html@0.0.1~start: PATH: /usr/local/lib/node_modules/npm/bin/node-gyp-bin:/Users/jdescottes/Development/hg/fx-team/devtools/client/inspector/inspector.html/node_modules/.bin:/usr/local/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin
+10 verbose lifecycle inspector.html@0.0.1~start: CWD: /Users/jdescottes/Development/hg/fx-team/devtools/client/inspector/inspector.html
+11 silly lifecycle inspector.html@0.0.1~start: Args: [ '-c', 'node bin/development-server' ]
+12 silly lifecycle inspector.html@0.0.1~start: Returned: code: 1  signal: null
+13 info lifecycle inspector.html@0.0.1~start: Failed to exec start script
+14 verbose stack Error: inspector.html@0.0.1 start: `node bin/development-server`
+14 verbose stack Exit status 1
+14 verbose stack     at EventEmitter.<anonymous> (/usr/local/lib/node_modules/npm/lib/utils/lifecycle.js:239:16)
+14 verbose stack     at emitTwo (events.js:100:13)
+14 verbose stack     at EventEmitter.emit (events.js:185:7)
+14 verbose stack     at ChildProcess.<anonymous> (/usr/local/lib/node_modules/npm/lib/utils/spawn.js:24:14)
+14 verbose stack     at emitTwo (events.js:100:13)
+14 verbose stack     at ChildProcess.emit (events.js:185:7)
+14 verbose stack     at maybeClose (internal/child_process.js:850:16)
+14 verbose stack     at Process.ChildProcess._handle.onexit (internal/child_process.js:215:5)
+15 verbose pkgid inspector.html@0.0.1
+16 verbose cwd /Users/jdescottes/Development/hg/fx-team/devtools/client/inspector/inspector.html
+17 error Darwin 15.6.0
+18 error argv "/usr/local/bin/node" "/usr/local/bin/npm" "start"
+19 error node v5.10.1
+20 error npm  v3.8.3
+21 error code ELIFECYCLE
+22 error inspector.html@0.0.1 start: `node bin/development-server`
+22 error Exit status 1
+23 error Failed at the inspector.html@0.0.1 start script 'node bin/development-server'.
+23 error Make sure you have the latest version of node.js and npm installed.
+23 error If you do, this is most likely a problem with the inspector.html package,
+23 error not with npm itself.
+23 error Tell the author that this fails on your system:
+23 error     node bin/development-server
+23 error You can get information on how to open an issue for this project with:
+23 error     npm bugs inspector.html
+23 error Or if that isn't available, you can get their info via:
+23 error     npm owner ls inspector.html
+23 error There is likely additional logging output above.
+24 verbose exit [ 1, true ]
new file mode 100644
--- /dev/null
+++ b/devtools/client/inspector/inspector.html/package.json
@@ -0,0 +1,97 @@
+{
+  "name": "inspector.html",
+  "version": "0.0.1",
+  "scripts": {
+    "start": "node bin/development-server"
+  },
+  "engineStrict": true,
+  "engines": {
+    "node": ">=5.0.0"
+  },
+  "dependencies": {
+    "classnames": "^2.2.5",
+    "codemirror": "^5.1.0",
+    "express": "^4.13.4",
+    "fuzzaldrin-plus": "^0.3.1",
+    "immutable": "^3.7.6",
+    "invariant": "^2.2.1",
+    "lodash": "^4.13.1",
+    "md5": "^2.2.1",
+    "mock-require": "^1.3.0",
+    "pretty-fast": "^0.2.0",
+    "react": "=0.14.7",
+    "react-dom": "=0.14.7",
+    "react-immutable-proptypes": "^1.7.1",
+    "react-inlinesvg": "^0.5.3",
+    "react-redux": "4.4.5",
+    "redux": "3.5.2",
+    "source-map": "^0.5.6",
+    "svg-inline-loader": "^0.7.1",
+    "svg-inline-react": "^1.0.2",
+    "tcomb": "^3.1.0"
+  },
+  "devDependencies": {
+    "amd-loader": "0.0.5",
+    "babel": "^6.5.2",
+    "babel-cli": "^6.7.5",
+    "babel-core": "^6.7.6",
+    "babel-eslint": "^6.1.2",
+    "babel-loader": "^6.2.4",
+    "babel-plugin-module-alias": "^1.4.0",
+    "babel-plugin-transform-async-to-generator": "^6.8.0",
+    "babel-plugin-transform-es2015-block-scoping": "^6.7.1",
+    "babel-plugin-transform-es2015-destructuring": "^6.6.5",
+    "babel-plugin-transform-es2015-parameters": "^6.7.0",
+    "babel-plugin-transform-es2015-spread": "^6.6.5",
+    "babel-plugin-transform-flow-strip-types": "^6.8.0",
+    "babel-plugin-transform-runtime": "^6.7.5",
+    "babel-polyfill": "^6.7.4",
+    "babel-preset-es2015": "^6.6.0",
+    "babel-preset-stage-0": "^6.5.0",
+    "babel-register": "^6.7.2",
+    "body-parser": "^1.15.0",
+    "check-node-version": "^1.1.2",
+    "co": "=4.6.0",
+    "css-loader": "^0.25.0",
+    "documentation": "^4.0.0-beta10",
+    "expect.js": "^0.3.1",
+    "extract-text-webpack-plugin": "^1.0.1",
+    "firefox-profile": "^0.4.0",
+    "flow-bin": "^0.33.0",
+    "geckodriver": "^1.1.2",
+    "glob": "^7.0.3",
+    "husky": "^0.11.7",
+    "install": "^0.8.1",
+    "json-loader": "^0.5.4",
+    "minimist": "^1.2.0",
+    "mocha": "^2.4.5",
+    "mocha-circleci-reporter": "0.0.1",
+    "mustache": "^2.2.1",
+    "net": "^1.0.2",
+    "node-static": "^0.7.7",
+    "npm": "^3.10.7",
+    "react-hot-loader": "^1.3.0",
+    "rimraf": "^2.5.2",
+    "selenium-webdriver": "^3.0.0-beta-2",
+    "serve-index": "^1.8.0",
+    "style-loader": "^0.13.1",
+    "stylelint": "^7.2.0",
+    "webpack": "1.13.1",
+    "webpack-dev-middleware": "^1.6.1",
+    "webpack-hot-middleware": "^2.12.0",
+    "workerjs": "^0.1.1",
+    "ws": "^1.0.1"
+  },
+  "files": [
+    "public"
+  ],
+  "greenkeeper": {
+    "ignore": [
+      "react",
+      "react-dom",
+      "react-redux",
+      "redux",
+      "codemirror"
+    ]
+  }
+}