From 973c81355649220ae5371c35b874d584fccc48df Mon Sep 17 00:00:00 2001 From: Cory Boyle Date: Tue, 17 Mar 2026 17:02:11 -0400 Subject: [PATCH 1/2] feat: add Safari Web Extension support Add a Safari Web Extension in safari-extension/ that ports Spector.js debugging capabilities to Safari on macOS. Key implementation details: - Uses browser.scripting.registerContentScripts() with world: MAIN for CSP-safe getContext() interception (Safari doesn't support manifest-declared MAIN world content scripts) - Injects Spector bundle via scripting.executeScript() to bypass page Content Security Policy restrictions - Single ISOLATED-world content script bridges extension APIs and page CustomEvents - getContext patch uses Function.prototype.apply() with try-catch to ensure extension errors never break page WebGL functionality Also includes: - Build script updates (copies bundle to safari-extension/) - GitHub Actions CI job on macOS runner - Safari extension documentation - Copilot instructions for the repository Co-authored-by: Copilot <223556219+Copilot@users.noreply.github.com> --- .github/copilot-instructions.md | 78 +++++++ .github/workflows/githubActions.yml | 26 +++ .gitignore | 3 +- documentation/safari-extension.md | 73 ++++++ package.json | 3 +- readme.md | 1 + safari-extension/background.js | 187 ++++++++++++++++ safari-extension/contentScript.js | 273 +++++++++++++++++++++++ safari-extension/manifest.json | 54 +++++ safari-extension/pageScript.js | 102 +++++++++ safari-extension/pageScriptInit.js | 81 +++++++ safari-extension/popup.html | 146 ++++++++++++ safari-extension/popup.js | 254 +++++++++++++++++++++ safari-extension/result.html | 25 +++ safari-extension/result.js | 65 ++++++ safari-extension/spector.bundle.js | 82 +++++++ safari-extension/spectorjs-128.png | Bin 0 -> 4795 bytes safari-extension/spectorjs-128128.png | Bin 0 -> 4290 bytes safari-extension/spectorjs-19.png | Bin 0 -> 888 bytes safari-extension/spectorjs-38.png | Bin 0 -> 1747 bytes safari-extension/spectorjs-48.png | Bin 0 -> 1368 bytes safari-extension/spectorjs-512.png | Bin 0 -> 107597 bytes safari-extension/spectorjs-green-128.png | Bin 0 -> 4628 bytes safari-extension/spectorjs-green-19.png | Bin 0 -> 873 bytes safari-extension/spectorjs-green-38.png | Bin 0 -> 1755 bytes safari-extension/spectorjs-green-48.png | Bin 0 -> 1378 bytes safari-extension/spectorjs.svg | 80 +++++++ 27 files changed, 1531 insertions(+), 2 deletions(-) create mode 100644 .github/copilot-instructions.md create mode 100644 documentation/safari-extension.md create mode 100644 safari-extension/background.js create mode 100644 safari-extension/contentScript.js create mode 100644 safari-extension/manifest.json create mode 100644 safari-extension/pageScript.js create mode 100644 safari-extension/pageScriptInit.js create mode 100644 safari-extension/popup.html create mode 100644 safari-extension/popup.js create mode 100644 safari-extension/result.html create mode 100644 safari-extension/result.js create mode 100644 safari-extension/spector.bundle.js create mode 100644 safari-extension/spectorjs-128.png create mode 100644 safari-extension/spectorjs-128128.png create mode 100644 safari-extension/spectorjs-19.png create mode 100644 safari-extension/spectorjs-38.png create mode 100644 safari-extension/spectorjs-48.png create mode 100644 safari-extension/spectorjs-512.png create mode 100644 safari-extension/spectorjs-green-128.png create mode 100644 safari-extension/spectorjs-green-19.png create mode 100644 safari-extension/spectorjs-green-38.png create mode 100644 safari-extension/spectorjs-green-48.png create mode 100644 safari-extension/spectorjs.svg diff --git a/.github/copilot-instructions.md b/.github/copilot-instructions.md new file mode 100644 index 00000000..3f338547 --- /dev/null +++ b/.github/copilot-instructions.md @@ -0,0 +1,78 @@ +# Copilot Instructions for Spector.js + +## Build & Development Commands + +```bash +npm start # Compile + live reload dev server + watch (localhost:1337/sample/) +npm run build # Production build (lint → bundle → copy → extension wrap) +npm run build:tslint # Lint only (run before PRs) +npm run build:bundle # Webpack bundle only +npm run clean # Remove generated files +``` + +There is no test suite — `npm test` is a no-op. Validation is done via the sample pages at `http://localhost:1337/sample/index.html?sample=` (e.g., `?sample=simple`, `?sample=lights`). Append `&noSpy=1` to test without the full spy enabled. + +## Architecture + +Spector.js is a **WebGL debugging inspector** that intercepts WebGL API calls at runtime via function wrapping, captures frame data, and renders results in a built-in UI. It ships as both an npm module (UMD bundle exported as `SPECTOR`) and a browser extension. + +### Core Subsystems (in `src/`) + +- **`backend/`** — Runtime interception engine + - **`spies/`** — The interception layer. `ContextSpy` orchestrates capture by wrapping all WebGL methods. `CommandSpy` wraps individual functions. `StateSpy` tracks state changes. `TimeSpy` hooks `requestAnimationFrame`. `RecorderSpy` records resource data (textures, buffers, programs). + - **`commands/`** — 38 command classes (one per WebGL function), all extending `BaseCommand`. Handle argument serialization and stack traces. + - **`states/`** — 13+ state implementations extending `BaseState`. Each state type (blend, depth, stencil, visual, etc.) registers callbacks for the WebGL commands that affect it, then reads from the context on capture. + - **`recorders/`** — Generic `BaseRecorder` with concrete implementations for buffers, textures, programs, render buffers. + - **`analysers/`** — Post-capture analysis (`CaptureAnalyser`, `CommandsAnalyser`, `PrimitivesAnalyser`). + - **`webGlObjects/`** — Tagging system that attaches metadata to WebGL objects. + +- **`embeddedFrontend/`** — Built-in UI + - **`mvx/`** — Custom MVX (Model-View-Extension) UI framework (~5 core files). All UI components extend this framework. + - **`resultView/`** — ~20 components for displaying capture results. + - **`captureMenu/`** — Capture control UI. + - **`styles/`** — SCSS stylesheets (bundled via sass-loader). + +- **`shared/`** — Cross-cutting utilities + - `Observable` — Lightweight event system used throughout (`onCapture`, `onError`, etc.). + - `Logger` — Logging utility. + - `ICapture` / capture types — Capture data structures. + +- **`polyfill/`** — XR Session polyfill. + +### Entry Point & Data Flow + +`src/spector.ts` is the main entry point exporting the `Spector` class. Capture flow: +1. `Spector` creates `ContextSpy` for a WebGL context +2. `ContextSpy.spy()` wraps all WebGL functions via `CommandSpy` instances +3. On each wrapped call, registered `BaseState` subclasses read relevant state +4. `RecorderSpy` captures resource data (textures, buffers) +5. `CaptureAnalyser` aggregates everything into an `ICapture` object +6. Results fire via `Observable` to the UI or consumer + +### Browser Extension (`extensions/`) + +The extension wraps the core library for Chrome/Firefox. Key files: +- `background.js` — Service worker managing tab state +- `contentScript.js` / `contentScriptProxy.js` — Injected into pages, communicate via browser messaging +- `spector.bundle.js` — Auto-copied from `dist/` during build +- `spector.bundle.func.js` — Bundle wrapped with header/footer for extension injection + +### Vendor Dependencies (`vendors/`) + +Ace editor files (editor, GLSL mode, Monokai theme, search) are bundled as webpack entry points for the shader editor UI. + +## Code Conventions + +- **TypeScript** targeting ES2015, ES6 modules, bundled to UMD via webpack. +- **File naming**: `camelCase.ts` — one class per file (e.g., `contextSpy.ts`, `baseCommand.ts`). +- **Class naming**: `PascalCase`. Spy classes use `*Spy` suffix, recorders use `*Recorder`, components use `*Component`. +- **Interfaces**: Prefixed with `I` (e.g., `IContextInformation`, `ICapture`, `IFunctionInformation`). +- **Member access**: Always explicit (`public`/`private`/`protected` required by linter). +- **Strings**: Double quotes (enforced by tslint). +- **Semicolons**: Always required. +- **Max line length**: 200 characters. +- **Bitwise operators**: Allowed (needed for WebGL constants). +- **Strict mode**: `noImplicitAny`, `noImplicitReturns`, `noImplicitThis` enabled. +- **Extending the command system**: Add a new class extending `BaseCommand` in `src/backend/commands/`. +- **Extending state tracking**: Add a new class extending `BaseState` in `src/backend/states/`, implementing `getConsumeCommands()` and `readFromContext()`. +- **Adding samples**: Create a JS file in `sample/js/`, access via `?sample=fileName` (without `.js`). diff --git a/.github/workflows/githubActions.yml b/.github/workflows/githubActions.yml index 3ffed18f..804461b3 100644 --- a/.github/workflows/githubActions.yml +++ b/.github/workflows/githubActions.yml @@ -23,3 +23,29 @@ jobs: npm run build --if-present env: CI: true + + build-safari: + + runs-on: macos-latest + + steps: + - uses: actions/checkout@v1 + - name: Use Node.js 18.x + uses: actions/setup-node@v1 + with: + node-version: 18.x + - name: npm install, build + run: | + npm install + npm run build --if-present + env: + CI: true + - name: Validate Safari extension + run: | + xcrun safari-web-extension-converter safari-extension/ \ + --project-location safari-xcode \ + --app-name "Spector.js" \ + --bundle-identifier com.babylonjs.spectorjs \ + --macos-only \ + --no-open \ + --no-prompt diff --git a/.gitignore b/.gitignore index 90ffdcdf..ed25b178 100644 --- a/.gitignore +++ b/.gitignore @@ -8,4 +8,5 @@ /node_modules npm-debug.log.** npm-debug.log -.DS_Store \ No newline at end of file +.DS_Store +/safari-xcode \ No newline at end of file diff --git a/documentation/safari-extension.md b/documentation/safari-extension.md new file mode 100644 index 00000000..ef1599a6 --- /dev/null +++ b/documentation/safari-extension.md @@ -0,0 +1,73 @@ +[SpectorJS](../readme.md) +========= + +## Safari Extension + +Spector.js is available as a Safari Web Extension for macOS. Since Safari requires extensions to be wrapped in a native macOS app, the build process involves both npm and Xcode. + +### Prerequisites + +- macOS with Xcode installed (Xcode 14+) +- [Apple Developer account](https://developer.apple.com/) (required for distribution; not needed for local testing) +- Node.js and npm + +### Building the Safari Extension + +1. **Build the Spector.js bundle:** + ```bash + npm install + npm run build + ``` + This compiles the core library and copies `spector.bundle.js` into `safari-extension/`. + +2. **Generate the Xcode project** (first time only): + ```bash + xcrun safari-web-extension-converter safari-extension/ \ + --project-location safari-xcode \ + --app-name "Spector.js" \ + --bundle-identifier com.babylonjs.spectorjs \ + --macos-only \ + --no-open + ``` + This creates a macOS app project in `safari-xcode/` that wraps the web extension. + +3. **Build and run from Xcode:** + - Open `safari-xcode/Spector.js/Spector.js.xcodeproj` in Xcode + - Select your development team under Signing & Capabilities + - Build and run (⌘R) + +### Development Workflow + +1. **Enable unsigned extensions** in Safari: + - Open Safari → Settings → Advanced → check "Show features for web developers" + - Then Safari → Settings → Developer → check "Allow unsigned extensions" + +2. **Build and run** the Xcode project — Safari will load the extension automatically. + +3. **Iterate on extension code:** After editing files in `safari-extension/`, rebuild in Xcode (⌘R). For changes to the core Spector library in `src/`, run `npm run build` first. + +4. **Test** using the sample pages at `http://localhost:1337/sample/index.html` (run `npm start` for the dev server). + +### Architecture Differences from Chrome/Firefox + +The Safari extension uses a single content script in the default ISOLATED world (Safari does not support Manifest V3's `"world": "MAIN"`). To interact with page-level JavaScript: + +- **getContext() interception** and **Spector initialization** are injected into the page via ` + + + + + +
+

+ Drag previously saved captures here to open. +

+
+ + + + SpectorJS + +
+
+ + + + + diff --git a/safari-extension/popup.js b/safari-extension/popup.js new file mode 100644 index 00000000..d1d17e91 --- /dev/null +++ b/safari-extension/popup.js @@ -0,0 +1,254 @@ +//_______________________________EXTENSION POLYFILL_____________________________________ +window.browser = (function () { + return window.browser || + window.chrome; +})(); + +function sendMessage(message) { + try { + window.browser.tabs.query({ active: true, currentWindow: true }, function(tabs) { + window.browser.tabs.sendMessage(tabs[0].id, message, function(response) { }); + }); + } + catch (e) { + // Tab has probably been closed. + } +}; + +function listenForMessage(callback) { + window.browser.runtime.onMessage.addListener(callback); +}; +//_____________________________________________________________________________________ + +var ui = null; +var offScreenInput = null; + +// Display the capture UI. +window.addEventListener("DOMContentLoaded", function() { + var openCaptureFileElement = document.getElementById("openCaptureFile"); + openCaptureFileElement.addEventListener("dragenter", (e) => { this.drag(e); return false; }, false); + openCaptureFileElement.addEventListener("dragover", (e) => { this.drag(e); return false; }, false); + openCaptureFileElement.addEventListener("drop", (e) => { this.drop(e); }, false); + + var captureOnLoadElement = document.getElementById("captureOnLoad"); + var captureNowElement = document.getElementById("captureNow"); + var captureOnLoadCountInput = document.getElementById("captureOnLoadCount"); + var captureOnLoadTransientInput = document.getElementById("captureOnLoadTransient"); + var quickCaptureInput = document.getElementById("quickCapture"); + var fullCaptureInput = document.getElementById("fullCapture"); + offScreenInput = document.getElementById("offScreen"); + + captureNowElement.addEventListener("click", (e) => { + var commandCount = parseInt(captureOnLoadCountInput.value); + if (commandCount < 0 || commandCount === Number.NaN) { + commandCount = 500; + } + var quickCaptureInput = document.getElementById("quickCapture"); + var fullCaptureInput = document.getElementById("fullCapture"); + + var canvasInfo = ui.getSelectedCanvasInformation(); + if (canvasInfo) { + var canvasRef = canvasInfo.ref; + this.captureNow(canvasRef, quickCaptureInput.checked, fullCaptureInput.checked, commandCount); + } + return false; + }); + + captureOnLoadElement.addEventListener("click", (e) => { + var transient = captureOnLoadTransientInput.checked; + var quickCapture = quickCaptureInput.checked; + var fullCapture = fullCaptureInput.checked; + var commandCount = parseInt(captureOnLoadCountInput.value); + if (commandCount < 0 || commandCount === Number.NaN) { + commandCount = 500; + } + this.captureonLoad(commandCount, transient, quickCapture, fullCapture); + return false; + }); + + offScreenInput.onchange = () => { + this.changeOffScreenStatus(offScreenInput.checked); + }; + + initUI(); + refreshCanvases(); + playAll(); +}); + +var captureCanvas = function(e) { + if (e) { + var quickCaptureInput = document.getElementById("quickCapture"); + var fullCaptureInput = document.getElementById("fullCapture"); + var canvasRef = e.ref; + + captureNow(canvasRef, quickCaptureInput.checked, fullCaptureInput.checked, 0); + } +} + +var captureNow = function(canvasRef, quickCapture, fullCapture, commandCount) { + sendMessage({ + action: "capture", + canvasRef: canvasRef, + quickCapture: quickCapture, + fullCapture: fullCapture, + commandCount: commandCount + }); +} + +var captureonLoad = function(commandCount, transient, quickCapture, fullCapture) { + sendMessage({ + action: "captureOnLoad", + commandCount : commandCount, + transient: transient, + quickCapture: quickCapture, + fullCapture: fullCapture + }); +} + +var changeOffScreenStatus = function(offScreen) { + sendMessage({ + action: "changeOffScreen", + captureOffScreen : offScreen, + }); +} + +var drag = function(e) { + e.stopPropagation(); + e.preventDefault(); +} + +var drop = function(eventDrop) { + eventDrop.stopPropagation(); + eventDrop.preventDefault(); + + this.loadFiles(eventDrop); +} + +var loadFiles = function(event) { + var filesToLoad = null; + + // Handling data transfer via drag'n'drop + if (event && event.dataTransfer && event.dataTransfer.files) { + filesToLoad = event.dataTransfer.files; + } + + // Handling files from input files + if (event && event.target && event.target.files) { + filesToLoad = event.target.files; + } + + // Load the files. + if (filesToLoad && filesToLoad.length > 0) { + for (let i = 0; i < filesToLoad.length; i++) { + let name = filesToLoad[i].name.toLowerCase(); + let extension = name.split('.').pop(); + let type = filesToLoad[i].type; + + if (extension === "json") { + const fileToLoad = filesToLoad[i]; + + const reader = new FileReader(); + reader.onerror = e => { + console.error("Error while reading file: " + fileToLoad.name + e); + }; + reader.onload = e => { + try { + browser.storage.local.set({ + 'currentCapture': JSON.parse(e.target['result']), + }); + + window.browser.runtime.sendMessage({ captureDone: true }, function(response) { }); + + } + catch (exception) { + console.error("Error while reading file: " + fileToLoad.name + exception); + } + }; + reader.readAsText(fileToLoad); + } + } + } +} + +var initUI = function() { + ui = new SPECTOR.EmbeddedFrontend.CaptureMenu(); + ui.onPlayRequested.add(this.play, this); + ui.onPlayNextFrameRequested.add(this.playNextFrame, this); + ui.onPauseRequested.add(this.pause, this); + ui.onCaptureRequested.add(this.captureCanvas, this); + ui.display(); +} + +var refreshCanvases = function() { + window.browser.runtime.sendMessage({ refreshCanvases: true }, function(response) { }); +} + +var updateCanvasesListInformation = function (canvasesToSend) { + ui.updateCanvasesListInformation(canvasesToSend.canvases); + offScreenInput.checked = canvasesToSend.captureOffScreen; +} + +var refreshFps = function(fps, frameId, tabId) { + var canvasInfo = ui.getSelectedCanvasInformation(); + if (canvasInfo && canvasInfo.ref.tabId == tabId && canvasInfo.ref.frameId == frameId) { + ui.setFPS(fps); + } +} + +var captureComplete = function(errorMessage) { + ui.captureComplete(errorMessage); +} + +var playAll = function() { + sendMessage({ action: "playAll" }); +} + +var play = function(e) { + if (e) { + sendMessage({ action: "play", canvasRef: e.ref }); + } +} + +var playNextFrame = function(e) { + if (e) { + sendMessage({ action: "playNextFrame", canvasRef: e.ref }); + } +} + +var pause = function(e) { + if (e) { + sendMessage({ action: "pause", canvasRef: e.ref }); + } +} + +//_____________________________________________________________________________________ + +listenForMessage(function(request, sender, sendResponse) { + var frameId; + if (sender.frameId) { + frameId = sender.frameId; + } + else if (request.uniqueId) { + frameId = request.uniqueId; + } + else { + frameId = sender.id; + } + frameId += ""; + + if (request.popup === "updateCanvasesListInformation") { + updateCanvasesListInformation(request.data); + } + else if (request.popup === "refreshFps") { + refreshFps(request.data.fps, request.data.frameId, request.data.senderTabId); + } + else if (request.popup === "captureComplete") { + captureComplete(request.data); + } + else if (request.popup === "refreshCanvases") { + refreshCanvases(); + } + + // Return the frameid for reference. + sendResponse({ frameId: frameId }); +}); diff --git a/safari-extension/result.html b/safari-extension/result.html new file mode 100644 index 00000000..13da2a8c --- /dev/null +++ b/safari-extension/result.html @@ -0,0 +1,25 @@ + + + + + + + + + + + + + + + diff --git a/safari-extension/result.js b/safari-extension/result.js new file mode 100644 index 00000000..d7ad5968 --- /dev/null +++ b/safari-extension/result.js @@ -0,0 +1,65 @@ +//_______________________________EXTENSION POLYFILL_____________________________________ +window.browser = (function () { + return window.browser || + window.chrome; +})(); + +function sendMessage(message, tabId) { + if (tabId) { + window.browser.tabs.sendMessage(tabId, message, function(response) { }); + } + else { + window.browser.tabs.query({ active: true, currentWindow: true }, function(tabs) { + window.browser.tabs.sendMessage(tabs[0].id, message, function(response) { }); + }); + } +}; + +function listenForMessage(callback) { + window.browser.runtime.onMessage.addListener(callback); +}; +//_____________________________________________________________________________________ + +var ui = null; +var frameId = null; +var tabId = null; + +listenForMessage(function(request, sender, sendResponse) { + if (request.programRebuilt && request.tabId == tabId) { + ui.showSourceCodeError(request.programRebuilt.errorString); + } +}); + +window.addEventListener("DOMContentLoaded", function() { + ui = new SPECTOR.EmbeddedFrontend.ResultView(); + ui.onSourceCodeChanged.add((sourceCodeEvent) => { + + var buildInfo = { + programId: sourceCodeEvent.programId, + sourceVertex: sourceCodeEvent.sourceVertex, + sourceFragment: sourceCodeEvent.sourceFragment, + }; + + sendMessage({ + action: "rebuildProgram", + canvasRef: { frameId, tabId }, + buildInfo: buildInfo, + }, tabId); + }); + ui.display(); + + browser.storage.local.get("currentFrameInfo").then(c => { + frameId = c.currentFrameInfo.currentFrameId; + tabId = c.currentFrameInfo.currentTabId; + }); + + browser.storage.local.get("currentCapture").then(c => { + addCapture(c.currentCapture); + }); +}); + +var addCapture = function(capture) { + if (ui && capture) { + ui.addCapture(capture); + } +} diff --git a/safari-extension/spector.bundle.js b/safari-extension/spector.bundle.js new file mode 100644 index 00000000..a1f74864 --- /dev/null +++ b/safari-extension/spector.bundle.js @@ -0,0 +1,82 @@ +!function(e,t){"object"==typeof exports&&"object"==typeof module?module.exports=t():"function"==typeof define&&define.amd?define("SPECTOR",[],t):"object"==typeof exports?exports.SPECTOR=t():e.SPECTOR=t()}(self,()=>(()=>{var e={25(e,t,n){"use strict";n.d(t,{A:()=>a});var i=n(601),r=n.n(i),s=n(314),o=n.n(s)()(r());o.push([e.id,'.captureMenuComponent{position:absolute;padding:7px;z-index:99999;top:10px;left:50%;margin-left:-209px;height:40px;width:400px;border:2px solid #222;background-color:#2c2c2c;visibility:hidden;display:none;color:#f9f9f9;font-family:Consolas,monaco,monospace;font-size:14px;font-weight:500}.captureMenuComponent.active{visibility:visible;display:block}.captureMenuComponent,.captureMenuComponent:after,.captureMenuComponent:before{box-sizing:content-box}.captureMenuLogComponent{position:absolute;padding:7px;z-index:80000;top:66px;left:50%;margin-left:-209px;height:40px;width:400px;border:2px solid #222;background-color:#2c2c2c;visibility:hidden;display:none;color:#f9f9f9;font-family:Consolas,monaco,monospace;font-size:14px;font-weight:500}.captureMenuLogComponent.active{visibility:visible;display:block}.captureMenuLogComponent,.captureMenuLogComponent:after,.captureMenuLogComponent:before{box-sizing:content-box}.captureMenuLogComponent span.error{color:red}.canvasListComponent{float:left;width:50%;height:100%}.canvasListComponent [commandName=onCanvasSelection]{vertical-align:center;line-height:40px;white-space:nowrap;text-overflow:ellipsis;width:190px;display:inline-block;overflow:hidden;margin:0px 5px}.canvasListComponent [commandName=onCanvasSelection]:hover{color:#c9c9c9;cursor:pointer;transition:color .3s;-webkit-transition:color .3s;-moz-transition:color .3s}.canvasListComponent ul{margin:0px;padding:7px;list-style:none;position:absolute;top:54px;left:-2px;width:400px;border:2px solid #222;background-color:#2c2c2c}.canvasListComponent ul li{margin:5px}.canvasListComponent ul li:hover{color:#c9c9c9;cursor:pointer;transition:color .3s;-webkit-transition:color .3s;-moz-transition:color .3s}.captureMenuActionsComponent{float:left;width:30%;height:100%;margin-top:7.5px}.captureMenuActionsComponent div{float:left}.captureMenuActionsComponent [commandName=onCaptureRequested]{border-radius:50%;background:#2c2c2c;border:2px solid red;width:21px;height:21px}.captureMenuActionsComponent [commandName=onCaptureRequested]:hover{background:red;cursor:pointer;transition:background .3s;-webkit-transition:background .3s;-moz-transition:background .3s}.captureMenuActionsComponent [commandName=onPlayRequested],.captureMenuActionsComponent [commandName=onPlayNextFrameRequested]{width:21px;height:21px;border:2px solid #f9f9f9;border-radius:50%;margin-left:9px}.captureMenuActionsComponent [commandName=onPlayRequested]:before,.captureMenuActionsComponent [commandName=onPlayNextFrameRequested]:before{content:"";position:absolute;display:inline-block;margin-top:6px;margin-left:4px;width:7px;height:7px;border-top:2px solid #f9f9f9;border-right:2px solid #f9f9f9;background-color:#f9f9f9;-moz-transform:rotate(45deg);-webkit-transform:rotate(45deg);transform:rotate(45deg);z-index:-20}.captureMenuActionsComponent [commandName=onPlayRequested]:after,.captureMenuActionsComponent [commandName=onPlayNextFrameRequested]:after{content:"";position:absolute;display:inline-block;width:8px;height:20px;background-color:#2c2c2c;z-index:-10}.captureMenuActionsComponent [commandName=onPlayRequested]:hover,.captureMenuActionsComponent [commandName=onPlayNextFrameRequested]:hover{cursor:pointer;border:2px solid #c9c9c9;transition:border .3s;-webkit-transition:border .3s;-moz-transition:border .3s}.captureMenuActionsComponent [commandName=onPauseRequested]{width:21px;height:21px;border:2px solid #f9f9f9;border-radius:50%;margin-left:9px}.captureMenuActionsComponent [commandName=onPauseRequested]:before{content:"";position:absolute;display:inline-block;width:2px;height:13px;margin-left:12px;margin-top:4px;background-color:#f9f9f9}.captureMenuActionsComponent [commandName=onPauseRequested]:after{content:"";position:absolute;display:inline-block;width:2px;height:13px;margin-left:7px;margin-top:4px;background-color:#f9f9f9}.captureMenuActionsComponent [commandName=onPauseRequested]:hover{cursor:pointer;border:2px solid #c9c9c9;transition:border .3s;-webkit-transition:border .3s;-moz-transition:border .3s}.captureMenuActionsComponent [commandName=onPlayNextFrameRequested]:before{background-color:#2c2c2c}.fpsCounterComponent{float:left;width:20%;vertical-align:center;line-height:40px;white-space:nowrap}',""]);const a=o},984(e,t,n){"use strict";n.d(t,{A:()=>a});var i=n(601),r=n.n(i),s=n(314),o=n.n(s)()(r());o.push([e.id,'.resultViewComponent{position:absolute;z-index:99999;border:1px solid #000;top:0;left:0;bottom:0;right:0;background-color:#222;opacity:1;visibility:hidden;display:none;color:#f9f9f9;font-family:Consolas,monaco,monospace;font-size:14px;font-weight:500}.resultViewComponent.active{visibility:visible;display:block}.resultViewComponent,.resultViewComponent:after,.resultViewComponent:before{box-sizing:content-box}.resultViewMenuComponent{font-family:sans-serif;font-size:13px;font-weight:300;line-height:40px;flex:1 100%;display:flex;flex-flow:row wrap;height:42px;outline:0 none;border-bottom:2px solid #222;box-sizing:border-box;list-style:none;margin:0;background:#2c2c2c;display:-webkit-box;display:-moz-box;display:-ms-flexbox;display:-webkit-flex;display:flex;-webkit-flex-flow:row wrap;flex-flow:row wrap;justify-content:flex-end}.resultViewMenuComponent .resultViewMenuOpen{display:none;visibility:hidden}.resultViewMenuComponent a{outline:0 none;text-decoration:none;display:block;padding:0 20px 0 20px;color:#ccc;background:#2c2c2c;box-sizing:border-box;height:100%}.resultViewMenuComponent a.active{background:#222;color:#fff;font-weight:400;border-bottom:2px solid #f0640d}.resultViewMenuComponent a:hover{background:#222;color:#c9c9c9;cursor:pointer;transition:color .3s;-webkit-transition:color .3s;-moz-transition:color .3s}.resultViewMenuComponent a:hover.active{color:#f0640d;transition:color 0;-webkit-transition:color 0;-moz-transition:color 0}.resultViewMenuComponent a.clearSearch{padding:0px;margin-left:-30px;margin-right:20px;z-index:9000;color:#f9f9f9}.resultViewMenuComponent a.clearSearch:hover{background:#2c2c2c;color:#f0640d}@media all and (max-width: 1024px){.resultViewMenuComponent{padding:0px;position:absolute;overflow-y:visible;top:0px;left:0px;right:0px;bottom:0px;z-index:999999;display:block}.resultViewMenuComponent .resultViewMenuOpen{display:block;visibility:visible}.resultViewMenuComponent li:not(.resultViewMenuSmall){display:none;visibility:hidden}.resultViewMenuComponent li{background:#2c2c2c}.resultViewMenuComponent li.searchContainer{background:#464646}.resultViewMenuComponent a.active{background:#2c2c2c}}.resultViewMenuComponent input{border:0;font-family:sans-serif;font-weight:300;padding:0 20px 0 20px;background:#464646;color:#f9f9f9;height:40px;position:relative;top:-1px;box-sizing:border-box}.resultViewMenuComponent input:focus{border:0;outline:0 none}.resultViewMenuComponent .clearSearch{position:relative;background:rgba(0,0,0,0);display:inline;padding:0px;margin-left:-30px;z-index:9000;color:#f0640d}.resultViewMenuComponent .clearSearch:hover{background:rgba(0,0,0,0) !important}.resultViewMenuComponent ::-webkit-input-placeholder{color:#ccc}.resultViewMenuComponent :-moz-placeholder{color:#ccc}.resultViewMenuComponent ::-moz-placeholder{color:#ccc}.resultViewMenuComponent :-ms-input-placeholder{color:#ccc}.resultViewContentComponent{position:absolute;top:40px;left:0;bottom:0;right:0}.informationColumnLeftComponent{position:absolute;top:0;left:0;bottom:0;right:50%;overflow:auto;overflow-x:hidden;overflow-y:visible}.informationColumnRightComponent{position:absolute;top:0;left:50%;bottom:0;right:0;overflow:auto;overflow-x:hidden;overflow-y:visible}.captureListComponent{position:absolute;top:40px;left:0;bottom:0;right:0;background:#222;z-index:9000;display:none;visibility:hidden;overflow-y:visible;overflow-x:hidden}.captureListComponent.active{display:block;visibility:visible}.captureListComponent .openCaptureFile{border:1px dashed #f9f9f9;display:block;margin:5px;padding:5px;text-align:center;font-style:italic}.captureListComponent .openCaptureFile span{line-height:100%;vertical-align:middle}.captureListComponent ul{margin:0px;padding:0px;list-style:none;display:-webkit-box;display:-moz-box;display:-ms-flexbox;display:-webkit-flex;display:flex;-webkit-flex-flow:row wrap;flex-flow:row wrap;justify-content:flex-start}.captureListComponent ul li{margin:5px;border:1px solid #606060}.captureListComponent ul li img{width:295px;background-image:-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9));background-image:-moz-linear-gradient(45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(-45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(45deg, transparent 75%, #d9d9d9 75%),-moz-linear-gradient(-45deg, transparent 75%, #d9d9d9 75%);-webkit-background-size:50px 51px;-moz-background-size:50px 50px;background-size:50px 50px;background-position:0 0,25px 0,25px -25px,0px 25px;display:block}.captureListComponent ul li span{display:block;text-align:center;border:5px solid #222}.captureListComponent ul li span .captureListItemSave{color:#f9f9f9;font-size:16px;margin-left:10px;position:relative;padding:3px 8px 3px 32px}.captureListComponent ul li span .captureListItemSave:before,.captureListComponent ul li span .captureListItemSave:after{box-sizing:border-box;content:"";position:absolute}.captureListComponent ul li span .captureListItemSave:before{background:#d9d9d9;border-color:#f9f9f9;border-style:solid;border-width:7px 2px 1px;border-radius:1px;height:16px;left:8px;top:5px;width:16px}.captureListComponent ul li span .captureListItemSave:after{background:#f9f9f9;border-color:#d9d9d9;border-style:solid;border-width:1px 1px 1px 4px;height:5px;left:13px;top:5px;width:7px}.captureListComponent ul li:hover{cursor:pointer}.captureListComponent ul li.active span{background:#f0640d;border:5px solid #f0640d}.captureListComponent ul li.active span .captureListItemSave:before{background:#f0640d}.captureListComponent ul li.active span .captureListItemSave:after{border-color:#f0640d}.visualStateListComponent{position:absolute;top:0;left:0;bottom:0;padding:5px;right:80%;overflow-y:visible;overflow-x:hidden}.visualStateListComponent ul{margin:0px;padding:0px;list-style:none}.visualStateListComponent ul li{margin:20px 15px 0px 15px;border:1px solid #606060}.visualStateListComponent ul li img{display:block;padding:0px;box-sizing:border-box;max-height:600px;width:100%;margin:0 auto;background-image:-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9));background-image:-moz-linear-gradient(45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(-45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(45deg, transparent 75%, #d9d9d9 75%),-moz-linear-gradient(-45deg, transparent 75%, #d9d9d9 75%);-webkit-background-size:50px 51px;-moz-background-size:50px 50px;background-size:50px 50px;background-position:0 0,25px 0,25px -25px,0px 25px}.visualStateListComponent ul li:hover{cursor:pointer}.visualStateListComponent ul li span{border:5px solid #222;background:#222;box-sizing:border-box;display:inline-block;width:100%;margin:0px;padding:5px;word-wrap:break-word}.visualStateListComponent ul li.active{border:2px solid #f0640d}.commandListComponent{position:absolute;top:0;left:20%;right:40%;bottom:0;color:#d3d3d3}.commandListComponent ul{margin:0px;padding:0px;list-style:none;overflow-y:visible;overflow-x:hidden;height:100%}.commandListComponent ul li{padding:8px}.commandListComponent ul li span{word-wrap:break-word;line-height:22px}.commandListComponent ul li:hover{color:#f9f9f9;cursor:pointer;transition:color .3s;-webkit-transition:color .3s;-moz-transition:color .3s}.commandListComponent ul li:nth-child(even){background:#2c2c2c}.commandListComponent ul li:nth-child(odd){background:#222}.commandListComponent ul li .important{font-weight:800}.commandListComponent ul li .important.deprecated{color:red}.commandListComponent ul li .important.unused{color:#ff0}.commandListComponent ul li .important.disabled{color:gray}.commandListComponent ul li .important.redundant{color:orange}.commandListComponent ul li .important.valid{color:#adff2f}.commandListComponent ul li .marker{font-size:16px;font-weight:900;color:#adff2f}.commandListComponent ul li.active{background:#f37628;color:#222}.commandListComponent ul li.drawCall{background:#5db0d7;color:#222}.commandListComponent ul li a{margin-left:5px;margin-right:5px;color:#5db0d7;background:#222;padding:5px;font-weight:900;display:inline-block}.commandDetailComponent{position:absolute;top:0;left:60%;right:0;bottom:0;overflow-y:visible;overflow-x:hidden}.jsonGroupComponent{display:block;margin:10px;padding:10px;padding-bottom:5px}.jsonGroupComponent .jsonGroupComponentTitle{display:block;font-size:16px;color:#5db0d7;border-bottom:1px solid #5db0d7;padding-bottom:5px;margin-bottom:5px;text-transform:capitalize}.jsonGroupComponent ul{margin:0px;padding:0px;list-style:none}.jsonGroupComponent ul li:nth-child(even){background:#222}.jsonGroupComponent ul li:nth-child(odd){background:#222}.jsonItemComponentKey{color:#f0640d}.jsonItemComponentValue{white-space:pre-wrap}.jsonItemImageHolder{width:50%;margin:auto}.jsonItemImageHolder .jsonItemImage{margin:5px;display:block;border:1px solid #606060;width:100%}.jsonItemImageHolder .jsonItemImage img{width:100%;display:block;margin:auto;max-width:256px;background-image:-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9));background-image:-moz-linear-gradient(45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(-45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(45deg, transparent 75%, #d9d9d9 75%),-moz-linear-gradient(-45deg, transparent 75%, #d9d9d9 75%);-webkit-background-size:50px 51px;-moz-background-size:50px 50px;background-size:50px 50px;background-position:0 0,25px 0,25px -25px,0px 25px}.jsonItemImageHolder .jsonItemImage span{margin:0px;padding:5px;word-wrap:break-word;display:inline-block;width:100%;box-sizing:border-box}[commandName=onOpenSourceClicked]:hover{color:#f9f9f9;cursor:pointer;transition:color .3s;-webkit-transition:color .3s;-moz-transition:color .3s}.jsonVisualStateItemComponent{text-align:center;padding:10px}.jsonVisualStateItemComponent img{background-image:-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.25, #c9c9c9), color-stop(0.25, transparent)),-webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9)),-webkit-gradient(linear, 0 0, 100% 100%, color-stop(0.75, transparent), color-stop(0.75, #c9c9c9));background-image:-moz-linear-gradient(45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(-45deg, #d9d9d9 25%, transparent 25%),-moz-linear-gradient(45deg, transparent 75%, #d9d9d9 75%),-moz-linear-gradient(-45deg, transparent 75%, #d9d9d9 75%);-webkit-background-size:50px 51px;-moz-background-size:50px 50px;background-size:50px 50px;background-position:0 0,25px 0,25px -25px,0px 25px;border:1px solid #606060;margin:5px;width:100%;max-width:512px;max-height:800px}.jsonVisualStateItemComponent span{display:block}.jsonContentComponent{position:absolute;top:0;left:0;right:0;bottom:0;padding:10px;overflow-y:visible;overflow-x:hidden}.jsonItemComponentValue{word-break:break-all;white-space:normal}.jsonSourceItemComponentOpen{font-weight:bold;color:#5db0d7;text-decoration:underline}.sourceCodeMenuComponentContainer{position:absolute;left:0;top:0;bottom:48px;right:40%}.sourceCodeMenuComponentFooter{position:absolute;left:0;right:40%;bottom:0;padding:0 15px}.sourceCodeMenuComponent{font-family:sans-serif;font-size:13px;font-weight:300;line-height:40px;flex:1 100%;display:flex;flex-flow:row wrap;height:42px;outline:0 none;border-bottom:2px solid #222;box-sizing:border-box;list-style:none;margin:0;background:#2c2c2c;display:-webkit-box;display:-moz-box;display:-ms-flexbox;display:-webkit-flex;display:flex;-webkit-flex-flow:row wrap;flex-flow:row wrap;justify-content:flex-end}.sourceCodeMenuComponent .resultViewMenuOpen{display:none;visibility:hidden}.sourceCodeMenuComponent a{outline:0 none;text-decoration:none;display:block;padding:0 20px 0 20px;color:#ccc;background:#2c2c2c;box-sizing:border-box;height:100%}.sourceCodeMenuComponent a.active{background:#222;color:#fff;font-weight:400;border-bottom:2px solid #f0640d}.sourceCodeMenuComponent a:hover{background:#222;color:#c9c9c9;cursor:pointer;transition:color .3s;-webkit-transition:color .3s;-moz-transition:color .3s}.sourceCodeMenuComponent a:hover.active{color:#f0640d;transition:color 0;-webkit-transition:color 0;-moz-transition:color 0}.sourceCodeMenuComponent a.clearSearch{display:inline-block;padding:0px;margin-left:-30px;margin-right:20px;z-index:9000;color:#f9f9f9}.sourceCodeMenuComponent a.clearSearch:hover{background:#2c2c2c;color:#f0640d}.sourceCodeMenuComponent input{border:0;font-family:sans-serif;font-weight:300;padding:0 20px 0 20px;background:#464646;color:#f9f9f9;height:100%;position:relative;top:-1px;box-sizing:border-box}.sourceCodeMenuComponent input:focus{border:0;outline:0 none}.sourceCodeMenuComponent .clearSearch{position:relative;background:rgba(0,0,0,0);display:inline;padding:0px;margin-left:-30px;z-index:9000;color:#f0640d}.sourceCodeMenuComponent .clearSearch:hover{background:rgba(0,0,0,0) !important}.sourceCodeMenuComponent ::-webkit-input-placeholder{color:#ccc}.sourceCodeMenuComponent :-moz-placeholder{color:#ccc}.sourceCodeMenuComponent ::-moz-placeholder{color:#ccc}.sourceCodeMenuComponent :-ms-input-placeholder{color:#ccc}.sourceCodeComponent{position:absolute;top:42px;left:0;bottom:48px;right:40%;background:#222;z-index:9000;overflow-x:visible;overflow:auto}.sourceCodeComponent .sourceCodeComponentTitle{font-size:16px;font-weight:800;line-height:50px;color:#f0640d;padding:1em;margin:.5em 0}',""]);const a=o},636(e,t,n){"use strict";n.d(t,{A:()=>a});var i=n(601),r=n.n(i),s=n(314),o=n.n(s)()(r());o.push([e.id,".ace-monokai {\n color: #f9f9f9;\n font-size: 14px;\n}\n\n.ace-monokai .ace_entity.ace_name.ace_tag,\n.ace-monokai .ace_keyword,\n.ace-monokai .ace_meta.ace_tag,\n.ace-monokai .ace_storage {\n color: #F0640D\n}\n\n.ace-monokai .ace_constant.ace_character,\n.ace-monokai .ace_constant.ace_other {\n color: #5db0d7;\n}\n\n.ace-monokai .ace_marker-layer .ace_selection {\n background: #a6e22e\n}\n\n.ace-monokai .ace_marker-layer .ace_bracket {\n margin: -1px 0 0 -1px;\n border: 1px solid #a6e22e;\n}\n\n.ace-monokai .ace_marker-layer .ace_active-line {\n background: #2c2c2c\n}\n.ace-monokai .ace_gutter-active-line {\n background-color: #2c2c2c\n}\n.ace-monokai .ace_marker-layer .ace_selected-word {\n border: 1px solid #a6e22e\n}\n\n.ace-monokai .ace_constant.ace_language {\n color: #e6db74\n}\n.ace-monokai .ace_constant.ace_numeric {\n color: #ae81ff\n}\n\n.ace-monokai .ace_gutter {\n background: #222;\n color: #8F908A;\n}",""]);const a=o},314(e){"use strict";e.exports=function(e){var t=[];return t.toString=function(){return this.map(function(t){var n="",i=void 0!==t[5];return t[4]&&(n+="@supports (".concat(t[4],") {")),t[2]&&(n+="@media ".concat(t[2]," {")),i&&(n+="@layer".concat(t[5].length>0?" ".concat(t[5]):""," {")),n+=e(t),i&&(n+="}"),t[2]&&(n+="}"),t[4]&&(n+="}"),n}).join("")},t.i=function(e,n,i,r,s){"string"==typeof e&&(e=[[null,e,void 0]]);var o={};if(i)for(var a=0;a0?" ".concat(u[5]):""," {").concat(u[1],"}")),u[5]=s),n&&(u[2]?(u[1]="@media ".concat(u[2]," {").concat(u[1],"}"),u[2]=n):u[2]=n),r&&(u[4]?(u[1]="@supports (".concat(u[4],") {").concat(u[1],"}"),u[4]=r):u[4]="".concat(r)),t.push(u))}},t}},601(e){"use strict";e.exports=function(e){return e[1]}},832(e,t,n){e=n.nmd(e),function(){var e=function(){return this}();e||"undefined"==typeof window||(e=window);var t=function(e,n,i){"string"==typeof e?(2==arguments.length&&(i=n),t.modules[e]||(t.payloads[e]=i,t.modules[e]=null)):t.original?t.original.apply(this,arguments):(console.error("dropping module because define wasn't a string."),console.trace())};t.modules={},t.payloads={};var n,i,r=function(e,t,n){if("string"==typeof t){var i=a(e,t);if(null!=i)return n&&n(),i}else if("[object Array]"===Object.prototype.toString.call(t)){for(var r=[],o=0,l=t.length;o1&&function(e,t,n){if(Array.prototype.indexOf)return e.indexOf("",n);for(var i=0;i-1&&(n=RegExp(this.source,r.replace.call(((i=this).global?"g":"")+(i.ignoreCase?"i":"")+(i.multiline?"m":"")+(i.extended?"x":"")+(i.sticky?"y":""),"g","")),r.replace.call(e.slice(a.index),n,function(){for(var e=1;ea.index&&this.lastIndex--}return a},o||(RegExp.prototype.test=function(e){var t=r.exec.call(this,e);return t&&this.global&&!t[0].length&&this.lastIndex>t.index&&this.lastIndex--,!!t}))}),ace.define("ace/lib/es5-shim",["require","exports","module"],function(e,t,n){function i(){}Function.prototype.bind||(Function.prototype.bind=function(e){var t=this;if("function"!=typeof t)throw new TypeError("Function.prototype.bind called on incompatible "+t);var n=d.call(arguments,1),r=function(){if(this instanceof r){var i=t.apply(this,n.concat(d.call(arguments)));return Object(i)===i?i:this}return t.apply(e,n.concat(d.call(arguments)))};return t.prototype&&(i.prototype=t.prototype,r.prototype=new i,i.prototype=null),r});var r,s,o,a,l,c=Function.prototype.call,u=Array.prototype,h=Object.prototype,d=u.slice,m=c.bind(h.toString),p=c.bind(h.hasOwnProperty);if((l=p(h,"__defineGetter__"))&&(r=c.bind(h.__defineGetter__),s=c.bind(h.__defineSetter__),o=c.bind(h.__lookupGetter__),a=c.bind(h.__lookupSetter__)),2!=[1,2].splice(0).length)if(function(){function e(e){var t=new Array(e+2);return t[0]=t[1]=0,t}var t,n=[];if(n.splice.apply(n,e(20)),n.splice.apply(n,e(26)),t=n.length,n.splice(5,0,"XXX"),n.length,t+1==n.length)return!0}()){var g=Array.prototype.splice;Array.prototype.splice=function(e,t){return arguments.length?g.apply(this,[void 0===e?0:e,void 0===t?this.length-e:t].concat(d.call(arguments,2))):[]}}else Array.prototype.splice=function(e,t){var n=this.length;e>0?e>n&&(e=n):null==e?e=0:e<0&&(e=Math.max(n+e,0)),e+ta)for(h=c;h--;)this[l+h]=this[a+h];if(s&&e===u)this.length=u,this.push.apply(this,r);else for(this.length=u+s,h=0;h>>0;if("[object Function]"!=m(e))throw new TypeError;for(;++r>>0,r=Array(i),s=arguments[1];if("[object Function]"!=m(e))throw new TypeError(e+" is not a function");for(var o=0;o>>0,s=[],o=arguments[1];if("[object Function]"!=m(e))throw new TypeError(e+" is not a function");for(var a=0;a>>0,r=arguments[1];if("[object Function]"!=m(e))throw new TypeError(e+" is not a function");for(var s=0;s>>0,r=arguments[1];if("[object Function]"!=m(e))throw new TypeError(e+" is not a function");for(var s=0;s>>0;if("[object Function]"!=m(e))throw new TypeError(e+" is not a function");if(!i&&1==arguments.length)throw new TypeError("reduce of empty array with no initial value");var r,s=0;if(arguments.length>=2)r=arguments[1];else for(;;){if(s in n){r=n[s++];break}if(++s>=i)throw new TypeError("reduce of empty array with no initial value")}for(;s>>0;if("[object Function]"!=m(e))throw new TypeError(e+" is not a function");if(!i&&1==arguments.length)throw new TypeError("reduceRight of empty array with no initial value");var r,s=i-1;if(arguments.length>=2)r=arguments[1];else for(;;){if(s in n){r=n[s--];break}if(--s<0)throw new TypeError("reduceRight of empty array with no initial value")}do{s in this&&(r=e.call(void 0,r,n[s],s,t))}while(s--);return r}),Array.prototype.indexOf&&-1==[0,1].indexOf(1,2)||(Array.prototype.indexOf=function(e){var t=_&&"[object String]"==m(this)?this.split(""):N(this),n=t.length>>>0;if(!n)return-1;var i=0;for(arguments.length>1&&(i=F(arguments[1])),i=i>=0?i:Math.max(0,n+i);i>>0;if(!n)return-1;var i=n-1;for(arguments.length>1&&(i=Math.min(i,F(arguments[1]))),i=i>=0?i:n-Math.abs(i);i>=0;i--)if(i in t&&e===t[i])return i;return-1}),Object.getPrototypeOf||(Object.getPrototypeOf=function(e){return e.__proto__||(e.constructor?e.constructor.prototype:h)}),Object.getOwnPropertyDescriptor||(Object.getOwnPropertyDescriptor=function(e,t){if("object"!=typeof e&&"function"!=typeof e||null===e)throw new TypeError("Object.getOwnPropertyDescriptor called on a non-object: "+e);if(p(e,t)){var n;if(n={enumerable:!0,configurable:!0},l){var i=e.__proto__;e.__proto__=h;var r=o(e,t),s=a(e,t);if(e.__proto__=i,r||s)return r&&(n.get=r),s&&(n.set=s),n}return n.value=e[t],n}}),Object.getOwnPropertyNames||(Object.getOwnPropertyNames=function(e){return Object.keys(e)}),Object.create||(f=null===Object.prototype.__proto__?function(){return{__proto__:null}}:function(){var e={};for(var t in e)e[t]=null;return e.constructor=e.hasOwnProperty=e.propertyIsEnumerable=e.isPrototypeOf=e.toLocaleString=e.toString=e.valueOf=e.__proto__=null,e},Object.create=function(e,t){var n;if(null===e)n=f();else{if("object"!=typeof e)throw new TypeError("typeof prototype["+typeof e+"] != 'object'");var i=function(){};i.prototype=e,(n=new i).__proto__=e}return void 0!==t&&Object.defineProperties(n,t),n}),Object.defineProperty){var A=C({}),R="undefined"==typeof document||C(document.createElement("div"));if(!A||!R)var S=Object.defineProperty}Object.defineProperty&&!S||(Object.defineProperty=function(e,t,n){if("object"!=typeof e&&"function"!=typeof e||null===e)throw new TypeError("Object.defineProperty called on non-object: "+e);if("object"!=typeof n&&"function"!=typeof n||null===n)throw new TypeError("Property description must be an object: "+n);if(S)try{return S.call(Object,e,t,n)}catch(e){}if(p(n,"value"))if(l&&(o(e,t)||a(e,t))){var i=e.__proto__;e.__proto__=h,delete e[t],e[t]=n.value,e.__proto__=i}else e[t]=n.value;else{if(!l)throw new TypeError("getters & setters can not be defined on this javascript engine");p(n,"get")&&r(e,t,n.get),p(n,"set")&&s(e,t,n.set)}return e}),Object.defineProperties||(Object.defineProperties=function(e,t){for(var n in t)p(t,n)&&Object.defineProperty(e,n,t[n]);return e}),Object.seal||(Object.seal=function(e){return e}),Object.freeze||(Object.freeze=function(e){return e});try{Object.freeze(function(){})}catch(e){Object.freeze=(E=Object.freeze,function(e){return"function"==typeof e?e:E(e)})}if(Object.preventExtensions||(Object.preventExtensions=function(e){return e}),Object.isSealed||(Object.isSealed=function(e){return!1}),Object.isFrozen||(Object.isFrozen=function(e){return!1}),Object.isExtensible||(Object.isExtensible=function(e){if(Object(e)===e)throw new TypeError;for(var t="";p(e,t);)t+="?";e[t]=!0;var n=p(e,t);return delete e[t],n}),!Object.keys){var T=!0,b=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],w=b.length;for(var x in{toString:null})T=!1;Object.keys=function(e){if("object"!=typeof e&&"function"!=typeof e||null===e)throw new TypeError("Object.keys called on a non-object");var t=[];for(var n in e)p(e,n)&&t.push(n);if(T)for(var i=0,r=w;i0||-1)*Math.floor(Math.abs(e))),e}var N=function(e){if(null==e)throw new TypeError("can't convert "+e+" to object");return Object(e)}}),ace.define("ace/lib/fixoldbrowsers",["require","exports","module","ace/lib/regexp","ace/lib/es5-shim"],function(e,t,n){"use strict";e("./regexp"),e("./es5-shim"),"undefined"==typeof Element||Element.prototype.remove||Object.defineProperty(Element.prototype,"remove",{enumerable:!1,writable:!0,configurable:!0,value:function(){this.parentNode&&this.parentNode.removeChild(this)}})}),ace.define("ace/lib/useragent",["require","exports","module"],function(e,t,n){"use strict";t.OS={LINUX:"LINUX",MAC:"MAC",WINDOWS:"WINDOWS"},t.getOS=function(){return t.isMac?t.OS.MAC:t.isLinux?t.OS.LINUX:t.OS.WINDOWS};var i="object"==typeof navigator?navigator:{},r=(/mac|win|linux/i.exec(i.platform)||["other"])[0].toLowerCase(),s=i.userAgent||"",o=i.appName||"";t.isWin="win"==r,t.isMac="mac"==r,t.isLinux="linux"==r,t.isIE="Microsoft Internet Explorer"==o||o.indexOf("MSAppHost")>=0?parseFloat((s.match(/(?:MSIE |Trident\/[0-9]+[\.0-9]+;.*rv:)([0-9]+[\.0-9]+)/)||[])[1]):parseFloat((s.match(/(?:Trident\/[0-9]+[\.0-9]+;.*rv:)([0-9]+[\.0-9]+)/)||[])[1]),t.isOldIE=t.isIE&&t.isIE<9,t.isGecko=t.isMozilla=s.match(/ Gecko\/\d+/),t.isOpera="object"==typeof opera&&"[object Opera]"==Object.prototype.toString.call(window.opera),t.isWebKit=parseFloat(s.split("WebKit/")[1])||void 0,t.isChrome=parseFloat(s.split(" Chrome/")[1])||void 0,t.isEdge=parseFloat(s.split(" Edge/")[1])||void 0,t.isAIR=s.indexOf("AdobeAIR")>=0,t.isAndroid=s.indexOf("Android")>=0,t.isChromeOS=s.indexOf(" CrOS ")>=0,t.isIOS=/iPad|iPhone|iPod/.test(s)&&!window.MSStream,t.isIOS&&(t.isMac=!0),t.isMobile=t.isIOS||t.isAndroid}),ace.define("ace/lib/dom",["require","exports","module","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("./useragent");if(t.buildDom=function e(t,n,i){if("string"==typeof t&&t){var r=document.createTextNode(t);return n&&n.appendChild(r),r}if(!Array.isArray(t))return t;if("string"!=typeof t[0]||!t[0]){for(var s=[],o=0;o=1.5,"undefined"!=typeof document){var r=document.createElement("div");t.HI_DPI&&void 0!==r.style.transform&&(t.HAS_CSS_TRANSFORMS=!0),i.isEdge||void 0===r.style.animationName||(t.HAS_CSS_ANIMATION=!0),r=null}t.HAS_CSS_TRANSFORMS?t.translate=function(e,t,n){e.style.transform="translate("+Math.round(t)+"px, "+Math.round(n)+"px)"}:t.translate=function(e,t,n){e.style.top=Math.round(n)+"px",e.style.left=Math.round(t)+"px"}}),ace.define("ace/lib/oop",["require","exports","module"],function(e,t,n){"use strict";t.inherits=function(e,t){e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}})},t.mixin=function(e,t){for(var n in t)e[n]=t[n];return e},t.implement=function(e,n){t.mixin(e,n)}}),ace.define("ace/lib/keys",["require","exports","module","ace/lib/oop"],function(e,t,n){"use strict";var i=e("./oop"),r=function(){var e,t,n={MODIFIER_KEYS:{16:"Shift",17:"Ctrl",18:"Alt",224:"Meta",91:"MetaLeft",92:"MetaRight",93:"ContextMenu"},KEY_MODS:{ctrl:1,alt:2,option:2,shift:4,super:8,meta:8,command:8,cmd:8},FUNCTION_KEYS:{8:"Backspace",9:"Tab",13:"Return",19:"Pause",27:"Esc",32:"Space",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"Left",38:"Up",39:"Right",40:"Down",44:"Print",45:"Insert",46:"Delete",96:"Numpad0",97:"Numpad1",98:"Numpad2",99:"Numpad3",100:"Numpad4",101:"Numpad5",102:"Numpad6",103:"Numpad7",104:"Numpad8",105:"Numpad9","-13":"NumpadEnter",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"},PRINTABLE_KEYS:{32:" ",48:"0",49:"1",50:"2",51:"3",52:"4",53:"5",54:"6",55:"7",56:"8",57:"9",59:";",61:"=",65:"a",66:"b",67:"c",68:"d",69:"e",70:"f",71:"g",72:"h",73:"i",74:"j",75:"k",76:"l",77:"m",78:"n",79:"o",80:"p",81:"q",82:"r",83:"s",84:"t",85:"u",86:"v",87:"w",88:"x",89:"y",90:"z",107:"+",109:"-",110:".",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'",111:"/",106:"*"}};for(t in n.FUNCTION_KEYS)e=n.FUNCTION_KEYS[t].toLowerCase(),n[e]=parseInt(t,10);for(t in n.PRINTABLE_KEYS)e=n.PRINTABLE_KEYS[t].toLowerCase(),n[e]=parseInt(t,10);return i.mixin(n,n.MODIFIER_KEYS),i.mixin(n,n.PRINTABLE_KEYS),i.mixin(n,n.FUNCTION_KEYS),n.enter=n.return,n.escape=n.esc,n.del=n.delete,n[173]="-",function(){for(var e=["cmd","ctrl","alt","shift"],t=Math.pow(2,e.length);t--;)n.KEY_MODS[t]=e.filter(function(e){return t&n.KEY_MODS[e]}).join("-")+"-"}(),n.KEY_MODS[0]="",n.KEY_MODS[-1]="input-",n}();i.mixin(t,r),t.keyCodeToString=function(e){var t=r[e];return"string"!=typeof t&&(t=String.fromCharCode(e)),t.toLowerCase()}}),ace.define("ace/lib/event",["require","exports","module","ace/lib/keys","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("./keys"),r=e("./useragent"),s=null,o=0;t.addListener=function(e,t,n){if(e.addEventListener)return e.addEventListener(t,n,!1);if(e.attachEvent){var i=function(){n.call(e,window.event)};n._wrapper=i,e.attachEvent("on"+t,i)}},t.removeListener=function(e,t,n){if(e.removeEventListener)return e.removeEventListener(t,n,!1);e.detachEvent&&e.detachEvent("on"+t,n._wrapper||n)},t.stopEvent=function(e){return t.stopPropagation(e),t.preventDefault(e),!1},t.stopPropagation=function(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0},t.preventDefault=function(e){e.preventDefault?e.preventDefault():e.returnValue=!1},t.getButton=function(e){return"dblclick"==e.type?0:"contextmenu"==e.type||r.isMac&&e.ctrlKey&&!e.altKey&&!e.shiftKey?2:e.preventDefault?e.button:{1:0,2:2,4:1}[e.button]},t.capture=function(e,n,i){function r(e){n&&n(e),i&&i(e),t.removeListener(document,"mousemove",n,!0),t.removeListener(document,"mouseup",r,!0),t.removeListener(document,"dragstart",r,!0)}return t.addListener(document,"mousemove",n,!0),t.addListener(document,"mouseup",r,!0),t.addListener(document,"dragstart",r,!0),r},t.addMouseWheelListener=function(e,n){"onmousewheel"in e?t.addListener(e,"mousewheel",function(e){void 0!==e.wheelDeltaX?(e.wheelX=-e.wheelDeltaX/8,e.wheelY=-e.wheelDeltaY/8):(e.wheelX=0,e.wheelY=-e.wheelDelta/8),n(e)}):"onwheel"in e?t.addListener(e,"wheel",function(e){switch(e.deltaMode){case e.DOM_DELTA_PIXEL:e.wheelX=.35*e.deltaX||0,e.wheelY=.35*e.deltaY||0;break;case e.DOM_DELTA_LINE:case e.DOM_DELTA_PAGE:e.wheelX=5*(e.deltaX||0),e.wheelY=5*(e.deltaY||0)}n(e)}):t.addListener(e,"DOMMouseScroll",function(e){e.axis&&e.axis==e.HORIZONTAL_AXIS?(e.wheelX=5*(e.detail||0),e.wheelY=0):(e.wheelX=0,e.wheelY=5*(e.detail||0)),n(e)})},t.addMultiMouseDownListener=function(e,n,i,s){var o,a,l,c=0,u={2:"dblclick",3:"tripleclick",4:"quadclick"};function h(e){if(0!==t.getButton(e)?c=0:e.detail>1?++c>4&&(c=1):c=1,r.isIE){var h=Math.abs(e.clientX-o)>5||Math.abs(e.clientY-a)>5;l&&!h||(c=1),l&&clearTimeout(l),l=setTimeout(function(){l=null},n[c-1]||600),1==c&&(o=e.clientX,a=e.clientY)}if(e._clicks=c,i[s]("mousedown",e),c>4)c=0;else if(c>1)return i[s](u[c],e)}function d(e){c=2,l&&clearTimeout(l),l=setTimeout(function(){l=null},n[c-1]||600),i[s]("mousedown",e),i[s](u[c],e)}Array.isArray(e)||(e=[e]),e.forEach(function(e){t.addListener(e,"mousedown",h),r.isOldIE&&t.addListener(e,"dblclick",d)})};var a=r.isMac&&r.isOpera&&!("KeyboardEvent"in window)?function(e){return(e.metaKey?1:0)|(e.altKey?2:0)|(e.shiftKey?4:0)|(e.ctrlKey?8:0)}:function(e){return(e.ctrlKey?1:0)|(e.altKey?2:0)|(e.shiftKey?4:0)|(e.metaKey?8:0)};function l(e,t,n){var l=a(t);if(!r.isMac&&s){if(t.getModifierState&&(t.getModifierState("OS")||t.getModifierState("Win"))&&(l|=8),s.altGr){if(!(3&~l))return;s.altGr=0}if(18===n||17===n){var c="location"in t?t.location:t.keyLocation;17===n&&1===c?1==s[n]&&(o=t.timeStamp):18===n&&3===l&&2===c&&t.timeStamp-o<50&&(s.altGr=!0)}}if(n in i.MODIFIER_KEYS&&(n=-1),l||13!==n||3!==(c="location"in t?t.location:t.keyLocation)||(e(t,l,-n),!t.defaultPrevented)){if(r.isChromeOS&&8&l){if(e(t,l,n),t.defaultPrevented)return;l&=-9}return!!(l||n in i.FUNCTION_KEYS||n in i.PRINTABLE_KEYS)&&e(t,l,n)}}function c(){s=Object.create(null)}if(t.getModifierString=function(e){return i.KEY_MODS[a(e)]},t.addCommandKeyListener=function(e,n){var i=t.addListener;if(r.isOldGecko||r.isOpera&&!("KeyboardEvent"in window)){var o=null;i(e,"keydown",function(e){o=e.keyCode}),i(e,"keypress",function(e){return l(n,e,o)})}else{var a=null;i(e,"keydown",function(e){s[e.keyCode]=(s[e.keyCode]||0)+1;var t=l(n,e,e.keyCode);return a=e.defaultPrevented,t}),i(e,"keypress",function(e){a&&(e.ctrlKey||e.altKey||e.shiftKey||e.metaKey)&&(t.stopEvent(e),a=null)}),i(e,"keyup",function(e){s[e.keyCode]=null}),s||(c(),i(window,"focus",c))}},"object"==typeof window&&window.postMessage&&!r.isOldIE){var u=1;t.nextTick=function(e,n){n=n||window;var i="zero-timeout-message-"+u++,r=function(s){s.data==i&&(t.stopPropagation(s),t.removeListener(n,"message",r),e())};t.addListener(n,"message",r),n.postMessage(i,"*")}}t.$idleBlocked=!1,t.onIdle=function(e,n){return setTimeout(function n(){t.$idleBlocked?setTimeout(n,100):e()},n)},t.$idleBlockId=null,t.blockIdle=function(e){t.$idleBlockId&&clearTimeout(t.$idleBlockId),t.$idleBlocked=!0,t.$idleBlockId=setTimeout(function(){t.$idleBlocked=!1},e||100)},t.nextFrame="object"==typeof window&&(window.requestAnimationFrame||window.mozRequestAnimationFrame||window.webkitRequestAnimationFrame||window.msRequestAnimationFrame||window.oRequestAnimationFrame),t.nextFrame?t.nextFrame=t.nextFrame.bind(window):t.nextFrame=function(e){setTimeout(e,17)}}),ace.define("ace/range",["require","exports","module"],function(e,t,n){"use strict";var i=function(e,t,n,i){this.start={row:e,column:t},this.end={row:n,column:i}};(function(){this.isEqual=function(e){return this.start.row===e.start.row&&this.end.row===e.end.row&&this.start.column===e.start.column&&this.end.column===e.end.column},this.toString=function(){return"Range: ["+this.start.row+"/"+this.start.column+"] -> ["+this.end.row+"/"+this.end.column+"]"},this.contains=function(e,t){return 0==this.compare(e,t)},this.compareRange=function(e){var t,n=e.end,i=e.start;return 1==(t=this.compare(n.row,n.column))?1==(t=this.compare(i.row,i.column))?2:0==t?1:0:-1==t?-2:-1==(t=this.compare(i.row,i.column))?-1:1==t?42:0},this.comparePoint=function(e){return this.compare(e.row,e.column)},this.containsRange=function(e){return 0==this.comparePoint(e.start)&&0==this.comparePoint(e.end)},this.intersects=function(e){var t=this.compareRange(e);return-1==t||0==t||1==t},this.isEnd=function(e,t){return this.end.row==e&&this.end.column==t},this.isStart=function(e,t){return this.start.row==e&&this.start.column==t},this.setStart=function(e,t){"object"==typeof e?(this.start.column=e.column,this.start.row=e.row):(this.start.row=e,this.start.column=t)},this.setEnd=function(e,t){"object"==typeof e?(this.end.column=e.column,this.end.row=e.row):(this.end.row=e,this.end.column=t)},this.inside=function(e,t){return 0==this.compare(e,t)&&!this.isEnd(e,t)&&!this.isStart(e,t)},this.insideStart=function(e,t){return 0==this.compare(e,t)&&!this.isEnd(e,t)},this.insideEnd=function(e,t){return 0==this.compare(e,t)&&!this.isStart(e,t)},this.compare=function(e,t){return this.isMultiLine()||e!==this.start.row?ethis.end.row?1:this.start.row===e?t>=this.start.column?0:-1:this.end.row===e?t<=this.end.column?0:1:0:tthis.end.column?1:0},this.compareStart=function(e,t){return this.start.row==e&&this.start.column==t?-1:this.compare(e,t)},this.compareEnd=function(e,t){return this.end.row==e&&this.end.column==t?1:this.compare(e,t)},this.compareInside=function(e,t){return this.end.row==e&&this.end.column==t?1:this.start.row==e&&this.start.column==t?-1:this.compare(e,t)},this.clipRows=function(e,t){if(this.end.row>t)var n={row:t+1,column:0};else this.end.rowt)var r={row:t+1,column:0};else this.start.row0;)1&t&&(n+=e),(t>>=1)&&(e+=e);return n};var i=/^\s\s*/,r=/\s\s*$/;t.stringTrimLeft=function(e){return e.replace(i,"")},t.stringTrimRight=function(e){return e.replace(r,"")},t.copyObject=function(e){var t={};for(var n in e)t[n]=e[n];return t},t.copyArray=function(e){for(var t=[],n=0,i=e.length;nDate.now()-50)||(i=!1)},cancel:function(){i=Date.now()}}}),ace.define("ace/keyboard/textinput",["require","exports","module","ace/lib/event","ace/lib/useragent","ace/lib/dom","ace/lib/lang","ace/clipboard","ace/lib/keys"],function(e,t,n){"use strict";var i=e("../lib/event"),r=e("../lib/useragent"),s=e("../lib/dom"),o=e("../lib/lang"),a=e("../clipboard"),l=r.isChrome<18,c=r.isIE,u=r.isChrome>63,h=400,d=e("../lib/keys"),m=d.KEY_MODS,p=r.isIOS,g=p?/\s/:/\n/;t.TextInput=function(e,t){var n=s.createElement("textarea");n.className="ace_text-input",n.setAttribute("wrap","off"),n.setAttribute("autocorrect","off"),n.setAttribute("autocapitalize","off"),n.setAttribute("spellcheck",!1),n.style.opacity="0",e.insertBefore(n,e.firstChild);var f=!1,E=!1,v=!1,_=!1,C="";r.isMobile||(n.style.fontSize="1px");var A=!1,R=!1,S="",T=0,b=0,w=0;try{var x=document.activeElement===n}catch(e){}i.addListener(n,"blur",function(e){R||(t.onBlur(e),x=!1)}),i.addListener(n,"focus",function(e){if(!R){if(x=!0,r.isEdge)try{if(!document.hasFocus())return}catch(e){}t.onFocus(e),r.isEdge?setTimeout(y):y()}}),this.$focusScroll=!1,this.focus=function(){if(C||u||"browser"==this.$focusScroll)return n.focus({preventScroll:!0});var e=n.style.top;n.style.position="fixed",n.style.top="0px";try{var t=0!=n.getBoundingClientRect().top}catch(e){return}var i=[];if(t)for(var r=n.parentElement;r&&1==r.nodeType;)i.push(r),r.setAttribute("ace_nocontext",!0),r=!r.parentElement&&r.getRootNode?r.getRootNode().host:r.parentElement;n.focus({preventScroll:!0}),t&&i.forEach(function(e){e.removeAttribute("ace_nocontext")}),setTimeout(function(){n.style.position="","0px"==n.style.top&&(n.style.top=e)},0)},this.blur=function(){n.blur()},this.isFocused=function(){return x},t.on("beforeEndOperation",function(){t.curOp&&"insertstring"==t.curOp.command.name||(v&&(S=n.value="",D()),y())});var y=p?function(e){if(x&&(!f||e)&&!_){e||(e="");var i="\n ab"+e+"cde fg\n";i!=n.value&&(n.value=S=i);var r=4+(e.length||(t.selection.isEmpty()?0:1));4==T&&b==r||n.setSelectionRange(4,r),T=4,b=r}}:function(){if(!v&&!_&&(x||I)){v=!0;var e=t.selection,i=e.getRange(),r=e.cursor.row,s=i.start.column,o=i.end.column,a=t.session.getLine(r);if(i.start.row!=r){var l=t.session.getLine(r-1);s=i.start.rowr+1?c.length:o,o+=a.length+1,a=a+"\n"+c}a.length>h&&(s0&&S[h]==e[h];)h++,o--;for(l=l.slice(h),h=1;a>0&&S.length-h>T-1&&S[S.length-h]==e[e.length-h];)h++,a--;c-=h-1,u-=h-1;var d=l.length-h+1;return d<0&&(o=-d,d=0),l=l.slice(0,d),i||l||c||o||a||u?(_=!0,l&&!o&&!a&&!c&&!u||A?t.onTextInput(l):t.onTextInput(l,{extendLeft:o,extendRight:a,restoreStart:c,restoreEnd:u}),_=!1,S=e,T=r,b=s,w=u,l):""},N=function(e){if(v)return k();if(e&&e.inputType){if("historyUndo"==e.inputType)return t.execCommand("undo");if("historyRedo"==e.inputType)return t.execCommand("redo")}var i=n.value,r=F(i,!0);(i.length>500||g.test(r))&&y()},M=function(e,t,n){var i=e.clipboardData||window.clipboardData;if(i&&!l){var r=c||n?"Text":"text/plain";try{return t?!1!==i.setData(r,t):i.getData(r)}catch(e){if(!n)return M(e,t,!0)}}},O=function(e,r){var s=t.getCopyText();if(!s)return i.preventDefault(e);M(e,s)?(p&&(y(s),f=s,setTimeout(function(){f=!1},10)),r?t.onCut():t.onCopy(),i.preventDefault(e)):(f=!0,n.value=s,n.select(),setTimeout(function(){f=!1,y(),r?t.onCut():t.onCopy()}))},B=function(e){O(e,!0)},$=function(e){O(e,!1)},P=function(e){var s=M(e);a.pasteCancelled()||("string"==typeof s?(s&&t.onPaste(s,e),r.isIE&&setTimeout(y),i.preventDefault(e)):(n.value="",E=!0))};i.addCommandKeyListener(n,t.onCommandKey.bind(t)),i.addListener(n,"select",function(e){v||(f?f=!1:function(e){return 0===e.selectionStart&&e.selectionEnd>=S.length&&e.value===S&&S&&e.selectionEnd!==b}(n)&&(t.selectAll(),y()))}),i.addListener(n,"input",N),i.addListener(n,"cut",B),i.addListener(n,"copy",$),i.addListener(n,"paste",P),"oncut"in n&&"oncopy"in n&&"onpaste"in n||i.addListener(e,"keydown",function(e){if((!r.isMac||e.metaKey)&&e.ctrlKey)switch(e.keyCode){case 67:$(e);break;case 86:P(e);break;case 88:B(e)}});var k=function(){if(v&&t.onCompositionUpdate&&!t.$readOnly){if(A)return U();if(v.useTextareaForIME)t.onCompositionUpdate(n.value);else{var e=n.value;F(e),v.markerRange&&(v.context&&(v.markerRange.start.column=v.selectionStart=v.context.compositionStartOffset),v.markerRange.end.column=v.markerRange.start.column+b-v.selectionStart+w)}}},D=function(e){t.onCompositionEnd&&!t.$readOnly&&(v=!1,t.onCompositionEnd(),t.off("mousedown",U),e&&N())};function U(){R=!0,n.blur(),n.focus(),R=!1}var G,W=o.delayedCall(k,50).schedule.bind(null,null);function V(){clearTimeout(G),G=setTimeout(function(){C&&(n.style.cssText=C,C=""),t.renderer.$isMousePressed=!1,t.renderer.$keepTextAreaAtCursor&&t.renderer.$moveTextAreaToCursor()},0)}i.addListener(n,"compositionstart",function(e){if(!v&&t.onCompositionStart&&!t.$readOnly&&(v={},!A)){setTimeout(k,0),t.on("mousedown",U);var i=t.getSelectionRange();i.end.row=i.start.row,i.end.column=i.start.column,v.markerRange=i,v.selectionStart=T,t.onCompositionStart(v),v.useTextareaForIME?(n.value="",S="",T=0,b=0):(n.msGetInputContext&&(v.context=n.msGetInputContext()),n.getInputContext&&(v.context=n.getInputContext()))}}),i.addListener(n,"compositionupdate",k),i.addListener(n,"keyup",function(e){27==e.keyCode&&n.value.lengthb&&"\n"==S[s]?o=d.end:ib&&S.slice(0,s).split("\n").length>2?o=d.down:s>b&&" "==S[s-1]?(o=d.right,a=m.option):(s>b||s==b&&b!=T&&i==s)&&(o=d.right),i!==s&&(a|=m.shift),o){if(!t.onCommandKey({},a,o)&&t.commands){o=d.keyCodeToString(o);var l=t.commands.findKeyCommand(a,o);l&&t.execCommand(l)}T=i,b=s,y("")}}};document.addEventListener("selectionchange",s),t.on("destroy",function(){document.removeEventListener("selectionchange",s)})}(0,t,n)}}),ace.define("ace/mouse/default_handlers",["require","exports","module","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("../lib/useragent");function r(e){e.$clickSelection=null;var t=e.editor;t.setDefaultHandler("mousedown",this.onMouseDown.bind(e)),t.setDefaultHandler("dblclick",this.onDoubleClick.bind(e)),t.setDefaultHandler("tripleclick",this.onTripleClick.bind(e)),t.setDefaultHandler("quadclick",this.onQuadClick.bind(e)),t.setDefaultHandler("mousewheel",this.onMouseWheel.bind(e)),["select","startSelect","selectEnd","selectAllEnd","selectByWordsEnd","selectByLinesEnd","dragWait","dragWaitEnd","focusWait"].forEach(function(t){e[t]=this[t]},this),e.selectByLines=this.extendSelectionBy.bind(e,"getLineRange"),e.selectByWords=this.extendSelectionBy.bind(e,"getWordRange")}function s(e,t){if(e.start.row==e.end.row)var n=2*t.column-e.start.column-e.end.column;else if(e.start.row!=e.end.row-1||e.start.column||e.end.column)n=2*t.row-e.start.row-e.end.row;else n=t.column-4;return n<0?{cursor:e.start,anchor:e.end}:{cursor:e.end,anchor:e.start}}(function(){this.onMouseDown=function(e){var t=e.inSelection(),n=e.getDocumentPosition();this.mousedownEvent=e;var r=this.editor,s=e.getButton();return 0!==s?((r.getSelectionRange().isEmpty()||1==s)&&r.selection.moveToPosition(n),void(2==s&&(r.textInput.onContextMenu(e.domEvent),i.isMozilla||e.preventDefault()))):(this.mousedownEvent.time=Date.now(),!t||r.isFocused()||(r.focus(),!this.$focusTimeout||this.$clickSelection||r.inMultiSelectMode)?(this.captureMouse(e),this.startSelect(n,e.domEvent._clicks>1),e.preventDefault()):(this.setState("focusWait"),void this.captureMouse(e)))},this.startSelect=function(e,t){e=e||this.editor.renderer.screenToTextCoordinates(this.x,this.y);var n=this.editor;this.mousedownEvent&&(this.mousedownEvent.getShiftKey()?n.selection.selectToPosition(e):t||n.selection.moveToPosition(e),t||this.select(),n.renderer.scroller.setCapture&&n.renderer.scroller.setCapture(),n.setStyle("ace_selecting"),this.setState("select"))},this.select=function(){var e,t=this.editor,n=t.renderer.screenToTextCoordinates(this.x,this.y);if(this.$clickSelection){var i=this.$clickSelection.comparePoint(n);if(-1==i)e=this.$clickSelection.end;else if(1==i)e=this.$clickSelection.start;else{var r=s(this.$clickSelection,n);n=r.cursor,e=r.anchor}t.selection.setSelectionAnchor(e.row,e.column)}t.selection.selectToPosition(n),t.renderer.scrollCursorIntoView()},this.extendSelectionBy=function(e){var t,n=this.editor,i=n.renderer.screenToTextCoordinates(this.x,this.y),r=n.selection[e](i.row,i.column);if(this.$clickSelection){var o=this.$clickSelection.comparePoint(r.start),a=this.$clickSelection.comparePoint(r.end);if(-1==o&&a<=0)t=this.$clickSelection.end,r.end.row==i.row&&r.end.column==i.column||(i=r.start);else if(1==a&&o>=0)t=this.$clickSelection.start,r.start.row==i.row&&r.start.column==i.column||(i=r.end);else if(-1==o&&1==a)i=r.end,t=r.start;else{var l=s(this.$clickSelection,i);i=l.cursor,t=l.anchor}n.selection.setSelectionAnchor(t.row,t.column)}n.selection.selectToPosition(i),n.renderer.scrollCursorIntoView()},this.selectEnd=this.selectAllEnd=this.selectByWordsEnd=this.selectByLinesEnd=function(){this.$clickSelection=null,this.editor.unsetStyle("ace_selecting"),this.editor.renderer.scroller.releaseCapture&&this.editor.renderer.scroller.releaseCapture()},this.focusWait=function(){var e,t,n,i,r=(e=this.mousedownEvent.x,t=this.mousedownEvent.y,n=this.x,i=this.y,Math.sqrt(Math.pow(n-e,2)+Math.pow(i-t,2))),s=Date.now();(r>0||s-this.mousedownEvent.time>this.$focusTimeout)&&this.startSelect(this.mousedownEvent.getDocumentPosition())},this.onDoubleClick=function(e){var t=e.getDocumentPosition(),n=this.editor,i=n.session.getBracketRange(t);i?(i.isEmpty()&&(i.start.column--,i.end.column++),this.setState("select")):(i=n.selection.getWordRange(t.row,t.column),this.setState("selectByWords")),this.$clickSelection=i,this.select()},this.onTripleClick=function(e){var t=e.getDocumentPosition(),n=this.editor;this.setState("selectByLines");var i=n.getSelectionRange();i.isMultiLine()&&i.contains(t.row,t.column)?(this.$clickSelection=n.selection.getLineRange(i.start.row),this.$clickSelection.end=n.selection.getLineRange(i.end.row).end):this.$clickSelection=n.selection.getLineRange(t.row),this.select()},this.onQuadClick=function(e){var t=this.editor;t.selectAll(),this.$clickSelection=t.getSelectionRange(),this.setState("selectAll")},this.onMouseWheel=function(e){if(!e.getAccelKey()){e.getShiftKey()&&e.wheelY&&!e.wheelX&&(e.wheelX=e.wheelY,e.wheelY=0);var t=this.editor;this.$lastScroll||(this.$lastScroll={t:0,vx:0,vy:0,allowed:0});var n=this.$lastScroll,i=e.domEvent.timeStamp,r=i-n.t,s=r?e.wheelX/r:n.vx,o=r?e.wheelY/r:n.vy;r<550&&(s=(s+n.vx)/2,o=(o+n.vy)/2);var a=Math.abs(s/o),l=!1;return a>=1&&t.renderer.isScrollableBy(e.wheelX*e.speed,0)&&(l=!0),a<=1&&t.renderer.isScrollableBy(0,e.wheelY*e.speed)&&(l=!0),l?n.allowed=i:i-n.allowed<550&&(Math.abs(s)<=1.5*Math.abs(n.vx)&&Math.abs(o)<=1.5*Math.abs(n.vy)?(l=!0,n.allowed=i):n.allowed=0),n.t=i,n.vx=s,n.vy=o,l?(t.renderer.scrollBy(e.wheelX*e.speed,e.wheelY*e.speed),e.stop()):void 0}}}).call(r.prototype),t.DefaultHandlers=r}),ace.define("ace/tooltip",["require","exports","module","ace/lib/oop","ace/lib/dom"],function(e,t,n){"use strict";e("./lib/oop");var i=e("./lib/dom");function r(e){this.isOpen=!1,this.$element=null,this.$parentNode=e}(function(){this.$init=function(){return this.$element=i.createElement("div"),this.$element.className="ace_tooltip",this.$element.style.display="none",this.$parentNode.appendChild(this.$element),this.$element},this.getElement=function(){return this.$element||this.$init()},this.setText=function(e){this.getElement().textContent=e},this.setHtml=function(e){this.getElement().innerHTML=e},this.setPosition=function(e,t){this.getElement().style.left=e+"px",this.getElement().style.top=t+"px"},this.setClassName=function(e){i.addCssClass(this.getElement(),e)},this.show=function(e,t,n){null!=e&&this.setText(e),null!=t&&null!=n&&this.setPosition(t,n),this.isOpen||(this.getElement().style.display="block",this.isOpen=!0)},this.hide=function(){this.isOpen&&(this.getElement().style.display="none",this.isOpen=!1)},this.getHeight=function(){return this.getElement().offsetHeight},this.getWidth=function(){return this.getElement().offsetWidth},this.destroy=function(){this.isOpen=!1,this.$element&&this.$element.parentNode&&this.$element.parentNode.removeChild(this.$element)}}).call(r.prototype),t.Tooltip=r}),ace.define("ace/mouse/default_gutter_handler",["require","exports","module","ace/lib/dom","ace/lib/oop","ace/lib/event","ace/tooltip"],function(e,t,n){"use strict";var i=e("../lib/dom"),r=e("../lib/oop"),s=e("../lib/event"),o=e("../tooltip").Tooltip;function a(e){o.call(this,e)}r.inherits(a,o),function(){this.setPosition=function(e,t){var n=window.innerWidth||document.documentElement.clientWidth,i=window.innerHeight||document.documentElement.clientHeight,r=this.getWidth(),s=this.getHeight();(e+=15)+r>n&&(e-=e+r-n),(t+=15)+s>i&&(t-=20+s),o.prototype.setPosition.call(this,e,t)}}.call(a.prototype),t.GutterHandler=function(e){var t,n,r,o=e.editor,l=o.renderer.$gutterLayer,c=new a(o.container);function u(){t&&(t=clearTimeout(t)),r&&(c.hide(),r=null,o._signal("hideGutterTooltip",c),o.removeEventListener("mousewheel",u))}function h(e){c.setPosition(e.x,e.y)}e.editor.setDefaultHandler("guttermousedown",function(t){if(o.isFocused()&&0==t.getButton()&&"foldWidgets"!=l.getRegion(t)){var n=t.getDocumentPosition().row,i=o.session.selection;if(t.getShiftKey())i.selectTo(n,0);else{if(2==t.domEvent.detail)return o.selectAll(),t.preventDefault();e.$clickSelection=o.selection.getLineRange(n)}return e.setState("selectByLines"),e.captureMouse(t),t.preventDefault()}}),e.editor.setDefaultHandler("guttermousemove",function(s){var a=s.domEvent.target||s.domEvent.srcElement;if(i.hasCssClass(a,"ace_fold-widget"))return u();r&&e.$tooltipFollowsMouse&&h(s),n=s,t||(t=setTimeout(function(){t=null,n&&!e.isMousePressed?function(){var t=n.getDocumentPosition().row,i=l.$annotations[t];if(!i)return u();if(t==o.session.getLength()){var s=o.renderer.pixelToScreenCoordinates(0,n.y).row,a=n.$pos;if(s>o.session.documentToScreenRow(a.row,a.column))return u()}if(r!=i)if(r=i.text.join("
"),c.setHtml(r),c.show(),o._signal("showGutterTooltip",c),o.on("mousewheel",u),e.$tooltipFollowsMouse)h(n);else{var d=n.domEvent.target.getBoundingClientRect(),m=c.getElement().style;m.left=d.right+"px",m.top=d.bottom+"px"}}():u()},50))}),s.addListener(o.renderer.$gutter,"mouseout",function(e){n=null,r&&!t&&(t=setTimeout(function(){t=null,u()},50))}),o.on("changeSession",u)}}),ace.define("ace/mouse/mouse_event",["require","exports","module","ace/lib/event","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("../lib/event"),r=e("../lib/useragent"),s=t.MouseEvent=function(e,t){this.domEvent=e,this.editor=t,this.x=this.clientX=e.clientX,this.y=this.clientY=e.clientY,this.$pos=null,this.$inSelection=null,this.propagationStopped=!1,this.defaultPrevented=!1};(function(){this.stopPropagation=function(){i.stopPropagation(this.domEvent),this.propagationStopped=!0},this.preventDefault=function(){i.preventDefault(this.domEvent),this.defaultPrevented=!0},this.stop=function(){this.stopPropagation(),this.preventDefault()},this.getDocumentPosition=function(){return this.$pos||(this.$pos=this.editor.renderer.screenToTextCoordinates(this.clientX,this.clientY)),this.$pos},this.inSelection=function(){if(null!==this.$inSelection)return this.$inSelection;var e=this.editor.getSelectionRange();if(e.isEmpty())this.$inSelection=!1;else{var t=this.getDocumentPosition();this.$inSelection=e.contains(t.row,t.column)}return this.$inSelection},this.getButton=function(){return i.getButton(this.domEvent)},this.getShiftKey=function(){return this.domEvent.shiftKey},this.getAccelKey=r.isMac?function(){return this.domEvent.metaKey}:function(){return this.domEvent.ctrlKey}}).call(s.prototype)}),ace.define("ace/mouse/dragdrop_handler",["require","exports","module","ace/lib/dom","ace/lib/event","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("../lib/dom"),r=e("../lib/event"),s=e("../lib/useragent");function o(e){var t=e.editor,n=i.createElement("img");n.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",s.isOpera&&(n.style.cssText="width:1px;height:1px;position:fixed;top:0;left:0;z-index:2147483647;opacity:0;"),["dragWait","dragWaitEnd","startDrag","dragReadyEnd","onMouseDrag"].forEach(function(t){e[t]=this[t]},this),t.addEventListener("mousedown",this.onMouseDown.bind(e));var o,l,c,u,h,d,m,p,g,f,E,v=t.container,_=0;function C(){var e=d;(function(e,n){var i=Date.now(),r=!n||e.row!=n.row,s=!n||e.column!=n.column;!f||r||s?(t.moveCursorToPosition(e),f=i,E={x:l,y:c}):a(E.x,E.y,l,c)>5?f=null:i-f>=200&&(t.renderer.scrollCursorIntoView(),f=null)})(d=t.renderer.screenToTextCoordinates(l,c),e),function(e,n){var i=Date.now(),r=t.renderer.layerConfig.lineHeight,s=t.renderer.layerConfig.characterWidth,o=t.renderer.scroller.getBoundingClientRect(),a={x:{left:l-o.left,right:o.right-l},y:{top:c-o.top,bottom:o.bottom-c}},u=Math.min(a.x.left,a.x.right),h=Math.min(a.y.top,a.y.bottom),d={row:e.row,column:e.column};u/s<=2&&(d.column+=a.x.left=200&&t.renderer.scrollCursorIntoView(d):g=i:g=null}(d,e)}function A(){h=t.selection.toOrientedRange(),o=t.session.addMarker(h,"ace_selection",t.getSelectionStyle()),t.clearSelection(),t.isFocused()&&t.renderer.$cursorLayer.setBlinking(!1),clearInterval(u),C(),u=setInterval(C,20),_=0,r.addListener(document,"mousemove",T)}function R(){clearInterval(u),t.session.removeMarker(o),o=null,t.selection.fromOrientedRange(h),t.isFocused()&&!p&&t.$resetCursorStyle(),h=null,d=null,_=0,g=null,f=null,r.removeListener(document,"mousemove",T)}this.onDragStart=function(e){if(this.cancelDrag||!v.draggable){var i=this;return setTimeout(function(){i.startSelect(),i.captureMouse(e)},0),e.preventDefault()}h=t.getSelectionRange();var r=e.dataTransfer;r.effectAllowed=t.getReadOnly()?"copy":"copyMove",s.isOpera&&(t.container.appendChild(n),n.scrollTop=0),r.setDragImage&&r.setDragImage(n,0,0),s.isOpera&&t.container.removeChild(n),r.clearData(),r.setData("Text",t.session.getTextRange()),p=!0,this.setState("drag")},this.onDragEnd=function(e){if(v.draggable=!1,p=!1,this.setState(null),!t.getReadOnly()){var n=e.dataTransfer.dropEffect;m||"move"!=n||t.session.remove(t.getSelectionRange()),t.$resetCursorStyle()}this.editor.unsetStyle("ace_dragging"),this.editor.renderer.setCursorStyle("")},this.onDragEnter=function(e){if(!t.getReadOnly()&&b(e.dataTransfer))return l=e.clientX,c=e.clientY,o||A(),_++,e.dataTransfer.dropEffect=m=w(e),r.preventDefault(e)},this.onDragOver=function(e){if(!t.getReadOnly()&&b(e.dataTransfer))return l=e.clientX,c=e.clientY,o||(A(),_++),null!==S&&(S=null),e.dataTransfer.dropEffect=m=w(e),r.preventDefault(e)},this.onDragLeave=function(e){if(--_<=0&&o)return R(),m=null,r.preventDefault(e)},this.onDrop=function(e){if(d){var n=e.dataTransfer;if(p)switch(m){case"move":h=h.contains(d.row,d.column)?{start:d,end:d}:t.moveText(h,d);break;case"copy":h=t.moveText(h,d,!0)}else{var i=n.getData("Text");h={start:d,end:t.session.insert(d,i)},t.focus(),m=null}return R(),r.preventDefault(e)}},r.addListener(v,"dragstart",this.onDragStart.bind(e)),r.addListener(v,"dragend",this.onDragEnd.bind(e)),r.addListener(v,"dragenter",this.onDragEnter.bind(e)),r.addListener(v,"dragover",this.onDragOver.bind(e)),r.addListener(v,"dragleave",this.onDragLeave.bind(e)),r.addListener(v,"drop",this.onDrop.bind(e));var S=null;function T(){null==S&&(S=setTimeout(function(){null!=S&&o&&R()},20))}function b(e){var t=e.types;return!t||Array.prototype.some.call(t,function(e){return"text/plain"==e||"Text"==e})}function w(e){var t=["copy","copymove","all","uninitialized"],n=s.isMac?e.altKey:e.ctrlKey,i="uninitialized";try{i=e.dataTransfer.effectAllowed.toLowerCase()}catch(e){}var r="none";return n&&t.indexOf(i)>=0?r="copy":["move","copymove","linkmove","all","uninitialized"].indexOf(i)>=0?r="move":t.indexOf(i)>=0&&(r="copy"),r}}function a(e,t,n,i){return Math.sqrt(Math.pow(n-e,2)+Math.pow(i-t,2))}(function(){this.dragWait=function(){Date.now()-this.mousedownEvent.time>this.editor.getDragDelay()&&this.startDrag()},this.dragWaitEnd=function(){this.editor.container.draggable=!1,this.startSelect(this.mousedownEvent.getDocumentPosition()),this.selectEnd()},this.dragReadyEnd=function(e){this.editor.$resetCursorStyle(),this.editor.unsetStyle("ace_dragging"),this.editor.renderer.setCursorStyle(""),this.dragWaitEnd()},this.startDrag=function(){this.cancelDrag=!1;var e=this.editor;e.container.draggable=!0,e.renderer.$cursorLayer.setBlinking(!1),e.setStyle("ace_dragging");var t=s.isWin?"default":"move";e.renderer.setCursorStyle(t),this.setState("dragReady")},this.onMouseDrag=function(e){var t=this.editor.container;s.isIE&&"dragReady"==this.state&&a(this.mousedownEvent.x,this.mousedownEvent.y,this.x,this.y)>3&&t.dragDrop(),"dragWait"===this.state&&a(this.mousedownEvent.x,this.mousedownEvent.y,this.x,this.y)>0&&(t.draggable=!1,this.startSelect(this.mousedownEvent.getDocumentPosition()))},this.onMouseDown=function(e){if(this.$dragEnabled){this.mousedownEvent=e;var t=this.editor,n=e.inSelection(),i=e.getButton();if(1===(e.domEvent.detail||1)&&0===i&&n){if(e.editor.inMultiSelectMode&&(e.getAccelKey()||e.getShiftKey()))return;this.mousedownEvent.time=Date.now();var r=e.domEvent.target||e.domEvent.srcElement;"unselectable"in r&&(r.unselectable="on"),t.getDragDelay()?(s.isWebKit&&(this.cancelDrag=!0,t.container.draggable=!0),this.setState("dragWait")):this.startDrag(),this.captureMouse(e,this.onMouseDrag.bind(this)),e.defaultPrevented=!0}}}}).call(o.prototype),t.DragdropHandler=o}),ace.define("ace/mouse/touch_handler",["require","exports","module","ace/mouse/mouse_event","ace/lib/dom"],function(e,t,n){"use strict";var i=e("./mouse_event").MouseEvent,r=e("../lib/dom");t.addTouchListeners=function(e,t){var n,s,o,a,l,c,u,h,d,m="scroll",p=0,g=0,f=0,E=0;function v(){var e,n,i;d||(e=window.navigator&&window.navigator.clipboard,n=!1,i=function(i){var s,o,a=i.target.getAttribute("action");if("more"==a||!n)return n=!n,s=t.getCopyText(),o=t.session.getUndoManager().hasUndo(),void d.replaceChild(r.buildDom(n?["span",!s&&["span",{class:"ace_mobile-button",action:"selectall"},"Select All"],s&&["span",{class:"ace_mobile-button",action:"copy"},"Copy"],s&&["span",{class:"ace_mobile-button",action:"cut"},"Cut"],e&&["span",{class:"ace_mobile-button",action:"paste"},"Paste"],o&&["span",{class:"ace_mobile-button",action:"undo"},"Undo"],["span",{class:"ace_mobile-button",action:"find"},"Find"],["span",{class:"ace_mobile-button",action:"openCommandPallete"},"Pallete"]]:["span"]),d.firstChild);"paste"==a?e.readText().then(function(e){t.execCommand(a,e)}):a&&("cut"!=a&&"copy"!=a||(e?e.writeText(t.getCopyText()):document.execCommand("copy")),t.execCommand(a)),d.firstChild.style.display="none",n=!1,"openCommandPallete"!=a&&t.focus()},d=r.buildDom(["div",{class:"ace_mobile-menu",ontouchstart:function(e){m="menu",e.stopPropagation(),e.preventDefault(),t.textInput.focus()},ontouchend:function(e){e.stopPropagation(),e.preventDefault(),i(e)},onclick:i},["span"],["span",{class:"ace_mobile-button",action:"more"},"..."]],t.container));var s=t.selection.cursor,o=t.renderer.textToScreenCoordinates(s.row,s.column),a=t.container.getBoundingClientRect();d.style.top=o.pageY-a.top-3+"px",d.style.right="10px",d.style.display="",d.firstChild.style.display="none",t.on("input",_)}function _(e){d&&(d.style.display="none"),t.off("input",_)}function C(){l=null,clearTimeout(l);var e=t.selection.getRange(),n=e.contains(u.row,u.column);!e.isEmpty()&&n||(t.selection.moveToPosition(u),t.selection.selectWord()),m="wait",v()}e.addEventListener("contextmenu",function(e){h&&t.textInput.getElement().focus()}),e.addEventListener("touchstart",function(e){var r=e.touches;if(l||r.length>1)return clearTimeout(l),l=null,o=-1,void(m="zoom");h=t.$mouseHandler.isMousePressed=!0;var c=t.renderer.layerConfig.lineHeight,d=t.renderer.layerConfig.lineHeight,v=e.timeStamp;a=v;var _=r[0],A=_.clientX,R=_.clientY;Math.abs(n-A)+Math.abs(s-R)>c&&(o=-1),n=e.clientX=A,s=e.clientY=R,f=E=0;var S=new i(e,t);if(u=S.getDocumentPosition(),v-o<500&&1==r.length&&!p)g++,e.preventDefault(),e.button=0,function(){l=null,clearTimeout(l),t.selection.moveToPosition(u);var e=g>=2?t.selection.getLineRange(u.row):t.session.getBracketRange(u);e&&!e.isEmpty()?t.selection.setRange(e):t.selection.selectWord(),m="wait"}();else{g=0;var T=t.selection.cursor,b=t.selection.isEmpty()?T:t.selection.anchor,w=t.renderer.$cursorLayer.getPixelPosition(T,!0),x=t.renderer.$cursorLayer.getPixelPosition(b,!0),y=t.renderer.scroller.getBoundingClientRect(),L=function(e,t){return(e/=d)*e+(t=t/c-.75)*t};if(e.clientXF?"cursor":"anchor"),m=F<3.5?"anchor":I<3.5?"cursor":"scroll",l=setTimeout(C,450)}o=v}),e.addEventListener("touchend",function(e){h=t.$mouseHandler.isMousePressed=!1,c&&clearInterval(c),"zoom"==m?(m="",p=0):l?(t.selection.moveToPosition(u),p=0,v()):"scroll"==m?(p+=60,c=setInterval(function(){p--<=0&&(clearInterval(c),c=null),Math.abs(f)<.01&&(f=0),Math.abs(E)<.01&&(E=0),p<20&&(f*=.9),p<20&&(E*=.9);var e=t.session.getScrollTop();t.renderer.scrollBy(10*f,10*E),e==t.session.getScrollTop()&&(p=0)},10),e.preventDefault(),_()):v(),clearTimeout(l),l=null}),e.addEventListener("touchmove",function(e){l&&(clearTimeout(l),l=null);var r=e.touches;if(!(r.length>1||"zoom"==m)){var o=r[0],c=n-o.clientX,u=s-o.clientY;if("wait"==m){if(!(c*c+u*u>4))return e.preventDefault();m="cursor"}n=o.clientX,s=o.clientY,e.clientX=o.clientX,e.clientY=o.clientY;var h=e.timeStamp,d=h-a;if(a=h,"scroll"==m){var p=new i(e,t);p.speed=1,p.wheelX=c,p.wheelY=u,10*Math.abs(c)1&&(r=n[n.length-2]);var o=l[t+"Path"];return null==o?o=l.basePath:"/"==i&&(t=i=""),o&&"/"!=o.slice(-1)&&(o+="/"),o+t+i+r+this.get("suffix")},t.setModuleUrl=function(e,t){return l.$moduleUrls[e]=t},t.$loading={},t.loadModule=function(n,i){var r,o;Array.isArray(n)&&(o=n[0],n=n[1]);try{r=e(n)}catch(e){}if(r&&!t.$loading[n])return i&&i(r);if(t.$loading[n]||(t.$loading[n]=[]),t.$loading[n].push(i),!(t.$loading[n].length>1)){var a=function(){e([n],function(e){t._emit("load.module",{name:n,module:e});var i=t.$loading[n];t.$loading[n]=null,i.forEach(function(t){t&&t(e)})})};if(!t.get("packaged"))return a();s.loadScript(t.moduleUrl(n,o),a),c()}};var c=function(){l.basePath||l.workerPath||l.modePath||l.themePath||Object.keys(l.$moduleUrls).length||(console.error("Unable to infer path to ace from script src,","use ace.config.set('basePath', 'path') to enable dynamic loading of modes and themes","or with webpack use ace/webpack-resolver"),c=function(){})};function u(r){if(a&&a.document){l.packaged=r||e.packaged||i.packaged||a.define&&n.amdD.packaged;for(var s={},o="",c=document.currentScript||document._currentScript,u=(c&&c.ownerDocument||document).getElementsByTagName("script"),d=0;d=e){for(s=h+1;s=e;)s++;for(a=h,l=s-1;a=t.length||2!=(l=n[r-1])&&3!=l||2!=(c=t[r+1])&&3!=c?4:(s&&(c=3),c==l?c:4);case 10:return 2==(l=r>0?n[r-1]:5)&&r+10&&2==n[r-1])return 2;if(s)return 4;for(m=r+1,d=t.length;m=1425&&g<=2303||64286==g;if(l=t[m],f&&(1==l||7==l))return 1}return r<1||5==(l=t[r-1])?4:n[r-1];case 5:return s=!1,o=!0,i;case 6:return a=!0,4;case 13:case 14:case 16:case 17:case 15:s=!1;case h:return 4}}function f(e){var t=e.charCodeAt(0),n=t>>8;return 0==n?t>191?0:d[t]:5==n?/[\u0591-\u05f4]/.test(e)?1:0:6==n?/[\u0610-\u061a\u064b-\u065f\u06d6-\u06e4\u06e7-\u06ed]/.test(e)?12:/[\u0660-\u0669\u066b-\u066c]/.test(e)?3:1642==t?u:/[\u06f0-\u06f9]/.test(e)?2:7:32==n&&t<=8287?m[255&t]:254==n&&t>=65136?7:4}t.L=0,t.R=1,t.EN=2,t.ON_R=3,t.AN=4,t.R_H=5,t.B=6,t.RLE=7,t.DOT="·",t.doBidiReorder=function(e,n,u){if(e.length<2)return{};var d=e.split(""),m=new Array(d.length),E=new Array(d.length),v=[];i=u?1:0,function(e,t,n,u){var h=i?c:l,d=null,m=null,p=null,E=0,v=null,_=-1,C=null,A=null,R=[];if(!u)for(C=0,u=[];C0)if(16==v){for(C=_;C-1){for(C=_;C=0&&8==u[S];S--)t[S]=i}}(d,v,d.length,n);for(var _=0;_7&&n[_]<13||4===n[_]||n[_]===h)?v[_]=t.ON_R:_>0&&"ل"===d[_-1]&&/\u0622|\u0623|\u0625|\u0627/.test(d[_])&&(v[_-1]=v[_]=t.R_H,_++);for(d[d.length-1]===t.DOT&&(v[d.length-1]=t.B),"‫"===d[0]&&(v[0]=t.RLE),_=0;_=0&&(e=this.session.$docRowCache[n])}return e},this.getSplitIndex=function(){var e=0,t=this.session.$screenRowCache;if(t.length)for(var n,i=this.session.$getRowCacheIndex(t,this.currentRow);this.currentRow-e>0&&(n=this.session.$getRowCacheIndex(t,this.currentRow-e-1))===i;)i=n,e++;else e=this.currentRow;return e},this.updateRowLine=function(e,t){void 0===e&&(e=this.getDocumentRow());var n=e===this.session.getLength()-1?this.EOF:this.EOL;if(this.wrapIndent=0,this.line=this.session.getLine(e),this.isRtlDir=this.$isRtl||this.line.charAt(0)===this.RLE,this.session.$useWrapMode){var s=this.session.$wrapData[e];s&&(void 0===t&&(t=this.getSplitIndex()),t>0&&s.length?(this.wrapIndent=s.indent,this.wrapOffset=this.wrapIndent*this.charWidths[i.L],this.line=tt?this.session.getOverwrite()?e:e-1:t,r=i.getVisualFromLogicalIdx(n,this.bidiMap),s=this.bidiMap.bidiLevels,o=0;!this.session.getOverwrite()&&e<=t&&s[r]%2!=0&&r++;for(var a=0;at&&s[r]%2==0&&(o+=this.charWidths[s[r]]),this.wrapIndent&&(o+=this.isRtlDir?-1*this.wrapOffset:this.wrapOffset),this.isRtlDir&&(o+=this.rtlLineOffset),o},this.getSelections=function(e,t){var n,i=this.bidiMap,r=i.bidiLevels,s=[],o=0,a=Math.min(e,t)-this.wrapIndent,l=Math.max(e,t)-this.wrapIndent,c=!1,u=!1,h=0;this.wrapIndent&&(o+=this.isRtlDir?-1*this.wrapOffset:this.wrapOffset);for(var d,m=0;m=a&&dn+s/2;){if(n+=s,i===r.length-1){s=0;break}s=this.charWidths[r[++i]]}return i>0&&r[i-1]%2!=0&&r[i]%2==0?(e0&&r[i-1]%2==0&&r[i]%2!=0?t=1+(e>n?this.bidiMap.logicalFromVisual[i]:this.bidiMap.logicalFromVisual[i-1]):this.isRtlDir&&i===r.length-1&&0===s&&r[i-1]%2==0||!this.isRtlDir&&0===i&&r[i]%2!=0?t=1+this.bidiMap.logicalFromVisual[i]:(i>0&&r[i-1]%2!=0&&0!==s&&i--,t=this.bidiMap.logicalFromVisual[i]),0===t&&this.isRtlDir&&t++,t+this.wrapIndent}}).call(o.prototype),t.BidiHandler=o}),ace.define("ace/selection",["require","exports","module","ace/lib/oop","ace/lib/lang","ace/lib/event_emitter","ace/range"],function(e,t,n){"use strict";var i=e("./lib/oop"),r=e("./lib/lang"),s=e("./lib/event_emitter").EventEmitter,o=e("./range").Range,a=function(e){this.session=e,this.doc=e.getDocument(),this.clearSelection(),this.cursor=this.lead=this.doc.createAnchor(0,0),this.anchor=this.doc.createAnchor(0,0),this.$silent=!1;var t=this;this.cursor.on("change",function(e){t.$cursorChanged=!0,t.$silent||t._emit("changeCursor"),t.$isEmpty||t.$silent||t._emit("changeSelection"),t.$keepDesiredColumnOnChange||e.old.column==e.value.column||(t.$desiredColumn=null)}),this.anchor.on("change",function(){t.$anchorChanged=!0,t.$isEmpty||t.$silent||t._emit("changeSelection")})};(function(){i.implement(this,s),this.isEmpty=function(){return this.$isEmpty||this.anchor.row==this.lead.row&&this.anchor.column==this.lead.column},this.isMultiLine=function(){return!this.$isEmpty&&this.anchor.row!=this.cursor.row},this.getCursor=function(){return this.lead.getPosition()},this.setSelectionAnchor=function(e,t){this.$isEmpty=!1,this.anchor.setPosition(e,t)},this.getAnchor=this.getSelectionAnchor=function(){return this.$isEmpty?this.getSelectionLead():this.anchor.getPosition()},this.getSelectionLead=function(){return this.lead.getPosition()},this.isBackwards=function(){var e=this.anchor,t=this.lead;return e.row>t.row||e.row==t.row&&e.column>t.column},this.getRange=function(){var e=this.anchor,t=this.lead;return this.$isEmpty?o.fromPoints(t,t):this.isBackwards()?o.fromPoints(t,e):o.fromPoints(e,t)},this.clearSelection=function(){this.$isEmpty||(this.$isEmpty=!0,this._emit("changeSelection"))},this.selectAll=function(){this.$setSelection(0,0,Number.MAX_VALUE,Number.MAX_VALUE)},this.setRange=this.setSelectionRange=function(e,t){var n=t?e.end:e.start,i=t?e.start:e.end;this.$setSelection(n.row,n.column,i.row,i.column)},this.$setSelection=function(e,t,n,i){var r=this.$isEmpty,s=this.inMultiSelectMode;this.$silent=!0,this.$cursorChanged=this.$anchorChanged=!1,this.anchor.setPosition(e,t),this.cursor.setPosition(n,i),this.$isEmpty=!o.comparePoints(this.anchor,this.cursor),this.$silent=!1,this.$cursorChanged&&this._emit("changeCursor"),(this.$cursorChanged||this.$anchorChanged||r!=this.$isEmpty||s)&&this._emit("changeSelection")},this.$moveSelection=function(e){var t=this.lead;this.$isEmpty&&this.setSelectionAnchor(t.row,t.column),e.call(this)},this.selectTo=function(e,t){this.$moveSelection(function(){this.moveCursorTo(e,t)})},this.selectToPosition=function(e){this.$moveSelection(function(){this.moveCursorToPosition(e)})},this.moveTo=function(e,t){this.clearSelection(),this.moveCursorTo(e,t)},this.moveToPosition=function(e){this.clearSelection(),this.moveCursorToPosition(e)},this.selectUp=function(){this.$moveSelection(this.moveCursorUp)},this.selectDown=function(){this.$moveSelection(this.moveCursorDown)},this.selectRight=function(){this.$moveSelection(this.moveCursorRight)},this.selectLeft=function(){this.$moveSelection(this.moveCursorLeft)},this.selectLineStart=function(){this.$moveSelection(this.moveCursorLineStart)},this.selectLineEnd=function(){this.$moveSelection(this.moveCursorLineEnd)},this.selectFileEnd=function(){this.$moveSelection(this.moveCursorFileEnd)},this.selectFileStart=function(){this.$moveSelection(this.moveCursorFileStart)},this.selectWordRight=function(){this.$moveSelection(this.moveCursorWordRight)},this.selectWordLeft=function(){this.$moveSelection(this.moveCursorWordLeft)},this.getWordRange=function(e,t){if(void 0===t){var n=e||this.lead;e=n.row,t=n.column}return this.session.getWordRange(e,t)},this.selectWord=function(){this.setSelectionRange(this.getWordRange())},this.selectAWord=function(){var e=this.getCursor(),t=this.session.getAWordRange(e.row,e.column);this.setSelectionRange(t)},this.getLineRange=function(e,t){var n,i="number"==typeof e?e:this.lead.row,r=this.session.getFoldLine(i);return r?(i=r.start.row,n=r.end.row):n=i,!0===t?new o(i,0,n,this.session.getLine(n).length):new o(i,0,n+1,0)},this.selectLine=function(){this.setSelectionRange(this.getLineRange())},this.moveCursorUp=function(){this.moveCursorBy(-1,0)},this.moveCursorDown=function(){this.moveCursorBy(1,0)},this.wouldMoveIntoSoftTab=function(e,t,n){var i=e.column,r=e.column+t;return n<0&&(i=e.column-t,r=e.column),this.session.isTabStop(e)&&this.doc.getLine(e.row).slice(i,r).split(" ").length-1==t},this.moveCursorLeft=function(){var e,t=this.lead.getPosition();if(e=this.session.getFoldAt(t.row,t.column,-1))this.moveCursorTo(e.start.row,e.start.column);else if(0===t.column)t.row>0&&this.moveCursorTo(t.row-1,this.doc.getLine(t.row-1).length);else{var n=this.session.getTabSize();this.wouldMoveIntoSoftTab(t,n,-1)&&!this.session.getNavigateWithinSoftTabs()?this.moveCursorBy(0,-n):this.moveCursorBy(0,-1)}},this.moveCursorRight=function(){var e,t=this.lead.getPosition();if(e=this.session.getFoldAt(t.row,t.column,1))this.moveCursorTo(e.end.row,e.end.column);else if(this.lead.column==this.doc.getLine(this.lead.row).length)this.lead.row0&&(t.column=i)}}this.moveCursorTo(t.row,t.column)},this.moveCursorFileEnd=function(){var e=this.doc.getLength()-1,t=this.doc.getLine(e).length;this.moveCursorTo(e,t)},this.moveCursorFileStart=function(){this.moveCursorTo(0,0)},this.moveCursorLongWordRight=function(){var e=this.lead.row,t=this.lead.column,n=this.doc.getLine(e),i=n.substring(t);this.session.nonTokenRe.lastIndex=0,this.session.tokenRe.lastIndex=0;var r=this.session.getFoldAt(e,t,1);if(r)this.moveCursorTo(r.end.row,r.end.column);else{if(this.session.nonTokenRe.exec(i)&&(t+=this.session.nonTokenRe.lastIndex,this.session.nonTokenRe.lastIndex=0,i=n.substring(t)),t>=n.length)return this.moveCursorTo(e,n.length),this.moveCursorRight(),void(e0&&this.moveCursorWordLeft());this.session.tokenRe.exec(s)&&(n-=this.session.tokenRe.lastIndex,this.session.tokenRe.lastIndex=0),this.moveCursorTo(t,n)}},this.$shortWordEndIndex=function(e){var t,n=0,i=/\s/,r=this.session.tokenRe;if(r.lastIndex=0,this.session.tokenRe.exec(e))n=this.session.tokenRe.lastIndex;else{for(;(t=e[n])&&i.test(t);)n++;if(n<1)for(r.lastIndex=0;(t=e[n])&&!r.test(t);)if(r.lastIndex=0,n++,i.test(t)){if(n>2){n--;break}for(;(t=e[n])&&i.test(t);)n++;if(n>2)break}}return r.lastIndex=0,n},this.moveCursorShortWordRight=function(){var e=this.lead.row,t=this.lead.column,n=this.doc.getLine(e),i=n.substring(t),r=this.session.getFoldAt(e,t,1);if(r)return this.moveCursorTo(r.end.row,r.end.column);if(t==n.length){var s=this.doc.getLength();do{e++,i=this.doc.getLine(e)}while(e0&&/^\s*$/.test(i));n=i.length,/\s+$/.test(i)||(i="")}var s=r.stringReverse(i),o=this.$shortWordEndIndex(s);return this.moveCursorTo(t,n-o)},this.moveCursorWordRight=function(){this.session.$selectLongWords?this.moveCursorLongWordRight():this.moveCursorShortWordRight()},this.moveCursorWordLeft=function(){this.session.$selectLongWords?this.moveCursorLongWordLeft():this.moveCursorShortWordLeft()},this.moveCursorBy=function(e,t){var n,i=this.session.documentToScreenPosition(this.lead.row,this.lead.column);0===t&&(0!==e&&(this.session.$bidiHandler.isBidiRow(i.row,this.lead.row)?(n=this.session.$bidiHandler.getPosLeft(i.column),i.column=Math.round(n/this.session.$bidiHandler.charWidths[0])):n=i.column*this.session.$bidiHandler.charWidths[0]),this.$desiredColumn?i.column=this.$desiredColumn:this.$desiredColumn=i.column);var r=this.session.screenToDocumentPosition(i.row+e,i.column,n);0!==e&&0===t&&r.row===this.lead.row&&r.column===this.lead.column&&this.session.lineWidgets&&this.session.lineWidgets[r.row]&&(r.row>0||e>0)&&r.row++,this.moveCursorTo(r.row,r.column+t,0===t)},this.moveCursorToPosition=function(e){this.moveCursorTo(e.row,e.column)},this.moveCursorTo=function(e,t,n){var i=this.session.getFoldAt(e,t,1);i&&(e=i.start.row,t=i.start.column),this.$keepDesiredColumnOnChange=!0;var r=this.session.getLine(e);/[\uDC00-\uDFFF]/.test(r.charAt(t))&&r.charAt(t-1)&&(this.lead.row==e&&this.lead.column==t+1?t-=1:t+=1),this.lead.setPosition(e,t),this.$keepDesiredColumnOnChange=!1,n||(this.$desiredColumn=null)},this.moveCursorToScreen=function(e,t,n){var i=this.session.screenToDocumentPosition(e,t);this.moveCursorTo(i.row,i.column,n)},this.detach=function(){this.lead.detach(),this.anchor.detach(),this.session=this.doc=null},this.fromOrientedRange=function(e){this.setSelectionRange(e,e.cursor==e.start),this.$desiredColumn=e.desiredColumn||this.$desiredColumn},this.toOrientedRange=function(e){var t=this.getRange();return e?(e.start.column=t.start.column,e.start.row=t.start.row,e.end.column=t.end.column,e.end.row=t.end.row):e=t,e.cursor=this.isBackwards()?e.start:e.end,e.desiredColumn=this.$desiredColumn,e},this.getRangeOfMovements=function(e){var t=this.getCursor();try{e(this);var n=this.getCursor();return o.fromPoints(t,n)}catch(e){return o.fromPoints(t,t)}finally{this.moveCursorToPosition(t)}},this.toJSON=function(){if(this.rangeCount)var e=this.ranges.map(function(e){var t=e.clone();return t.isBackwards=e.cursor==e.start,t});else(e=this.getRange()).isBackwards=this.isBackwards();return e},this.fromJSON=function(e){if(null==e.start){if(this.rangeList&&e.length>1){this.toSingleRange(e[0]);for(var t=e.length;t--;){var n=o.fromPoints(e[t].start,e[t].end);e[t].isBackwards&&(n.cursor=n.start),this.addRange(n,!0)}return}e=e[0]}this.rangeList&&this.toSingleRange(e),this.setSelectionRange(e,e.isBackwards)},this.isEqual=function(e){if((e.length||this.rangeCount)&&e.length!=this.rangeCount)return!1;if(!e.length||!this.ranges)return this.getRange().isEqual(e);for(var t=this.ranges.length;t--;)if(!this.ranges[t].isEqual(e[t]))return!1;return!0}}).call(a.prototype),t.Selection=a}),ace.define("ace/tokenizer",["require","exports","module","ace/config"],function(e,t,n){"use strict";var i=e("./config"),r=2e3,s=function(e){for(var t in this.states=e,this.regExps={},this.matchMappings={},this.states){for(var n=this.states[t],i=[],r=0,s=this.matchMappings[t]={defaultToken:"text"},o="g",a=[],l=0;l1?this.$applyToken:c.token),h>1&&(/\\\d/.test(c.regex)?u=c.regex.replace(/\\([0-9]+)/g,function(e,t){return"\\"+(parseInt(t,10)+r+1)}):(h=1,u=this.removeCapturingGroups(c.regex)),c.splitRegex||"string"==typeof c.token||a.push(c)),s[r]=l,r+=h,i.push(u),c.onMatch||(c.onMatch=null)}}i.length||(s[0]=0,i.push("$")),a.forEach(function(e){e.splitRegex=this.createSplitterRegexp(e.regex,o)},this),this.regExps[t]=new RegExp("("+i.join(")|(")+")|($)",o)}};(function(){this.$setMaxTokenCount=function(e){r=0|e},this.$applyToken=function(e){var t=this.splitRegex.exec(e).slice(1),n=this.token.apply(this,t);if("string"==typeof n)return[{type:n,value:e}];for(var i=[],r=0,s=n.length;ru){var E=e.substring(u,f-g.length);d.type==m?d.value+=E:(d.type&&c.push(d),d={type:m,value:E})}for(var v=0;vr){for(h>2*e.length&&this.reportError("infinite loop with in ace tokenizer",{startState:t,line:e});u1&&n[0]!==i&&n.unshift("#tmp",i),{tokens:c,state:n.length?n:i}},this.reportError=i.reportError}).call(s.prototype),t.Tokenizer=s}),ace.define("ace/mode/text_highlight_rules",["require","exports","module","ace/lib/lang"],function(e,t,n){"use strict";var i=e("../lib/lang"),r=function(){this.$rules={start:[{token:"empty_line",regex:"^$"},{defaultToken:"text"}]}};(function(){this.addRules=function(e,t){if(t)for(var n in e){for(var i=e[n],r=0;r=this.$rowTokens.length;){if(this.$row+=1,e||(e=this.$session.getLength()),this.$row>=e)return this.$row=e-1,null;this.$rowTokens=this.$session.getTokens(this.$row),this.$tokenIndex=0}return this.$rowTokens[this.$tokenIndex]},this.getCurrentToken=function(){return this.$rowTokens[this.$tokenIndex]},this.getCurrentTokenRow=function(){return this.$row},this.getCurrentTokenColumn=function(){var e=this.$rowTokens,t=this.$tokenIndex,n=e[t].start;if(void 0!==n)return n;for(n=0;t>0;)n+=e[t-=1].value.length;return n},this.getCurrentTokenPosition=function(){return{row:this.$row,column:this.getCurrentTokenColumn()}},this.getCurrentTokenRange=function(){var e=this.$rowTokens[this.$tokenIndex],t=this.getCurrentTokenColumn();return new i(this.$row,t,this.$row,t+e.value.length)}}).call(r.prototype),t.TokenIterator=r}),ace.define("ace/mode/behaviour/cstyle",["require","exports","module","ace/lib/oop","ace/mode/behaviour","ace/token_iterator","ace/lib/lang"],function(e,t,n){"use strict";var i,r=e("../../lib/oop"),s=e("../behaviour").Behaviour,o=e("../../token_iterator").TokenIterator,a=e("../../lib/lang"),l=["text","paren.rparen","rparen","paren","punctuation.operator"],c=["text","paren.rparen","rparen","paren","punctuation.operator","comment"],u={},h={'"':'"',"'":"'"},d=function(e){var t=-1;if(e.multiSelect&&(t=e.selection.index,u.rangeCount!=e.multiSelect.rangeCount&&(u={rangeCount:e.multiSelect.rangeCount})),u[t])return i=u[t];i=u[t]={autoInsertedBrackets:0,autoInsertedRow:-1,autoInsertedLineEnd:"",maybeInsertedBrackets:0,maybeInsertedRow:-1,maybeInsertedLineStart:"",maybeInsertedLineEnd:""}},m=function(e,t,n,i){var r=e.end.row-e.start.row;return{text:n+t+i,selection:[0,e.start.column+1,r,e.end.column+(r?0:1)]}},p=function(e){this.add("braces","insertion",function(t,n,r,s,o){var l=r.getCursorPosition(),c=s.doc.getLine(l.row);if("{"==o){d(r);var u=r.getSelectionRange(),h=s.doc.getTextRange(u);if(""!==h&&"{"!==h&&r.getWrapBehavioursEnabled())return m(u,h,"{","}");if(p.isSaneInsertion(r,s))return/[\]\}\)]/.test(c[l.column])||r.inMultiSelectMode||e&&e.braces?(p.recordAutoInsert(r,s,"}"),{text:"{}",selection:[1,1]}):(p.recordMaybeInsert(r,s,"{"),{text:"{",selection:[1,1]})}else if("}"==o){if(d(r),"}"==c.substring(l.column,l.column+1)&&null!==s.$findOpeningBracket("}",{column:l.column+1,row:l.row})&&p.isAutoInsertedClosing(l,c,o))return p.popAutoInsertedClosing(),{text:"",selection:[1,1]}}else{if("\n"==o||"\r\n"==o){d(r);var g="";if(p.isMaybeInsertedClosing(l,c)&&(g=a.stringRepeat("}",i.maybeInsertedBrackets),p.clearMaybeInsertedClosing()),"}"===c.substring(l.column,l.column+1)){var f=s.findMatchingBracket({row:l.row,column:l.column+1},"}");if(!f)return null;var E=this.$getIndent(s.getLine(f.row))}else{if(!g)return void p.clearMaybeInsertedClosing();E=this.$getIndent(c)}var v=E+s.getTabString();return{text:"\n"+v+"\n"+E+g,selection:[1,v.length,1,v.length]}}p.clearMaybeInsertedClosing()}}),this.add("braces","deletion",function(e,t,n,r,s){var o=r.doc.getTextRange(s);if(!s.isMultiLine()&&"{"==o){if(d(n),"}"==r.doc.getLine(s.start.row).substring(s.end.column,s.end.column+1))return s.end.column++,s;i.maybeInsertedBrackets--}}),this.add("parens","insertion",function(e,t,n,i,r){if("("==r){d(n);var s=n.getSelectionRange(),o=i.doc.getTextRange(s);if(""!==o&&n.getWrapBehavioursEnabled())return m(s,o,"(",")");if(p.isSaneInsertion(n,i))return p.recordAutoInsert(n,i,")"),{text:"()",selection:[1,1]}}else if(")"==r){d(n);var a=n.getCursorPosition(),l=i.doc.getLine(a.row);if(")"==l.substring(a.column,a.column+1)&&null!==i.$findOpeningBracket(")",{column:a.column+1,row:a.row})&&p.isAutoInsertedClosing(a,l,r))return p.popAutoInsertedClosing(),{text:"",selection:[1,1]}}}),this.add("parens","deletion",function(e,t,n,i,r){var s=i.doc.getTextRange(r);if(!r.isMultiLine()&&"("==s&&(d(n),")"==i.doc.getLine(r.start.row).substring(r.start.column+1,r.start.column+2)))return r.end.column++,r}),this.add("brackets","insertion",function(e,t,n,i,r){if("["==r){d(n);var s=n.getSelectionRange(),o=i.doc.getTextRange(s);if(""!==o&&n.getWrapBehavioursEnabled())return m(s,o,"[","]");if(p.isSaneInsertion(n,i))return p.recordAutoInsert(n,i,"]"),{text:"[]",selection:[1,1]}}else if("]"==r){d(n);var a=n.getCursorPosition(),l=i.doc.getLine(a.row);if("]"==l.substring(a.column,a.column+1)&&null!==i.$findOpeningBracket("]",{column:a.column+1,row:a.row})&&p.isAutoInsertedClosing(a,l,r))return p.popAutoInsertedClosing(),{text:"",selection:[1,1]}}}),this.add("brackets","deletion",function(e,t,n,i,r){var s=i.doc.getTextRange(r);if(!r.isMultiLine()&&"["==s&&(d(n),"]"==i.doc.getLine(r.start.row).substring(r.start.column+1,r.start.column+2)))return r.end.column++,r}),this.add("string_dquotes","insertion",function(e,t,n,i,r){var s=i.$mode.$quotes||h;if(1==r.length&&s[r]){if(this.lineCommentStart&&-1!=this.lineCommentStart.indexOf(r))return;d(n);var o=r,a=n.getSelectionRange(),l=i.doc.getTextRange(a);if(!(""===l||1==l.length&&s[l])&&n.getWrapBehavioursEnabled())return m(a,l,o,o);if(!l){var c=n.getCursorPosition(),u=i.doc.getLine(c.row),p=u.substring(c.column-1,c.column),g=u.substring(c.column,c.column+1),f=i.getTokenAt(c.row,c.column),E=i.getTokenAt(c.row,c.column+1);if("\\"==p&&f&&/escape/.test(f.type))return null;var v,_=f&&/string|escape/.test(f.type),C=!E||/string|escape/.test(E.type);if(g==o)(v=_!==C)&&/string\.end/.test(E.type)&&(v=!1);else{if(_&&!C)return null;if(_&&C)return null;var A=i.$mode.tokenRe;A.lastIndex=0;var R=A.test(p);A.lastIndex=0;var S=A.test(p);if(R||S)return null;if(g&&!/[\s;,.})\]\\]/.test(g))return null;var T=u[c.column-2];if(p==o&&(T==o||A.test(T)))return null;v=!0}return{text:v?o+o:"",selection:[1,1]}}}}),this.add("string_dquotes","deletion",function(e,t,n,i,r){var s=i.$mode.$quotes||h,o=i.doc.getTextRange(r);if(!r.isMultiLine()&&s.hasOwnProperty(o)&&(d(n),i.doc.getLine(r.start.row).substring(r.start.column+1,r.start.column+2)==o))return r.end.column++,r})};p.isSaneInsertion=function(e,t){var n=e.getCursorPosition(),i=new o(t,n.row,n.column);if(!this.$matchTokenType(i.getCurrentToken()||"text",l)){if(/[)}\]]/.test(e.session.getLine(n.row)[n.column]))return!0;var r=new o(t,n.row,n.column+1);if(!this.$matchTokenType(r.getCurrentToken()||"text",l))return!1}return i.stepForward(),i.getCurrentTokenRow()!==n.row||this.$matchTokenType(i.getCurrentToken()||"text",c)},p.$matchTokenType=function(e,t){return t.indexOf(e.type||e)>-1},p.recordAutoInsert=function(e,t,n){var r=e.getCursorPosition(),s=t.doc.getLine(r.row);this.isAutoInsertedClosing(r,s,i.autoInsertedLineEnd[0])||(i.autoInsertedBrackets=0),i.autoInsertedRow=r.row,i.autoInsertedLineEnd=n+s.substr(r.column),i.autoInsertedBrackets++},p.recordMaybeInsert=function(e,t,n){var r=e.getCursorPosition(),s=t.doc.getLine(r.row);this.isMaybeInsertedClosing(r,s)||(i.maybeInsertedBrackets=0),i.maybeInsertedRow=r.row,i.maybeInsertedLineStart=s.substr(0,r.column)+n,i.maybeInsertedLineEnd=s.substr(r.column),i.maybeInsertedBrackets++},p.isAutoInsertedClosing=function(e,t,n){return i.autoInsertedBrackets>0&&e.row===i.autoInsertedRow&&n===i.autoInsertedLineEnd[0]&&t.substr(e.column)===i.autoInsertedLineEnd},p.isMaybeInsertedClosing=function(e,t){return i.maybeInsertedBrackets>0&&e.row===i.maybeInsertedRow&&t.substr(e.column)===i.maybeInsertedLineEnd&&t.substr(0,e.column)==i.maybeInsertedLineStart},p.popAutoInsertedClosing=function(){i.autoInsertedLineEnd=i.autoInsertedLineEnd.substr(1),i.autoInsertedBrackets--},p.clearMaybeInsertedClosing=function(){i&&(i.maybeInsertedBrackets=0,i.maybeInsertedRow=-1)},r.inherits(p,s),t.CstyleBehaviour=p}),ace.define("ace/unicode",["require","exports","module"],function(e,t,n){"use strict";for(var i=[48,9,8,25,5,0,2,25,48,0,11,0,5,0,6,22,2,30,2,457,5,11,15,4,8,0,2,0,18,116,2,1,3,3,9,0,2,2,2,0,2,19,2,82,2,138,2,4,3,155,12,37,3,0,8,38,10,44,2,0,2,1,2,1,2,0,9,26,6,2,30,10,7,61,2,9,5,101,2,7,3,9,2,18,3,0,17,58,3,100,15,53,5,0,6,45,211,57,3,18,2,5,3,11,3,9,2,1,7,6,2,2,2,7,3,1,3,21,2,6,2,0,4,3,3,8,3,1,3,3,9,0,5,1,2,4,3,11,16,2,2,5,5,1,3,21,2,6,2,1,2,1,2,1,3,0,2,4,5,1,3,2,4,0,8,3,2,0,8,15,12,2,2,8,2,2,2,21,2,6,2,1,2,4,3,9,2,2,2,2,3,0,16,3,3,9,18,2,2,7,3,1,3,21,2,6,2,1,2,4,3,8,3,1,3,2,9,1,5,1,2,4,3,9,2,0,17,1,2,5,4,2,2,3,4,1,2,0,2,1,4,1,4,2,4,11,5,4,4,2,2,3,3,0,7,0,15,9,18,2,2,7,2,2,2,22,2,9,2,4,4,7,2,2,2,3,8,1,2,1,7,3,3,9,19,1,2,7,2,2,2,22,2,9,2,4,3,8,2,2,2,3,8,1,8,0,2,3,3,9,19,1,2,7,2,2,2,22,2,15,4,7,2,2,2,3,10,0,9,3,3,9,11,5,3,1,2,17,4,23,2,8,2,0,3,6,4,0,5,5,2,0,2,7,19,1,14,57,6,14,2,9,40,1,2,0,3,1,2,0,3,0,7,3,2,6,2,2,2,0,2,0,3,1,2,12,2,2,3,4,2,0,2,5,3,9,3,1,35,0,24,1,7,9,12,0,2,0,2,0,5,9,2,35,5,19,2,5,5,7,2,35,10,0,58,73,7,77,3,37,11,42,2,0,4,328,2,3,3,6,2,0,2,3,3,40,2,3,3,32,2,3,3,6,2,0,2,3,3,14,2,56,2,3,3,66,5,0,33,15,17,84,13,619,3,16,2,25,6,74,22,12,2,6,12,20,12,19,13,12,2,2,2,1,13,51,3,29,4,0,5,1,3,9,34,2,3,9,7,87,9,42,6,69,11,28,4,11,5,11,11,39,3,4,12,43,5,25,7,10,38,27,5,62,2,28,3,10,7,9,14,0,89,75,5,9,18,8,13,42,4,11,71,55,9,9,4,48,83,2,2,30,14,230,23,280,3,5,3,37,3,5,3,7,2,0,2,0,2,0,2,30,3,52,2,6,2,0,4,2,2,6,4,3,3,5,5,12,6,2,2,6,67,1,20,0,29,0,14,0,17,4,60,12,5,0,4,11,18,0,5,0,3,9,2,0,4,4,7,0,2,0,2,0,2,3,2,10,3,3,6,4,5,0,53,1,2684,46,2,46,2,132,7,6,15,37,11,53,10,0,17,22,10,6,2,6,2,6,2,6,2,6,2,6,2,6,2,6,2,31,48,0,470,1,36,5,2,4,6,1,5,85,3,1,3,2,2,89,2,3,6,40,4,93,18,23,57,15,513,6581,75,20939,53,1164,68,45,3,268,4,27,21,31,3,13,13,1,2,24,9,69,11,1,38,8,3,102,3,1,111,44,25,51,13,68,12,9,7,23,4,0,5,45,3,35,13,28,4,64,15,10,39,54,10,13,3,9,7,22,4,1,5,66,25,2,227,42,2,1,3,9,7,11171,13,22,5,48,8453,301,3,61,3,105,39,6,13,4,6,11,2,12,2,4,2,0,2,1,2,1,2,107,34,362,19,63,3,53,41,11,5,15,17,6,13,1,25,2,33,4,2,134,20,9,8,25,5,0,2,25,12,88,4,5,3,5,3,5,3,2],r=0,s=[],o=0;o2?i%c!=c-1:i%c==0})}else{if(!this.blockComment)return!1;var m=this.blockComment.start,p=this.blockComment.end,g=new RegExp("^(\\s*)(?:"+l.escapeRegExp(m)+")"),f=new RegExp("(?:"+l.escapeRegExp(p)+")\\s*$"),E=function(e,t){_(e,t)||s&&!/\S/.test(e)||(r.insertInLine({row:t,column:e.length},p),r.insertInLine({row:t,column:a},m))},v=function(e,t){var n;(n=e.match(f))&&r.removeInLine(t,e.length-n[0].length,e.length),(n=e.match(g))&&r.removeInLine(t,n[1].length,n[0].length)},_=function(e,n){if(g.test(e))return!0;for(var i=t.getTokens(n),r=0;re.length&&(A=e.length)}),a==1/0&&(a=A,s=!1,o=!1),u&&a%c!=0&&(a=Math.floor(a/c)*c),C(o?v:E)},this.toggleBlockComment=function(e,t,n,i){var r=this.blockComment;if(r){!r.start&&r[0]&&(r=r[0]);var s,o,a=(g=new c(t,i.row,i.column)).getCurrentToken(),l=(t.selection,t.selection.toOrientedRange());if(a&&/comment/.test(a.type)){for(var h,d;a&&/comment/.test(a.type);){if(-1!=(f=a.value.indexOf(r.start))){var m=g.getCurrentTokenRow(),p=g.getCurrentTokenColumn()+f;h=new u(m,p,m,p+r.start.length);break}a=g.stepBackward()}var g;for(a=(g=new c(t,i.row,i.column)).getCurrentToken();a&&/comment/.test(a.type);){var f;if(-1!=(f=a.value.indexOf(r.end))){m=g.getCurrentTokenRow(),p=g.getCurrentTokenColumn()+f,d=new u(m,p,m,p+r.end.length);break}a=g.stepForward()}d&&t.remove(d),h&&(t.remove(h),s=h.start.row,o=-r.start.length)}else o=r.start.length,s=n.start.row,t.insert(n.end,r.end),t.insert(n.start,r.start);l.start.row==s&&(l.start.column+=o),l.end.row==s&&(l.end.column+=o),t.selection.fromOrientedRange(l)}},this.getNextLineIndent=function(e,t,n){return this.$getIndent(t)},this.checkOutdent=function(e,t,n){return!1},this.autoOutdent=function(e,t,n){},this.$getIndent=function(e){return e.match(/^\s*/)[0]},this.createWorker=function(e){return null},this.createModeDelegates=function(e){for(var t in this.$embeds=[],this.$modes={},e)if(e[t]){var n=e[t],r=n.prototype.$id,s=i.$modes[r];s||(i.$modes[r]=s=new n),i.$modes[t]||(i.$modes[t]=s),this.$embeds.push(t),this.$modes[t]=s}var o=["toggleBlockComment","toggleCommentLines","getNextLineIndent","checkOutdent","autoOutdent","transformAction","getCompletions"];for(t=0;tthis.row)){var n=function(t,n,i){var r="insert"==t.action,s=(r?1:-1)*(t.end.row-t.start.row),o=(r?1:-1)*(t.end.column-t.start.column),a=t.start,l=r?a:t.end;return e(n,a,i)?{row:n.row,column:n.column}:e(l,n,!i)?{row:n.row+s,column:n.column+(n.row==l.row?o:0)}:{row:a.row,column:a.column}}(t,{row:this.row,column:this.column},this.$insertRight);this.setPosition(n.row,n.column,!0)}},this.setPosition=function(e,t,n){var i;if(i=n?{row:e,column:t}:this.$clipPositionToDocument(e,t),this.row!=i.row||this.column!=i.column){var r={row:this.row,column:this.column};this.row=i.row,this.column=i.column,this._signal("change",{old:r,value:i})}},this.detach=function(){this.document.removeEventListener("change",this.$onChange)},this.attach=function(e){this.document=e||this.document,this.document.on("change",this.$onChange)},this.$clipPositionToDocument=function(e,t){var n={};return e>=this.document.getLength()?(n.row=Math.max(0,this.document.getLength()-1),n.column=this.document.getLine(n.row).length):e<0?(n.row=0,n.column=0):(n.row=e,n.column=Math.min(this.document.getLine(n.row).length,Math.max(0,t))),t<0&&(n.column=0),n}}).call(s.prototype)}),ace.define("ace/document",["require","exports","module","ace/lib/oop","ace/apply_delta","ace/lib/event_emitter","ace/range","ace/anchor"],function(e,t,n){"use strict";var i=e("./lib/oop"),r=e("./apply_delta").applyDelta,s=e("./lib/event_emitter").EventEmitter,o=e("./range").Range,a=e("./anchor").Anchor,l=function(e){this.$lines=[""],0===e.length?this.$lines=[""]:Array.isArray(e)?this.insertMergedLines({row:0,column:0},e):this.insert({row:0,column:0},e)};(function(){i.implement(this,s),this.setValue=function(e){var t=this.getLength()-1;this.remove(new o(0,0,t,this.getLine(t).length)),this.insert({row:0,column:0},e)},this.getValue=function(){return this.getAllLines().join(this.getNewLineCharacter())},this.createAnchor=function(e,t){return new a(this,e,t)},0==="aaa".split(/a/).length?this.$split=function(e){return e.replace(/\r\n|\r/g,"\n").split("\n")}:this.$split=function(e){return e.split(/\r\n|\r|\n/)},this.$detectNewLine=function(e){var t=e.match(/^.*?(\r\n|\r|\n)/m);this.$autoNewLine=t?t[1]:"\n",this._signal("changeNewLineMode")},this.getNewLineCharacter=function(){switch(this.$newLineMode){case"windows":return"\r\n";case"unix":return"\n";default:return this.$autoNewLine||"\n"}},this.$autoNewLine="",this.$newLineMode="auto",this.setNewLineMode=function(e){this.$newLineMode!==e&&(this.$newLineMode=e,this._signal("changeNewLineMode"))},this.getNewLineMode=function(){return this.$newLineMode},this.isNewLine=function(e){return"\r\n"==e||"\r"==e||"\n"==e},this.getLine=function(e){return this.$lines[e]||""},this.getLines=function(e,t){return this.$lines.slice(e,t+1)},this.getAllLines=function(){return this.getLines(0,this.getLength())},this.getLength=function(){return this.$lines.length},this.getTextRange=function(e){return this.getLinesForRange(e).join(this.getNewLineCharacter())},this.getLinesForRange=function(e){var t;if(e.start.row===e.end.row)t=[this.getLine(e.start.row).substring(e.start.column,e.end.column)];else{(t=this.getLines(e.start.row,e.end.row))[0]=(t[0]||"").substring(e.start.column);var n=t.length-1;e.end.row-e.start.row==n&&(t[n]=t[n].substring(0,e.end.column))}return t},this.insertLines=function(e,t){return console.warn("Use of document.insertLines is deprecated. Use the insertFullLines method instead."),this.insertFullLines(e,t)},this.removeLines=function(e,t){return console.warn("Use of document.removeLines is deprecated. Use the removeFullLines method instead."),this.removeFullLines(e,t)},this.insertNewLine=function(e){return console.warn("Use of document.insertNewLine is deprecated. Use insertMergedLines(position, ['', '']) instead."),this.insertMergedLines(e,["",""])},this.insert=function(e,t){return this.getLength()<=1&&this.$detectNewLine(t),this.insertMergedLines(e,this.$split(t))},this.insertInLine=function(e,t){var n=this.clippedPos(e.row,e.column),i=this.pos(e.row,e.column+t.length);return this.applyDelta({start:n,end:i,action:"insert",lines:[t]},!0),this.clonePos(i)},this.clippedPos=function(e,t){var n=this.getLength();void 0===e?e=n:e<0?e=0:e>=n&&(e=n-1,t=void 0);var i=this.getLine(e);return null==t&&(t=i.length),{row:e,column:t=Math.min(Math.max(t,0),i.length)}},this.clonePos=function(e){return{row:e.row,column:e.column}},this.pos=function(e,t){return{row:e,column:t}},this.$clipPosition=function(e){var t=this.getLength();return e.row>=t?(e.row=Math.max(0,t-1),e.column=this.getLine(t-1).length):(e.row=Math.max(0,e.row),e.column=Math.min(Math.max(e.column,0),this.getLine(e.row).length)),e},this.insertFullLines=function(e,t){var n=0;(e=Math.min(Math.max(e,0),this.getLength()))0,i=t=0&&this.applyDelta({start:this.pos(e,this.getLine(e).length),end:this.pos(e+1,0),action:"remove",lines:["",""]})},this.replace=function(e,t){return e instanceof o||(e=o.fromPoints(e.start,e.end)),0===t.length&&e.isEmpty()?e.start:t==this.getTextRange(e)?e.end:(this.remove(e),t?this.insert(e.start,t):e.start)},this.applyDeltas=function(e){for(var t=0;t=0;t--)this.revertDelta(e[t])},this.applyDelta=function(e,t){var n="insert"==e.action;(n?e.lines.length<=1&&!e.lines[0]:!o.comparePoints(e.start,e.end))||(n&&e.lines.length>2e4?this.$splitAndapplyLargeDelta(e,2e4):(r(this.$lines,e,t),this._signal("change",e)))},this.$splitAndapplyLargeDelta=function(e,t){for(var n=e.lines,i=n.length-t+1,r=e.start.row,s=e.start.column,o=0,a=0;o20){n.running=setTimeout(n.$worker,20);break}}n.currentLine=t,-1==i&&(i=t),s<=i&&n.fireUpdateEvent(s,i)}}};(function(){i.implement(this,r),this.setTokenizer=function(e){this.tokenizer=e,this.lines=[],this.states=[],this.start(0)},this.setDocument=function(e){this.doc=e,this.lines=[],this.states=[],this.stop()},this.fireUpdateEvent=function(e,t){var n={first:e,last:t};this._signal("update",{data:n})},this.start=function(e){this.currentLine=Math.min(e||0,this.currentLine,this.doc.getLength()),this.lines.splice(this.currentLine,this.lines.length),this.states.splice(this.currentLine,this.states.length),this.stop(),this.running=setTimeout(this.$worker,700)},this.scheduleStart=function(){this.running||(this.running=setTimeout(this.$worker,700))},this.$updateOnChange=function(e){var t=e.start.row,n=e.end.row-t;if(0===n)this.lines[t]=null;else if("remove"==e.action)this.lines.splice(t,n+1,null),this.states.splice(t,n+1,null);else{var i=Array(n+1);i.unshift(t,1),this.lines.splice.apply(this.lines,i),this.states.splice.apply(this.states,i)}this.currentLine=Math.min(t,this.currentLine,this.doc.getLength()),this.stop()},this.stop=function(){this.running&&clearTimeout(this.running),this.running=!1},this.getTokens=function(e){return this.lines[e]||this.$tokenizeRow(e)},this.getState=function(e){return this.currentLine==e&&this.$tokenizeRow(e),this.states[e]||"start"},this.$tokenizeRow=function(e){var t=this.doc.getLine(e),n=this.states[e-1],i=this.tokenizer.getLineTokens(t,n,e);return this.states[e]+""!=i.state+""?(this.states[e]=i.state,this.lines[e+1]=null,this.currentLine>e+1&&(this.currentLine=e+1)):this.currentLine==e&&(this.currentLine=e+1),this.lines[e]=i.tokens}}).call(s.prototype),t.BackgroundTokenizer=s}),ace.define("ace/search_highlight",["require","exports","module","ace/lib/lang","ace/lib/oop","ace/range"],function(e,t,n){"use strict";var i=e("./lib/lang"),r=(e("./lib/oop"),e("./range").Range),s=function(e,t,n){this.setRegexp(e),this.clazz=t,this.type=n||"text"};(function(){this.MAX_RANGES=500,this.setRegexp=function(e){this.regExp+""!=e+""&&(this.regExp=e,this.cache=[])},this.update=function(e,t,n,s){if(this.regExp)for(var o=s.firstRow,a=s.lastRow,l=o;l<=a;l++){var c=this.cache[l];null==c&&((c=i.getMatchOffsets(n.getLine(l),this.regExp)).length>this.MAX_RANGES&&(c=c.slice(0,this.MAX_RANGES)),c=c.map(function(e){return new r(l,e.offset,l,e.offset+e.length)}),this.cache[l]=c.length?c:"");for(var u=c.length;u--;)t.drawSingleLineMarker(e,c[u].toScreenRange(n),this.clazz,s)}}}).call(s.prototype),t.SearchHighlight=s}),ace.define("ace/edit_session/fold_line",["require","exports","module","ace/range"],function(e,t,n){"use strict";var i=e("../range").Range;function r(e,t){this.foldData=e,Array.isArray(t)?this.folds=t:t=this.folds=[t];var n=t[t.length-1];this.range=new i(t[0].start.row,t[0].start.column,n.end.row,n.end.column),this.start=this.range.start,this.end=this.range.end,this.folds.forEach(function(e){e.setFoldLine(this)},this)}(function(){this.shiftRow=function(e){this.start.row+=e,this.end.row+=e,this.folds.forEach(function(t){t.start.row+=e,t.end.row+=e})},this.addFold=function(e){if(e.sameRow){if(e.start.rowthis.endRow)throw new Error("Can't add a fold to this FoldLine as it has no connection");this.folds.push(e),this.folds.sort(function(e,t){return-e.range.compareEnd(t.start.row,t.start.column)}),this.range.compareEnd(e.start.row,e.start.column)>0?(this.end.row=e.end.row,this.end.column=e.end.column):this.range.compareStart(e.end.row,e.end.column)<0&&(this.start.row=e.start.row,this.start.column=e.start.column)}else if(e.start.row==this.end.row)this.folds.push(e),this.end.row=e.end.row,this.end.column=e.end.column;else{if(e.end.row!=this.start.row)throw new Error("Trying to add fold to FoldRow that doesn't have a matching row");this.folds.unshift(e),this.start.row=e.start.row,this.start.column=e.start.column}e.foldLine=this},this.containsRow=function(e){return e>=this.start.row&&e<=this.end.row},this.walk=function(e,t,n){var i,r,s=0,o=this.folds,a=!0;null==t&&(t=this.end.row,n=this.end.column);for(var l=0;l0)){var l=i(e,o.start);return 0===a?t&&0!==l?-s-2:s:l>0||0===l&&!t?s:-s-1}}return-s-1},this.add=function(e){var t=!e.isEmpty(),n=this.pointIndex(e.start,t);n<0&&(n=-n-1);var i=this.pointIndex(e.end,t,n);return i<0?i=-i-1:i++,this.ranges.splice(n,i-n,e)},this.addList=function(e){for(var t=[],n=e.length;n--;)t.push.apply(t,this.add(e[n]));return t},this.substractPoint=function(e){var t=this.pointIndex(e);if(t>=0)return this.ranges.splice(t,1)},this.merge=function(){for(var e,t=[],n=this.ranges,r=(n=n.sort(function(e,t){return i(e.start,t.start)}))[0],s=1;s=0},this.containsPoint=function(e){return this.pointIndex(e)>=0},this.rangeAtPoint=function(e){var t=this.pointIndex(e);if(t>=0)return this.ranges[t]},this.clipRows=function(e,t){var n=this.ranges;if(n[0].start.row>t||n[n.length-1].start.row=i);o++);if("insert"==e.action){for(var l=r-i,c=-t.column+n.column;oi);o++)if(u.start.row==i&&u.start.column>=t.column&&(u.start.column==t.column&&this.$bias<=0||(u.start.column+=c,u.start.row+=l)),u.end.row==i&&u.end.column>=t.column){if(u.end.column==t.column&&this.$bias<0)continue;u.end.column==t.column&&c>0&&ou.start.column&&u.end.column==s[o+1].start.column&&(u.end.column-=c),u.end.column+=c,u.end.row+=l}}else for(l=i-r,c=t.column-n.column;or);o++)u.end.rowt.column)&&(u.end.column=t.column,u.end.row=t.row):(u.end.column+=c,u.end.row+=l):u.end.row>r&&(u.end.row+=l),u.start.rowt.column)&&(u.start.column=t.column,u.start.row=t.row):(u.start.column+=c,u.start.row+=l):u.start.row>r&&(u.start.row+=l);if(0!=l&&o=e)return r;if(r.end.row>e)return null}return null},this.getNextFoldLine=function(e,t){var n=this.$foldData,i=0;for(t&&(i=n.indexOf(t)),-1==i&&(i=0);i=e)return r}return null},this.getFoldedRowCount=function(e,t){for(var n=this.$foldData,i=t-e+1,r=0;r=t){a=e?i-=t-a:i=0);break}o>=e&&(i-=a>=e?o-a:o-e+1)}return i},this.$addFoldLine=function(e){return this.$foldData.push(e),this.$foldData.sort(function(e,t){return e.start.row-t.start.row}),e},this.addFold=function(e,t){var n,i=this.$foldData,o=!1;e instanceof s?n=e:(n=new s(t,e)).collapseChildren=t.collapseChildren,this.$clipRangeToDocument(n.range);var a=n.start.row,l=n.start.column,c=n.end.row,u=n.end.column,h=this.getFoldAt(a,l,1),d=this.getFoldAt(c,u,-1);if(h&&d==h)return h.addSubFold(n);h&&!h.range.isStart(a,l)&&this.removeFold(h),d&&!d.range.isEnd(c,u)&&this.removeFold(d);var m=this.getFoldsInRange(n.range);m.length>0&&(this.removeFolds(m),m.forEach(function(e){n.addSubFold(e)}));for(var p=0;p0&&this.foldAll(e.start.row+1,e.end.row,e.collapseChildren-1),e.subFolds=[]},this.expandFolds=function(e){e.forEach(function(e){this.expandFold(e)},this)},this.unfold=function(e,t){var n,r;if(null==e?(n=new i(0,0,this.getLength(),0),t=!0):n="number"==typeof e?new i(e,0,e,this.getLine(e).length):"row"in e?i.fromPoints(e,e):e,r=this.getFoldsInRangeList(n),t)this.removeFolds(r);else for(var s=r;s.length;)this.expandFolds(s),s=this.getFoldsInRangeList(n);if(r.length)return r},this.isRowFolded=function(e,t){return!!this.getFoldLine(e,t)},this.getRowFoldEnd=function(e,t){var n=this.getFoldLine(e,t);return n?n.end.row:e},this.getRowFoldStart=function(e,t){var n=this.getFoldLine(e,t);return n?n.start.row:e},this.getFoldDisplayLine=function(e,t,n,i,r){null==i&&(i=e.start.row),null==r&&(r=0),null==t&&(t=e.end.row),null==n&&(n=this.getLine(t).length);var s=this.doc,o="";return e.walk(function(e,t,n,a){if(!(tu)break}while(s&&l.test(s.type));s=r.stepBackward()}else s=r.getCurrentToken();return c.end.row=r.getCurrentTokenRow(),c.end.column=r.getCurrentTokenColumn()+s.value.length-2,c}},this.foldAll=function(e,t,n){null==n&&(n=1e5);var i=this.foldWidgets;if(i){t=t||this.getLength();for(var r=e=e||0;r=e){r=s.end.row;try{var o=this.addFold("...",s);o&&(o.collapseChildren=n)}catch(e){}}}}},this.$foldStyles={manual:1,markbegin:1,markbeginend:1},this.$foldStyle="markbegin",this.setFoldStyle=function(e){if(!this.$foldStyles[e])throw new Error("invalid fold style: "+e+"["+Object.keys(this.$foldStyles).join(", ")+"]");if(this.$foldStyle!=e){this.$foldStyle=e,"manual"==e&&this.unfold();var t=this.$foldMode;this.$setFolding(null),this.$setFolding(t)}},this.$setFolding=function(e){this.$foldMode!=e&&(this.$foldMode=e,this.off("change",this.$updateFoldWidgets),this.off("tokenizerUpdate",this.$tokenizerUpdateFoldWidgets),this._signal("changeAnnotation"),e&&"manual"!=this.$foldStyle?(this.foldWidgets=[],this.getFoldWidget=e.getFoldWidget.bind(e,this,this.$foldStyle),this.getFoldWidgetRange=e.getFoldWidgetRange.bind(e,this,this.$foldStyle),this.$updateFoldWidgets=this.updateFoldWidgets.bind(this),this.$tokenizerUpdateFoldWidgets=this.tokenizerUpdateFoldWidgets.bind(this),this.on("change",this.$updateFoldWidgets),this.on("tokenizerUpdate",this.$tokenizerUpdateFoldWidgets)):this.foldWidgets=null)},this.getParentFoldRangeData=function(e,t){var n=this.foldWidgets;if(!n||t&&n[e])return{};for(var i,r=e-1;r>=0;){var s=n[r];if(null==s&&(s=n[r]=this.getFoldWidget(r)),"start"==s){var o=this.getFoldWidgetRange(r);if(i||(i=o),o&&o.end.row>=e)break}r--}return{range:-1!==r&&o,firstRange:i}},this.onFoldWidgetClick=function(e,t){var n={children:(t=t.domEvent).shiftKey,all:t.ctrlKey||t.metaKey,siblings:t.altKey};if(!this.$toggleFoldWidget(e,n)){var i=t.target||t.srcElement;i&&/ace_fold-widget/.test(i.className)&&(i.className+=" ace_invalid")}},this.$toggleFoldWidget=function(e,t){if(this.getFoldWidget){var n=this.getFoldWidget(e),i=this.getLine(e),r="end"===n?-1:1,s=this.getFoldAt(e,-1===r?0:i.length,r);if(s)return t.children||t.all?this.removeFold(s):this.expandFold(s),s;var o=this.getFoldWidgetRange(e,!0);if(o&&!o.isMultiLine()&&(s=this.getFoldAt(o.start.row,o.start.column,1))&&o.isEqual(s.range))return this.removeFold(s),s;if(t.siblings){var a=this.getParentFoldRangeData(e);if(a.range)var l=a.range.start.row+1,c=a.range.end.row;this.foldAll(l,c,t.all?1e4:0)}else t.children?(c=o?o.end.row:this.getLength(),this.foldAll(e+1,c,t.all?1e4:0)):o&&(t.all&&(o.collapseChildren=1e4),this.addFold("...",o));return o}},this.toggleFoldWidget=function(e){var t=this.selection.getCursor().row;t=this.getRowFoldStart(t);var n=this.$toggleFoldWidget(t,{});if(!n){var i=this.getParentFoldRangeData(t,!0);if(n=i.range||i.firstRange){t=n.start.row;var r=this.getFoldAt(t,this.getLine(t).length,1);r?this.removeFold(r):this.addFold("...",n)}}},this.updateFoldWidgets=function(e){var t=e.start.row,n=e.end.row-t;if(0===n)this.foldWidgets[t]=null;else if("remove"==e.action)this.foldWidgets.splice(t,n+1,null);else{var i=Array(n+1);i.unshift(t,1),this.foldWidgets.splice.apply(this.foldWidgets,i)}},this.tokenizerUpdateFoldWidgets=function(e){var t=e.data;t.first!=t.last&&this.foldWidgets.length>t.first&&this.foldWidgets.splice(t.first,this.foldWidgets.length)}}}),ace.define("ace/edit_session/bracket_match",["require","exports","module","ace/token_iterator","ace/range"],function(e,t,n){"use strict";var i=e("../token_iterator").TokenIterator,r=e("../range").Range;t.BracketMatch=function(){this.findMatchingBracket=function(e,t){if(0==e.column)return null;var n=t||this.getLine(e.row).charAt(e.column-1);if(""==n)return null;var i=n.match(/([\(\[\{])|([\)\]\}])/);return i?i[1]?this.$findClosingBracket(i[1],e):this.$findOpeningBracket(i[2],e):null},this.getBracketRange=function(e){var t,n=this.getLine(e.row),i=!0,s=n.charAt(e.column-1),o=s&&s.match(/([\(\[\{])|([\)\]\}])/);if(o||(s=n.charAt(e.column),e={row:e.row,column:e.column+1},o=s&&s.match(/([\(\[\{])|([\)\]\}])/),i=!1),!o)return null;if(o[1]){if(!(a=this.$findClosingBracket(o[1],e)))return null;t=r.fromPoints(e,a),i||(t.end.column++,t.start.column--),t.cursor=t.end}else{var a;if(!(a=this.$findOpeningBracket(o[2],e)))return null;t=r.fromPoints(a,e),i||(t.start.column++,t.end.column--),t.cursor=t.start}return t},this.$brackets={")":"(","(":")","]":"[","[":"]","{":"}","}":"{","<":">",">":"<"},this.$findOpeningBracket=function(e,t,n){var r=this.$brackets[e],s=1,o=new i(this,t.row,t.column),a=o.getCurrentToken();if(a||(a=o.stepForward()),a){n||(n=new RegExp("(\\.?"+a.type.replace(".","\\.").replace("rparen",".paren").replace(/\b(?:end)\b/,"(?:start|begin|end)")+")+"));for(var l=t.column-o.getCurrentTokenColumn()-2,c=a.value;;){for(;l>=0;){var u=c.charAt(l);if(u==r){if(0==(s-=1))return{row:o.getCurrentTokenRow(),column:l+o.getCurrentTokenColumn()}}else u==e&&(s+=1);l-=1}do{a=o.stepBackward()}while(a&&!n.test(a.type));if(null==a)break;l=(c=a.value).length-1}return null}},this.$findClosingBracket=function(e,t,n){var r=this.$brackets[e],s=1,o=new i(this,t.row,t.column),a=o.getCurrentToken();if(a||(a=o.stepForward()),a){n||(n=new RegExp("(\\.?"+a.type.replace(".","\\.").replace("lparen",".paren").replace(/\b(?:start|begin)\b/,"(?:start|begin|end)")+")+"));for(var l=t.column-o.getCurrentTokenColumn();;){for(var c=a.value,u=c.length;ln&&(this.$docRowCache.splice(n,t),this.$screenRowCache.splice(n,t))},this.$getRowCacheIndex=function(e,t){for(var n=0,i=e.length-1;n<=i;){var r=n+i>>1,s=e[r];if(t>s)n=r+1;else{if(!(t=t);s++);return(n=i[s])?(n.index=s,n.start=r-n.value.length,n):null},this.setUndoManager=function(e){if(this.$undoManager=e,this.$informUndoManager&&this.$informUndoManager.cancel(),e){var t=this;e.addSession(this),this.$syncInformUndoManager=function(){t.$informUndoManager.cancel(),t.mergeUndoDeltas=!1},this.$informUndoManager=r.delayedCall(this.$syncInformUndoManager)}else this.$syncInformUndoManager=function(){}},this.markUndoGroup=function(){this.$syncInformUndoManager&&this.$syncInformUndoManager()},this.$defaultUndoManager={undo:function(){},redo:function(){},hasUndo:function(){},hasRedo:function(){},reset:function(){},add:function(){},addSelection:function(){},startNewGroup:function(){},addSession:function(){}},this.getUndoManager=function(){return this.$undoManager||this.$defaultUndoManager},this.getTabString=function(){return this.getUseSoftTabs()?r.stringRepeat(" ",this.getTabSize()):"\t"},this.setUseSoftTabs=function(e){this.setOption("useSoftTabs",e)},this.getUseSoftTabs=function(){return this.$useSoftTabs&&!this.$mode.$indentWithTabs},this.setTabSize=function(e){this.setOption("tabSize",e)},this.getTabSize=function(){return this.$tabSize},this.isTabStop=function(e){return this.$useSoftTabs&&e.column%this.$tabSize===0},this.setNavigateWithinSoftTabs=function(e){this.setOption("navigateWithinSoftTabs",e)},this.getNavigateWithinSoftTabs=function(){return this.$navigateWithinSoftTabs},this.$overwrite=!1,this.setOverwrite=function(e){this.setOption("overwrite",e)},this.getOverwrite=function(){return this.$overwrite},this.toggleOverwrite=function(){this.setOverwrite(!this.$overwrite)},this.addGutterDecoration=function(e,t){this.$decorations[e]||(this.$decorations[e]=""),this.$decorations[e]+=" "+t,this._signal("changeBreakpoint",{})},this.removeGutterDecoration=function(e,t){this.$decorations[e]=(this.$decorations[e]||"").replace(" "+t,""),this._signal("changeBreakpoint",{})},this.getBreakpoints=function(){return this.$breakpoints},this.setBreakpoints=function(e){this.$breakpoints=[];for(var t=0;t0&&(i=!!n.charAt(t-1).match(this.tokenRe)),i||(i=!!n.charAt(t).match(this.tokenRe)),i)var r=this.tokenRe;else r=/^\s+$/.test(n.slice(t-1,t+1))?/\s/:this.nonTokenRe;var s=t;if(s>0){do{s--}while(s>=0&&n.charAt(s).match(r));s++}for(var o=t;oe&&(e=t.screenWidth)}),this.lineWidgetWidth=e},this.$computeWidth=function(e){if(this.$modified||e){if(this.$modified=!1,this.$useWrapMode)return this.screenWidth=this.$wrapLimit;for(var t=this.doc.getAllLines(),n=this.$rowLengthCache,i=0,r=0,s=this.$foldData[r],o=s?s.start.row:1/0,a=t.length,l=0;lo){if((l=s.end.row+1)>=a)break;o=(s=this.$foldData[r++])?s.start.row:1/0}null==n[l]&&(n[l]=this.$getStringScreenWidth(t[l])[0]),n[l]>i&&(i=n[l])}this.screenWidth=i}},this.getLine=function(e){return this.doc.getLine(e)},this.getLines=function(e,t){return this.doc.getLines(e,t)},this.getLength=function(){return this.doc.getLength()},this.getTextRange=function(e){return this.doc.getTextRange(e||this.selection.getRange())},this.insert=function(e,t){return this.doc.insert(e,t)},this.remove=function(e){return this.doc.remove(e)},this.removeFullLines=function(e,t){return this.doc.removeFullLines(e,t)},this.undoChanges=function(e,t){if(e.length){this.$fromUndo=!0;for(var n=e.length-1;-1!=n;n--){var i=e[n];"insert"==i.action||"remove"==i.action?this.doc.revertDelta(i):i.folds&&this.addFolds(i.folds)}!t&&this.$undoSelect&&(e.selectionBefore?this.selection.fromJSON(e.selectionBefore):this.selection.setRange(this.$getUndoSelection(e,!0))),this.$fromUndo=!1}},this.redoChanges=function(e,t){if(e.length){this.$fromUndo=!0;for(var n=0;ne.end.column&&(s.start.column+=c),s.end.row==e.end.row&&s.end.column>e.end.column&&(s.end.column+=c)),o&&s.start.row>=e.end.row&&(s.start.row+=o,s.end.row+=o)}if(s.end=this.insert(s.start,i),r.length){var a=e.start,l=s.start,c=(o=l.row-a.row,l.column-a.column);this.addFolds(r.map(function(e){return(e=e.clone()).start.row==a.row&&(e.start.column+=c),e.end.row==a.row&&(e.end.column+=c),e.start.row+=o,e.end.row+=o,e}))}return s},this.indentRows=function(e,t,n){n=n.replace(/\t/g,this.getTabString());for(var i=e;i<=t;i++)this.doc.insertInLine({row:i,column:0},n)},this.outdentRows=function(e){for(var t=e.collapseRows(),n=new u(0,0,0,0),i=this.getTabSize(),r=t.start.row;r<=t.end.row;++r){var s=this.getLine(r);n.start.row=r,n.end.row=r;for(var o=0;o0){var r;if((r=this.getRowFoldEnd(t+n))>this.doc.getLength()-1)return 0;i=r-t}else e=this.$clipRowToDocument(e),i=(t=this.$clipRowToDocument(t))-e+1;var s=new u(e,0,t,Number.MAX_VALUE),o=this.getFoldsInRange(s).map(function(e){return(e=e.clone()).start.row+=i,e.end.row+=i,e}),a=0==n?this.doc.getLines(e,t):this.doc.removeFullLines(e,t);return this.doc.insertFullLines(e+i,a),o.length&&this.addFolds(o),i},this.moveLinesUp=function(e,t){return this.$moveLines(e,t,-1)},this.moveLinesDown=function(e,t){return this.$moveLines(e,t,1)},this.duplicateLines=function(e,t){return this.$moveLines(e,t,0)},this.$clipRowToDocument=function(e){return Math.max(0,Math.min(e,this.doc.getLength()-1))},this.$clipColumnToRow=function(e,t){return t<0?0:Math.min(this.doc.getLine(e).length,t)},this.$clipPositionToDocument=function(e,t){if(t=Math.max(0,t),e<0)e=0,t=0;else{var n=this.doc.getLength();e>=n?(e=n-1,t=this.doc.getLine(n-1).length):t=Math.min(this.doc.getLine(e).length,t)}return{row:e,column:t}},this.$clipRangeToDocument=function(e){e.start.row<0?(e.start.row=0,e.start.column=0):e.start.column=this.$clipColumnToRow(e.start.row,e.start.column);var t=this.doc.getLength()-1;return e.end.row>t?(e.end.row=t,e.end.column=this.doc.getLine(t).length):e.end.column=this.$clipColumnToRow(e.end.row,e.end.column),e},this.$wrapLimit=80,this.$useWrapMode=!1,this.$wrapLimitRange={min:null,max:null},this.setUseWrapMode=function(e){if(e!=this.$useWrapMode){if(this.$useWrapMode=e,this.$modified=!0,this.$resetRowCache(0),e){var t=this.getLength();this.$wrapData=Array(t),this.$updateWrapData(0,t-1)}this._signal("changeWrapMode")}},this.getUseWrapMode=function(){return this.$useWrapMode},this.setWrapLimitRange=function(e,t){this.$wrapLimitRange.min===e&&this.$wrapLimitRange.max===t||(this.$wrapLimitRange={min:e,max:t},this.$modified=!0,this.$bidiHandler.markAsDirty(),this.$useWrapMode&&this._signal("changeWrapMode"))},this.adjustWrapLimit=function(e,t){var n=this.$wrapLimitRange;n.max<0&&(n={min:t,max:t});var i=this.$constrainWrapLimit(e,n.min,n.max);return i!=this.$wrapLimit&&i>1&&(this.$wrapLimit=i,this.$modified=!0,this.$useWrapMode&&(this.$updateWrapData(0,this.getLength()-1),this.$resetRowCache(0),this._signal("changeWrapLimit")),!0)},this.$constrainWrapLimit=function(e,t,n){return t&&(e=Math.max(t,e)),n&&(e=Math.min(n,e)),e},this.getWrapLimit=function(){return this.$wrapLimit},this.setWrapLimit=function(e){this.setWrapLimitRange(e,e)},this.getWrapLimitRange=function(){return{min:this.$wrapLimitRange.min,max:this.$wrapLimitRange.max}},this.$updateInternalDataOnChange=function(e){var t=this.$useWrapMode,n=e.action,i=e.start,r=e.end,s=i.row,o=r.row,a=o-s,l=null;if(this.$updating=!0,0!=a)if("remove"===n){this[t?"$wrapData":"$rowLengthCache"].splice(s,a);var c=this.$foldData;l=this.getFoldsInRange(e),this.removeFolds(l);var u=0;if(g=this.getFoldLine(r.row)){g.addRemoveChars(r.row,r.column,i.column-r.column),g.shiftRow(-a);var h=this.getFoldLine(s);h&&h!==g&&(h.merge(g),g=h),u=c.indexOf(g)+1}for(;u=r.row&&g.shiftRow(-a);o=s}else{var d=Array(a);d.unshift(s,0);var m=t?this.$wrapData:this.$rowLengthCache;if(m.splice.apply(m,d),c=this.$foldData,u=0,g=this.getFoldLine(s)){var p=g.range.compareInside(i.row,i.column);0==p?(g=g.split(i.row,i.column))&&(g.shiftRow(a),g.addRemoveChars(o,0,r.column-i.column)):-1==p&&(g.addRemoveChars(s,0,r.column-i.column),g.shiftRow(a)),u=c.indexOf(g)+1}for(;u=s&&g.shiftRow(a)}}else a=Math.abs(e.start.column-e.end.column),"remove"===n&&(l=this.getFoldsInRange(e),this.removeFolds(l),a=-a),(g=this.getFoldLine(s))&&g.addRemoveChars(s,i.column,a);return t&&this.$wrapData.length!=this.doc.getLength()&&console.error("doc.getLength() and $wrapData.length have to be the same!"),this.$updating=!1,t?this.$updateWrapData(s,o):this.$updateRowLengthCache(s,o),l},this.$updateRowLengthCache=function(e,t,n){this.$rowLengthCache[e]=null,this.$rowLengthCache[t]=null},this.$updateWrapData=function(n,i){var r,s,o=this.doc.getAllLines(),a=this.getTabSize(),l=this.$wrapData,c=this.$wrapLimit,u=n;for(i=Math.min(i,o.length-1);u<=i;)(s=this.getFoldLine(u,s))?(r=[],s.walk(function(n,i,s,a){var l;if(null!=n){(l=this.$getDisplayTokens(n,r.length))[0]=e;for(var c=1;c=4352&&e<=4447||e>=4515&&e<=4519||e>=4602&&e<=4607||e>=9001&&e<=9002||e>=11904&&e<=11929||e>=11931&&e<=12019||e>=12032&&e<=12245||e>=12272&&e<=12283||e>=12288&&e<=12350||e>=12353&&e<=12438||e>=12441&&e<=12543||e>=12549&&e<=12589||e>=12593&&e<=12686||e>=12688&&e<=12730||e>=12736&&e<=12771||e>=12784&&e<=12830||e>=12832&&e<=12871||e>=12880&&e<=13054||e>=13056&&e<=19903||e>=19968&&e<=42124||e>=42128&&e<=42182||e>=43360&&e<=43388||e>=44032&&e<=55203||e>=55216&&e<=55238||e>=55243&&e<=55291||e>=63744&&e<=64255||e>=65040&&e<=65049||e>=65072&&e<=65106||e>=65108&&e<=65126||e>=65128&&e<=65131||e>=65281&&e<=65376||e>=65504&&e<=65510)}this.$computeWrapSplits=function(n,i,r){if(0==n.length)return[];var s=[],o=n.length,a=0,l=0,c=this.$wrapAsCode,u=this.$indentedSoftWrap,h=i<=Math.max(2*r,8)||!1===u?0:Math.floor(i/2);function d(e){for(var t=e-a,i=a;ii-m;){var p=a+i-m;if(n[p-1]>=10&&n[p]>=10)d(p);else if(n[p]!=e&&n[p]!=t){for(var g=Math.max(p-(i-(i>>2)),a-1);p>g&&n[p]g&&n[p]g&&9==n[p];)p--}else for(;p>g&&n[p]<10;)p--;p>g?d(++p):(2==n[p=a+i]&&p--,d(p-m))}else{for(;p!=a-1&&n[p]!=e;p--);if(p>a){d(p);continue}for(p=a+i;p39&&o<48||o>57&&o<64?r.push(9):o>=4352&&n(o)?r.push(1,2):r.push(1)}return r},this.$getStringScreenWidth=function(e,t,i){if(0==t)return[0,0];var r,s;for(null==t&&(t=1/0),i=i||0,s=0;s=4352&&n(r)?i+=2:i+=1,!(i>t));s++);return[i,s]},this.lineWidgets=null,this.getRowLength=function(e){if(this.lineWidgets)var t=this.lineWidgets[e]&&this.lineWidgets[e].rowCount||0;else t=0;return this.$useWrapMode&&this.$wrapData[e]?this.$wrapData[e].length+1+t:1+t},this.getRowLineCount=function(e){return this.$useWrapMode&&this.$wrapData[e]?this.$wrapData[e].length+1:1},this.getRowWrapIndent=function(e){if(this.$useWrapMode){var t=this.screenToDocumentPosition(e,Number.MAX_VALUE),n=this.$wrapData[t.row];return n.length&&n[0]=0){a=c[u],s=this.$docRowCache[u];var d=e>c[h-1]}else d=!h;for(var m=this.getLength()-1,p=this.getNextFoldLine(s),g=p?p.start.row:1/0;a<=e&&!(a+(l=this.getRowLength(s))>e||s>=m);)a+=l,++s>g&&(s=p.end.row+1,g=(p=this.getNextFoldLine(s,p))?p.start.row:1/0),d&&(this.$docRowCache.push(s),this.$screenRowCache.push(a));if(p&&p.start.row<=s)i=this.getFoldDisplayLine(p),s=p.start.row;else{if(a+l<=e||s>m)return{row:m,column:this.getLine(m).length};i=this.getLine(s),p=null}var f=0,E=Math.floor(e-a);if(this.$useWrapMode){var v=this.$wrapData[s];v&&(r=v[E],E>0&&v.length&&(f=v.indent,o=v[E-1]||v[v.length-1],i=i.substring(o)))}return void 0!==n&&this.$bidiHandler.isBidiRow(a+E,s,E)&&(t=this.$bidiHandler.offsetToCol(n)),o+=this.$getStringScreenWidth(i,t-f)[1],this.$useWrapMode&&o>=r&&(o=r-1),p?p.idxToPosition(o):{row:s,column:o}},this.documentToScreenPosition=function(e,t){if(void 0===t)var n=this.$clipPositionToDocument(e.row,e.column);else n=this.$clipPositionToDocument(e,t);e=n.row,t=n.column;var i,r=0,s=null;(i=this.getFoldAt(e,t,1))&&(e=i.start.row,t=i.start.column);var o,a=0,l=this.$docRowCache,c=this.$getRowCacheIndex(l,e),u=l.length;if(u&&c>=0){a=l[c],r=this.$screenRowCache[c];var h=e>l[u-1]}else h=!u;for(var d=this.getNextFoldLine(a),m=d?d.start.row:1/0;a=m){if((o=d.end.row+1)>e)break;m=(d=this.getNextFoldLine(o,d))?d.start.row:1/0}else o=a+1;r+=this.getRowLength(a),a=o,h&&(this.$docRowCache.push(a),this.$screenRowCache.push(r))}var p="";d&&a>=m?(p=this.getFoldDisplayLine(d,e,t),s=d.start.row):(p=this.getLine(e).substring(0,t),s=e);var g=0;if(this.$useWrapMode){var f=this.$wrapData[s];if(f){for(var E=0;p.length>=f[E];)r++,E++;p=p.substring(f[E-1]||0,p.length),g=E>0?f.indent:0}}return{row:r,column:g+this.$getStringScreenWidth(p)[0]}},this.documentToScreenColumn=function(e,t){return this.documentToScreenPosition(e,t).column},this.documentToScreenRow=function(e,t){return this.documentToScreenPosition(e,t).row},this.getScreenLength=function(){var e=0,t=null;if(this.$useWrapMode)for(var n=this.$wrapData.length,i=0,r=(a=0,(t=this.$foldData[a++])?t.start.row:1/0);ir&&(i=t.end.row+1,r=(t=this.$foldData[a++])?t.start.row:1/0)}else{e=this.getLength();for(var o=this.$foldData,a=0;an);s++);return[i,s]})},this.destroy=function(){this.bgTokenizer&&(this.bgTokenizer.setDocument(null),this.bgTokenizer=null),this.$stopWorker()},this.isFullWidth=n}.call(p.prototype),e("./edit_session/folding").Folding.call(p.prototype),e("./edit_session/bracket_match").BracketMatch.call(p.prototype),o.defineOptions(p.prototype,"session",{wrap:{set:function(e){if(e&&"off"!=e?"free"==e?e=!0:"printMargin"==e?e=-1:"string"==typeof e&&(e=parseInt(e,10)||!1):e=!1,this.$wrap!=e)if(this.$wrap=e,e){var t="number"==typeof e?e:null;this.setWrapLimitRange(t,t),this.setUseWrapMode(!0)}else this.setUseWrapMode(!1)},get:function(){return this.getUseWrapMode()?-1==this.$wrap?"printMargin":this.getWrapLimitRange().min?this.$wrap:"free":"off"},handlesSet:!0},wrapMethod:{set:function(e){(e="auto"==e?"text"!=this.$mode.type:"text"!=e)!=this.$wrapAsCode&&(this.$wrapAsCode=e,this.$useWrapMode&&(this.$useWrapMode=!1,this.setUseWrapMode(!0)))},initialValue:"auto"},indentedSoftWrap:{set:function(){this.$useWrapMode&&(this.$useWrapMode=!1,this.setUseWrapMode(!0))},initialValue:!0},firstLineNumber:{set:function(){this._signal("changeBreakpoint")},initialValue:1},useWorker:{set:function(e){this.$useWorker=e,this.$stopWorker(),e&&this.$startWorker()},initialValue:!0},useSoftTabs:{initialValue:!0},tabSize:{set:function(e){(e=parseInt(e))>0&&this.$tabSize!==e&&(this.$modified=!0,this.$rowLengthCache=[],this.$tabSize=e,this._signal("changeTabSize"))},initialValue:4,handlesSet:!0},navigateWithinSoftTabs:{initialValue:!1},foldStyle:{set:function(e){this.setFoldStyle(e)},handlesSet:!0},overwrite:{set:function(e){this._signal("changeOverwrite")},initialValue:!1},newLineMode:{set:function(e){this.doc.setNewLineMode(e)},get:function(){return this.doc.getNewLineMode()},handlesSet:!0},mode:{set:function(e){this.setMode(e)},get:function(){return this.$modeId},handlesSet:!0}}),t.EditSession=p}),ace.define("ace/search",["require","exports","module","ace/lib/lang","ace/lib/oop","ace/range"],function(e,t,n){"use strict";var i=e("./lib/lang"),r=e("./lib/oop"),s=e("./range").Range,o=function(){this.$options={}};(function(){this.set=function(e){return r.mixin(this.$options,e),this},this.getOptions=function(){return i.copyObject(this.$options)},this.setOptions=function(e){this.$options=e},this.find=function(e){var t=this.$options,n=this.$matchIterator(e,t);if(!n)return!1;var i=null;return n.forEach(function(e,n,r,o){return i=new s(e,n,r,o),!(n==o&&t.start&&t.start.start&&0!=t.skipCurrent&&i.isEqual(t.start)&&(i=null,1))}),i},this.findAll=function(e){var t=this.$options;if(!t.needle)return[];this.$assembleRegExp(t);var n=t.range,r=n?e.getLines(n.start.row,n.end.row):e.doc.getAllLines(),o=[],a=t.re;if(t.$isMultiLine){var l,c=a.length,u=r.length-c;e:for(var h=a.offset||0;h<=u;h++){for(var d=0;dg||(o.push(l=new s(h,g,h+c-1,f)),c>2&&(h=h+c-2))}}else for(var E=0;EA&&o[d].end.row==n.end.row;)d--;for(o=o.slice(E,d+1),E=0,d=o.length;E=a;n--)if(h(n,Number.MAX_VALUE,e))return;if(0!=t.wrap)for(n=l,a=o.row;n>=a;n--)if(h(n,Number.MAX_VALUE,e))return}};else c=function(e){var n=o.row;if(!h(n,o.column,e)){for(n+=1;n<=l;n++)if(h(n,0,e))return;if(0!=t.wrap)for(n=a,l=o.row;n<=l;n++)if(h(n,0,e))return}};if(t.$isMultiLine)var u=n.length,h=function(t,r,s){var o=i?t-u+1:t;if(!(o<0)){var a=e.getLine(o),l=a.search(n[0]);if(!(!i&&lr))return!!s(o,l,o+u-1,h)||void 0}}};else h=i?function(t,i,r){var s,o=e.getLine(t),a=[],l=0;for(n.lastIndex=0;s=n.exec(o);){var c=s[0].length;if(l=s.index,!c){if(l>=o.length)break;n.lastIndex=l+=1}if(s.index+c>i)break;a.push(s.index,c)}for(var u=a.length-1;u>=0;u-=2){var h=a[u-1];if(r(t,h,t,h+(c=a[u])))return!0}}:function(t,i,r){var s,o,a=e.getLine(t);for(n.lastIndex=i;o=n.exec(a);){var l=o[0].length;if(r(t,s=o.index,t,s+l))return!0;if(!l&&(n.lastIndex=s+=1,s>=a.length))return!1}};return{forEach:c}}}).call(o.prototype),t.Search=o}),ace.define("ace/keyboard/hash_handler",["require","exports","module","ace/lib/keys","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("../lib/keys"),r=e("../lib/useragent"),s=i.KEY_MODS;function o(e,t){this.platform=t||(r.isMac?"mac":"win"),this.commands={},this.commandKeyBinding={},this.addCommands(e),this.$singleCommand=!0}function a(e,t){o.call(this,e,t),this.$singleCommand=!1}a.prototype=o.prototype,function(){function e(e){return"object"==typeof e&&e.bindKey&&e.bindKey.position||(e.isDefault?-100:0)}this.addCommand=function(e){this.commands[e.name]&&this.removeCommand(e),this.commands[e.name]=e,e.bindKey&&this._buildKeyHash(e)},this.removeCommand=function(e,t){var n=e&&("string"==typeof e?e:e.name);e=this.commands[n],t||delete this.commands[n];var i=this.commandKeyBinding;for(var r in i){var s=i[r];if(s==e)delete i[r];else if(Array.isArray(s)){var o=s.indexOf(e);-1!=o&&(s.splice(o,1),1==s.length&&(i[r]=s[0]))}}},this.bindKey=function(e,t,n){if("object"==typeof e&&e&&(null==n&&(n=e.position),e=e[this.platform]),e)return"function"==typeof t?this.addCommand({exec:t,bindKey:e,name:t.name||e}):void e.split("|").forEach(function(e){var i="";if(-1!=e.indexOf(" ")){var r=e.split(/\s+/);e=r.pop(),r.forEach(function(e){var t=this.parseKeys(e),n=s[t.hashId]+t.key;i+=(i?" ":"")+n,this._addCommandToBinding(i,"chainKeys")},this),i+=" "}var o=this.parseKeys(e),a=s[o.hashId]+o.key;this._addCommandToBinding(i+a,t,n)},this)},this._addCommandToBinding=function(t,n,i){var r,s=this.commandKeyBinding;if(n)if(!s[t]||this.$singleCommand)s[t]=n;else{Array.isArray(s[t])?-1!=(r=s[t].indexOf(n))&&s[t].splice(r,1):s[t]=[s[t]],"number"!=typeof i&&(i=e(n));var o=s[t];for(r=0;ri);r++);o.splice(r,0,n)}else delete s[t]},this.addCommands=function(e){e&&Object.keys(e).forEach(function(t){var n=e[t];if(n){if("string"==typeof n)return this.bindKey(n,t);"function"==typeof n&&(n={exec:n}),"object"==typeof n&&(n.name||(n.name=t),this.addCommand(n))}},this)},this.removeCommands=function(e){Object.keys(e).forEach(function(t){this.removeCommand(e[t])},this)},this.bindKeys=function(e){Object.keys(e).forEach(function(t){this.bindKey(t,e[t])},this)},this._buildKeyHash=function(e){this.bindKey(e.bindKey,e)},this.parseKeys=function(e){var t=e.toLowerCase().split(/[\-\+]([\-\+])?/).filter(function(e){return e}),n=t.pop(),r=i[n];if(i.FUNCTION_KEYS[r])n=i.FUNCTION_KEYS[r].toLowerCase();else{if(!t.length)return{key:n,hashId:-1};if(1==t.length&&"shift"==t[0])return{key:n.toUpperCase(),hashId:-1}}for(var s=0,o=t.length;o--;){var a=i.KEY_MODS[t[o]];if(null==a)return"undefined"!=typeof console&&console.error("invalid modifier "+t[o]+" in "+e),!1;s|=a}return{key:n,hashId:s}},this.findKeyCommand=function(e,t){var n=s[e]+t;return this.commandKeyBinding[n]},this.handleKeyboard=function(e,t,n,i){if(!(i<0)){var r=s[t]+n,o=this.commandKeyBinding[r];return e.$keyChain&&(e.$keyChain+=" "+r,o=this.commandKeyBinding[e.$keyChain]||o),!o||"chainKeys"!=o&&"chainKeys"!=o[o.length-1]?(e.$keyChain&&(t&&4!=t||1!=n.length?(-1==t||i>0)&&(e.$keyChain=""):e.$keyChain=e.$keyChain.slice(0,-r.length-1)),{command:o}):(e.$keyChain=e.$keyChain||r,{command:"null"})}},this.getStatusText=function(e,t){return t.$keyChain||""}}.call(o.prototype),t.HashHandler=o,t.MultiHashHandler=a}),ace.define("ace/commands/command_manager",["require","exports","module","ace/lib/oop","ace/keyboard/hash_handler","ace/lib/event_emitter"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("../keyboard/hash_handler").MultiHashHandler,s=e("../lib/event_emitter").EventEmitter,o=function(e,t){r.call(this,t,e),this.byName=this.commands,this.setDefaultHandler("exec",function(e){return e.command.exec(e.editor,e.args||{})})};i.inherits(o,r),function(){i.implement(this,s),this.exec=function(e,t,n){if(Array.isArray(e)){for(var i=e.length;i--;)if(this.exec(e[i],t,n))return!0;return!1}if("string"==typeof e&&(e=this.commands[e]),!e)return!1;if(t&&t.$readOnly&&!e.readOnly)return!1;if(0!=this.$checkCommandState&&e.isAvailable&&!e.isAvailable(t))return!1;var r={editor:t,command:e,args:n};return r.returnValue=this._emit("exec",r),this._signal("afterExec",r),!1!==r.returnValue},this.toggleRecording=function(e){if(!this.$inReplay)return e&&e._emit("changeStatus"),this.recording?(this.macro.pop(),this.removeEventListener("exec",this.$addCommandToMacro),this.macro.length||(this.macro=this.oldMacro),this.recording=!1):(this.$addCommandToMacro||(this.$addCommandToMacro=function(e){this.macro.push([e.command,e.args])}.bind(this)),this.oldMacro=this.macro,this.macro=[],this.on("exec",this.$addCommandToMacro),this.recording=!0)},this.replay=function(e){if(!this.$inReplay&&this.macro){if(this.recording)return this.toggleRecording(e);try{this.$inReplay=!0,this.macro.forEach(function(t){"string"==typeof t?this.exec(t,e):this.exec(t[0],e,t[1])},this)}finally{this.$inReplay=!1}}},this.trimMacro=function(e){return e.map(function(e){return"string"!=typeof e[0]&&(e[0]=e[0].name),e[1]||(e=e[0]),e})}}.call(o.prototype),t.CommandManager=o}),ace.define("ace/commands/default_commands",["require","exports","module","ace/lib/lang","ace/config","ace/range"],function(e,t,n){"use strict";var i=e("../lib/lang"),r=e("../config"),s=e("../range").Range;function o(e,t){return{win:e,mac:t}}t.commands=[{name:"showSettingsMenu",bindKey:o("Ctrl-,","Command-,"),exec:function(e){r.loadModule("ace/ext/settings_menu",function(t){t.init(e),e.showSettingsMenu()})},readOnly:!0},{name:"goToNextError",bindKey:o("Alt-E","F4"),exec:function(e){r.loadModule("./ext/error_marker",function(t){t.showErrorMarker(e,1)})},scrollIntoView:"animate",readOnly:!0},{name:"goToPreviousError",bindKey:o("Alt-Shift-E","Shift-F4"),exec:function(e){r.loadModule("./ext/error_marker",function(t){t.showErrorMarker(e,-1)})},scrollIntoView:"animate",readOnly:!0},{name:"selectall",description:"Select all",bindKey:o("Ctrl-A","Command-A"),exec:function(e){e.selectAll()},readOnly:!0},{name:"centerselection",description:"Center selection",bindKey:o(null,"Ctrl-L"),exec:function(e){e.centerSelection()},readOnly:!0},{name:"gotoline",description:"Go to line...",bindKey:o("Ctrl-L","Command-L"),exec:function(e,t){"number"!=typeof t||isNaN(t)||e.gotoLine(t),e.prompt({$type:"gotoLine"})},readOnly:!0},{name:"fold",bindKey:o("Alt-L|Ctrl-F1","Command-Alt-L|Command-F1"),exec:function(e){e.session.toggleFold(!1)},multiSelectAction:"forEach",scrollIntoView:"center",readOnly:!0},{name:"unfold",bindKey:o("Alt-Shift-L|Ctrl-Shift-F1","Command-Alt-Shift-L|Command-Shift-F1"),exec:function(e){e.session.toggleFold(!0)},multiSelectAction:"forEach",scrollIntoView:"center",readOnly:!0},{name:"toggleFoldWidget",bindKey:o("F2","F2"),exec:function(e){e.session.toggleFoldWidget()},multiSelectAction:"forEach",scrollIntoView:"center",readOnly:!0},{name:"toggleParentFoldWidget",bindKey:o("Alt-F2","Alt-F2"),exec:function(e){e.session.toggleFoldWidget(!0)},multiSelectAction:"forEach",scrollIntoView:"center",readOnly:!0},{name:"foldall",description:"Fold all",bindKey:o(null,"Ctrl-Command-Option-0"),exec:function(e){e.session.foldAll()},scrollIntoView:"center",readOnly:!0},{name:"foldOther",description:"Fold other",bindKey:o("Alt-0","Command-Option-0"),exec:function(e){e.session.foldAll(),e.session.unfold(e.selection.getAllRanges())},scrollIntoView:"center",readOnly:!0},{name:"unfoldall",description:"Unfold all",bindKey:o("Alt-Shift-0","Command-Option-Shift-0"),exec:function(e){e.session.unfold()},scrollIntoView:"center",readOnly:!0},{name:"findnext",description:"Find next",bindKey:o("Ctrl-K","Command-G"),exec:function(e){e.findNext()},multiSelectAction:"forEach",scrollIntoView:"center",readOnly:!0},{name:"findprevious",description:"Find previous",bindKey:o("Ctrl-Shift-K","Command-Shift-G"),exec:function(e){e.findPrevious()},multiSelectAction:"forEach",scrollIntoView:"center",readOnly:!0},{name:"selectOrFindNext",description:"Select or find next",bindKey:o("Alt-K","Ctrl-G"),exec:function(e){e.selection.isEmpty()?e.selection.selectWord():e.findNext()},readOnly:!0},{name:"selectOrFindPrevious",description:"Select or find previous",bindKey:o("Alt-Shift-K","Ctrl-Shift-G"),exec:function(e){e.selection.isEmpty()?e.selection.selectWord():e.findPrevious()},readOnly:!0},{name:"find",description:"Find",bindKey:o("Ctrl-F","Command-F"),exec:function(e){r.loadModule("ace/ext/searchbox",function(t){t.Search(e)})},readOnly:!0},{name:"overwrite",description:"Overwrite",bindKey:"Insert",exec:function(e){e.toggleOverwrite()},readOnly:!0},{name:"selecttostart",description:"Select to start",bindKey:o("Ctrl-Shift-Home","Command-Shift-Home|Command-Shift-Up"),exec:function(e){e.getSelection().selectFileStart()},multiSelectAction:"forEach",readOnly:!0,scrollIntoView:"animate",aceCommandGroup:"fileJump"},{name:"gotostart",description:"Go to start",bindKey:o("Ctrl-Home","Command-Home|Command-Up"),exec:function(e){e.navigateFileStart()},multiSelectAction:"forEach",readOnly:!0,scrollIntoView:"animate",aceCommandGroup:"fileJump"},{name:"selectup",description:"Select up",bindKey:o("Shift-Up","Shift-Up|Ctrl-Shift-P"),exec:function(e){e.getSelection().selectUp()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"golineup",description:"Go line up",bindKey:o("Up","Up|Ctrl-P"),exec:function(e,t){e.navigateUp(t.times)},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selecttoend",description:"Select to end",bindKey:o("Ctrl-Shift-End","Command-Shift-End|Command-Shift-Down"),exec:function(e){e.getSelection().selectFileEnd()},multiSelectAction:"forEach",readOnly:!0,scrollIntoView:"animate",aceCommandGroup:"fileJump"},{name:"gotoend",description:"Go to end",bindKey:o("Ctrl-End","Command-End|Command-Down"),exec:function(e){e.navigateFileEnd()},multiSelectAction:"forEach",readOnly:!0,scrollIntoView:"animate",aceCommandGroup:"fileJump"},{name:"selectdown",description:"Select down",bindKey:o("Shift-Down","Shift-Down|Ctrl-Shift-N"),exec:function(e){e.getSelection().selectDown()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"golinedown",description:"Go line down",bindKey:o("Down","Down|Ctrl-N"),exec:function(e,t){e.navigateDown(t.times)},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selectwordleft",description:"Select word left",bindKey:o("Ctrl-Shift-Left","Option-Shift-Left"),exec:function(e){e.getSelection().selectWordLeft()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"gotowordleft",description:"Go to word left",bindKey:o("Ctrl-Left","Option-Left"),exec:function(e){e.navigateWordLeft()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selecttolinestart",description:"Select to line start",bindKey:o("Alt-Shift-Left","Command-Shift-Left|Ctrl-Shift-A"),exec:function(e){e.getSelection().selectLineStart()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"gotolinestart",description:"Go to line start",bindKey:o("Alt-Left|Home","Command-Left|Home|Ctrl-A"),exec:function(e){e.navigateLineStart()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selectleft",description:"Select left",bindKey:o("Shift-Left","Shift-Left|Ctrl-Shift-B"),exec:function(e){e.getSelection().selectLeft()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"gotoleft",description:"Go to left",bindKey:o("Left","Left|Ctrl-B"),exec:function(e,t){e.navigateLeft(t.times)},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selectwordright",description:"Select word right",bindKey:o("Ctrl-Shift-Right","Option-Shift-Right"),exec:function(e){e.getSelection().selectWordRight()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"gotowordright",description:"Go to word right",bindKey:o("Ctrl-Right","Option-Right"),exec:function(e){e.navigateWordRight()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selecttolineend",description:"Select to line end",bindKey:o("Alt-Shift-Right","Command-Shift-Right|Shift-End|Ctrl-Shift-E"),exec:function(e){e.getSelection().selectLineEnd()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"gotolineend",description:"Go to line end",bindKey:o("Alt-Right|End","Command-Right|End|Ctrl-E"),exec:function(e){e.navigateLineEnd()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selectright",description:"Select right",bindKey:o("Shift-Right","Shift-Right"),exec:function(e){e.getSelection().selectRight()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"gotoright",description:"Go to right",bindKey:o("Right","Right|Ctrl-F"),exec:function(e,t){e.navigateRight(t.times)},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selectpagedown",description:"Select page down",bindKey:"Shift-PageDown",exec:function(e){e.selectPageDown()},readOnly:!0},{name:"pagedown",description:"Page down",bindKey:o(null,"Option-PageDown"),exec:function(e){e.scrollPageDown()},readOnly:!0},{name:"gotopagedown",description:"Go to page down",bindKey:o("PageDown","PageDown|Ctrl-V"),exec:function(e){e.gotoPageDown()},readOnly:!0},{name:"selectpageup",description:"Select page up",bindKey:"Shift-PageUp",exec:function(e){e.selectPageUp()},readOnly:!0},{name:"pageup",description:"Page up",bindKey:o(null,"Option-PageUp"),exec:function(e){e.scrollPageUp()},readOnly:!0},{name:"gotopageup",description:"Go to page up",bindKey:"PageUp",exec:function(e){e.gotoPageUp()},readOnly:!0},{name:"scrollup",description:"Scroll up",bindKey:o("Ctrl-Up",null),exec:function(e){e.renderer.scrollBy(0,-2*e.renderer.layerConfig.lineHeight)},readOnly:!0},{name:"scrolldown",description:"Scroll down",bindKey:o("Ctrl-Down",null),exec:function(e){e.renderer.scrollBy(0,2*e.renderer.layerConfig.lineHeight)},readOnly:!0},{name:"selectlinestart",description:"Select line start",bindKey:"Shift-Home",exec:function(e){e.getSelection().selectLineStart()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"selectlineend",description:"Select line end",bindKey:"Shift-End",exec:function(e){e.getSelection().selectLineEnd()},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"togglerecording",description:"Toggle recording",bindKey:o("Ctrl-Alt-E","Command-Option-E"),exec:function(e){e.commands.toggleRecording(e)},readOnly:!0},{name:"replaymacro",description:"Replay macro",bindKey:o("Ctrl-Shift-E","Command-Shift-E"),exec:function(e){e.commands.replay(e)},readOnly:!0},{name:"jumptomatching",description:"Jump to matching",bindKey:o("Ctrl-\\|Ctrl-P","Command-\\"),exec:function(e){e.jumpToMatching()},multiSelectAction:"forEach",scrollIntoView:"animate",readOnly:!0},{name:"selecttomatching",description:"Select to matching",bindKey:o("Ctrl-Shift-\\|Ctrl-Shift-P","Command-Shift-\\"),exec:function(e){e.jumpToMatching(!0)},multiSelectAction:"forEach",scrollIntoView:"animate",readOnly:!0},{name:"expandToMatching",description:"Expand to matching",bindKey:o("Ctrl-Shift-M","Ctrl-Shift-M"),exec:function(e){e.jumpToMatching(!0,!0)},multiSelectAction:"forEach",scrollIntoView:"animate",readOnly:!0},{name:"passKeysToBrowser",description:"Pass keys to browser",bindKey:o(null,null),exec:function(){},passEvent:!0,readOnly:!0},{name:"copy",description:"Copy",exec:function(e){},readOnly:!0},{name:"cut",description:"Cut",exec:function(e){var t=e.$copyWithEmptySelection&&e.selection.isEmpty()?e.selection.getLineRange():e.selection.getRange();e._emit("cut",t),t.isEmpty()||e.session.remove(t),e.clearSelection()},scrollIntoView:"cursor",multiSelectAction:"forEach"},{name:"paste",description:"Paste",exec:function(e,t){e.$handlePaste(t)},scrollIntoView:"cursor"},{name:"removeline",description:"Remove line",bindKey:o("Ctrl-D","Command-D"),exec:function(e){e.removeLines()},scrollIntoView:"cursor",multiSelectAction:"forEachLine"},{name:"duplicateSelection",description:"Duplicate selection",bindKey:o("Ctrl-Shift-D","Command-Shift-D"),exec:function(e){e.duplicateSelection()},scrollIntoView:"cursor",multiSelectAction:"forEach"},{name:"sortlines",description:"Sort lines",bindKey:o("Ctrl-Alt-S","Command-Alt-S"),exec:function(e){e.sortLines()},scrollIntoView:"selection",multiSelectAction:"forEachLine"},{name:"togglecomment",description:"Toggle comment",bindKey:o("Ctrl-/","Command-/"),exec:function(e){e.toggleCommentLines()},multiSelectAction:"forEachLine",scrollIntoView:"selectionPart"},{name:"toggleBlockComment",description:"Toggle block comment",bindKey:o("Ctrl-Shift-/","Command-Shift-/"),exec:function(e){e.toggleBlockComment()},multiSelectAction:"forEach",scrollIntoView:"selectionPart"},{name:"modifyNumberUp",description:"Modify number up",bindKey:o("Ctrl-Shift-Up","Alt-Shift-Up"),exec:function(e){e.modifyNumber(1)},scrollIntoView:"cursor",multiSelectAction:"forEach"},{name:"modifyNumberDown",description:"Modify number down",bindKey:o("Ctrl-Shift-Down","Alt-Shift-Down"),exec:function(e){e.modifyNumber(-1)},scrollIntoView:"cursor",multiSelectAction:"forEach"},{name:"replace",description:"Replace",bindKey:o("Ctrl-H","Command-Option-F"),exec:function(e){r.loadModule("ace/ext/searchbox",function(t){t.Search(e,!0)})}},{name:"undo",description:"Undo",bindKey:o("Ctrl-Z","Command-Z"),exec:function(e){e.undo()}},{name:"redo",description:"Redo",bindKey:o("Ctrl-Shift-Z|Ctrl-Y","Command-Shift-Z|Command-Y"),exec:function(e){e.redo()}},{name:"copylinesup",description:"Copy lines up",bindKey:o("Alt-Shift-Up","Command-Option-Up"),exec:function(e){e.copyLinesUp()},scrollIntoView:"cursor"},{name:"movelinesup",description:"Move lines up",bindKey:o("Alt-Up","Option-Up"),exec:function(e){e.moveLinesUp()},scrollIntoView:"cursor"},{name:"copylinesdown",description:"Copy lines down",bindKey:o("Alt-Shift-Down","Command-Option-Down"),exec:function(e){e.copyLinesDown()},scrollIntoView:"cursor"},{name:"movelinesdown",description:"Move lines down",bindKey:o("Alt-Down","Option-Down"),exec:function(e){e.moveLinesDown()},scrollIntoView:"cursor"},{name:"del",description:"Delete",bindKey:o("Delete","Delete|Ctrl-D|Shift-Delete"),exec:function(e){e.remove("right")},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"backspace",description:"Backspace",bindKey:o("Shift-Backspace|Backspace","Ctrl-Backspace|Shift-Backspace|Backspace|Ctrl-H"),exec:function(e){e.remove("left")},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"cut_or_delete",description:"Cut or delete",bindKey:o("Shift-Delete",null),exec:function(e){if(!e.selection.isEmpty())return!1;e.remove("left")},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"removetolinestart",description:"Remove to line start",bindKey:o("Alt-Backspace","Command-Backspace"),exec:function(e){e.removeToLineStart()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"removetolineend",description:"Remove to line end",bindKey:o("Alt-Delete","Ctrl-K|Command-Delete"),exec:function(e){e.removeToLineEnd()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"removetolinestarthard",description:"Remove to line start hard",bindKey:o("Ctrl-Shift-Backspace",null),exec:function(e){var t=e.selection.getRange();t.start.column=0,e.session.remove(t)},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"removetolineendhard",description:"Remove to line end hard",bindKey:o("Ctrl-Shift-Delete",null),exec:function(e){var t=e.selection.getRange();t.end.column=Number.MAX_VALUE,e.session.remove(t)},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"removewordleft",description:"Remove word left",bindKey:o("Ctrl-Backspace","Alt-Backspace|Ctrl-Alt-Backspace"),exec:function(e){e.removeWordLeft()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"removewordright",description:"Remove word right",bindKey:o("Ctrl-Delete","Alt-Delete"),exec:function(e){e.removeWordRight()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"outdent",description:"Outdent",bindKey:o("Shift-Tab","Shift-Tab"),exec:function(e){e.blockOutdent()},multiSelectAction:"forEach",scrollIntoView:"selectionPart"},{name:"indent",description:"Indent",bindKey:o("Tab","Tab"),exec:function(e){e.indent()},multiSelectAction:"forEach",scrollIntoView:"selectionPart"},{name:"blockoutdent",description:"Block outdent",bindKey:o("Ctrl-[","Ctrl-["),exec:function(e){e.blockOutdent()},multiSelectAction:"forEachLine",scrollIntoView:"selectionPart"},{name:"blockindent",description:"Block indent",bindKey:o("Ctrl-]","Ctrl-]"),exec:function(e){e.blockIndent()},multiSelectAction:"forEachLine",scrollIntoView:"selectionPart"},{name:"insertstring",description:"Insert string",exec:function(e,t){e.insert(t)},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"inserttext",description:"Insert text",exec:function(e,t){e.insert(i.stringRepeat(t.text||"",t.times||1))},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"splitline",description:"Split line",bindKey:o(null,"Ctrl-O"),exec:function(e){e.splitLine()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"transposeletters",description:"Transpose letters",bindKey:o("Alt-Shift-X","Ctrl-T"),exec:function(e){e.transposeLetters()},multiSelectAction:function(e){e.transposeSelections(1)},scrollIntoView:"cursor"},{name:"touppercase",description:"To uppercase",bindKey:o("Ctrl-U","Ctrl-U"),exec:function(e){e.toUpperCase()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"tolowercase",description:"To lowercase",bindKey:o("Ctrl-Shift-U","Ctrl-Shift-U"),exec:function(e){e.toLowerCase()},multiSelectAction:"forEach",scrollIntoView:"cursor"},{name:"expandtoline",description:"Expand to line",bindKey:o("Ctrl-Shift-L","Command-Shift-L"),exec:function(e){var t=e.selection.getRange();t.start.column=t.end.column=0,t.end.row++,e.selection.setRange(t,!1)},multiSelectAction:"forEach",scrollIntoView:"cursor",readOnly:!0},{name:"joinlines",description:"Join lines",bindKey:o(null,null),exec:function(e){for(var t=e.selection.isBackwards(),n=t?e.selection.getSelectionLead():e.selection.getSelectionAnchor(),r=t?e.selection.getSelectionAnchor():e.selection.getSelectionLead(),o=e.session.doc.getLine(n.row).length,a=e.session.doc.getTextRange(e.selection.getRange()).replace(/\n\s*/," ").length,l=e.session.doc.getLine(n.row),c=n.row+1;c<=r.row+1;c++){var u=i.stringTrimLeft(i.stringTrimRight(e.session.doc.getLine(c)));0!==u.length&&(u=" "+u),l+=u}r.row+10?(e.selection.moveCursorTo(n.row,n.column),e.selection.selectTo(n.row,n.column+a)):(o=e.session.doc.getLine(n.row).length>o?o+1:o,e.selection.moveCursorTo(n.row,o))},multiSelectAction:"forEach",readOnly:!0},{name:"invertSelection",description:"Invert selection",bindKey:o(null,null),exec:function(e){var t=e.session.doc.getLength()-1,n=e.session.doc.getLine(t).length,i=e.selection.rangeList.ranges,r=[];i.length<1&&(i=[e.selection.getRange()]);for(var o=0;o=r.lastRow||i.end.row<=r.firstRow)&&this.renderer.scrollSelectionIntoView(this.selection.anchor,this.selection.lead)}"animate"==n&&this.renderer.animateScrolling(this.curOp.scrollTop)}var s=this.selection.toJSON();this.curOp.selectionAfter=s,this.$lastSel=this.selection.toJSON(),this.session.getUndoManager().addSelection(s),this.prevOp=this.curOp,this.curOp=null}},this.$mergeableCommands=["backspace","del","insertstring"],this.$historyTracker=function(e){if(this.$mergeUndoDeltas){var t=this.prevOp,n=this.$mergeableCommands,i=t.command&&e.command.name==t.command.name;if("insertstring"==e.command.name){var r=e.args;void 0===this.mergeNextCommand&&(this.mergeNextCommand=!0),i=i&&this.mergeNextCommand&&(!/\s/.test(r)||/\s/.test(t.args)),this.mergeNextCommand=!0}else i=i&&-1!==n.indexOf(e.command.name);"always"!=this.$mergeUndoDeltas&&Date.now()-this.sequenceStartTime>2e3&&(i=!1),i?this.session.mergeUndoDeltas=!0:-1!==n.indexOf(e.command.name)&&(this.sequenceStartTime=Date.now())}},this.setKeyboardHandler=function(e,t){if(e&&"string"==typeof e&&"ace"!=e){this.$keybindingId=e;var n=this;E.loadModule(["keybinding",e],function(i){n.$keybindingId==e&&n.keyBinding.setKeyboardHandler(i&&i.handler),t&&t()})}else this.$keybindingId=null,this.keyBinding.setKeyboardHandler(e),t&&t()},this.getKeyboardHandler=function(){return this.keyBinding.getKeyboardHandler()},this.setSession=function(e){if(this.session!=e){this.curOp&&this.endOperation(),this.curOp={};var t=this.session;if(t){this.session.off("change",this.$onDocumentChange),this.session.off("changeMode",this.$onChangeMode),this.session.off("tokenizerUpdate",this.$onTokenizerUpdate),this.session.off("changeTabSize",this.$onChangeTabSize),this.session.off("changeWrapLimit",this.$onChangeWrapLimit),this.session.off("changeWrapMode",this.$onChangeWrapMode),this.session.off("changeFold",this.$onChangeFold),this.session.off("changeFrontMarker",this.$onChangeFrontMarker),this.session.off("changeBackMarker",this.$onChangeBackMarker),this.session.off("changeBreakpoint",this.$onChangeBreakpoint),this.session.off("changeAnnotation",this.$onChangeAnnotation),this.session.off("changeOverwrite",this.$onCursorChange),this.session.off("changeScrollTop",this.$onScrollTopChange),this.session.off("changeScrollLeft",this.$onScrollLeftChange);var n=this.session.getSelection();n.off("changeCursor",this.$onCursorChange),n.off("changeSelection",this.$onSelectionChange)}this.session=e,e?(this.$onDocumentChange=this.onDocumentChange.bind(this),e.on("change",this.$onDocumentChange),this.renderer.setSession(e),this.$onChangeMode=this.onChangeMode.bind(this),e.on("changeMode",this.$onChangeMode),this.$onTokenizerUpdate=this.onTokenizerUpdate.bind(this),e.on("tokenizerUpdate",this.$onTokenizerUpdate),this.$onChangeTabSize=this.renderer.onChangeTabSize.bind(this.renderer),e.on("changeTabSize",this.$onChangeTabSize),this.$onChangeWrapLimit=this.onChangeWrapLimit.bind(this),e.on("changeWrapLimit",this.$onChangeWrapLimit),this.$onChangeWrapMode=this.onChangeWrapMode.bind(this),e.on("changeWrapMode",this.$onChangeWrapMode),this.$onChangeFold=this.onChangeFold.bind(this),e.on("changeFold",this.$onChangeFold),this.$onChangeFrontMarker=this.onChangeFrontMarker.bind(this),this.session.on("changeFrontMarker",this.$onChangeFrontMarker),this.$onChangeBackMarker=this.onChangeBackMarker.bind(this),this.session.on("changeBackMarker",this.$onChangeBackMarker),this.$onChangeBreakpoint=this.onChangeBreakpoint.bind(this),this.session.on("changeBreakpoint",this.$onChangeBreakpoint),this.$onChangeAnnotation=this.onChangeAnnotation.bind(this),this.session.on("changeAnnotation",this.$onChangeAnnotation),this.$onCursorChange=this.onCursorChange.bind(this),this.session.on("changeOverwrite",this.$onCursorChange),this.$onScrollTopChange=this.onScrollTopChange.bind(this),this.session.on("changeScrollTop",this.$onScrollTopChange),this.$onScrollLeftChange=this.onScrollLeftChange.bind(this),this.session.on("changeScrollLeft",this.$onScrollLeftChange),this.selection=e.getSelection(),this.selection.on("changeCursor",this.$onCursorChange),this.$onSelectionChange=this.onSelectionChange.bind(this),this.selection.on("changeSelection",this.$onSelectionChange),this.onChangeMode(),this.onCursorChange(),this.onScrollTopChange(),this.onScrollLeftChange(),this.onSelectionChange(),this.onChangeFrontMarker(),this.onChangeBackMarker(),this.onChangeBreakpoint(),this.onChangeAnnotation(),this.session.getUseWrapMode()&&this.renderer.adjustWrapLimit(),this.renderer.updateFull()):(this.selection=null,this.renderer.setSession(e)),this._signal("changeSession",{session:e,oldSession:t}),this.curOp=null,t&&t._signal("changeEditor",{oldEditor:this}),e&&e._signal("changeEditor",{editor:this}),e&&e.bgTokenizer&&e.bgTokenizer.scheduleStart()}},this.getSession=function(){return this.session},this.setValue=function(e,t){return this.session.doc.setValue(e),t?1==t?this.navigateFileEnd():-1==t&&this.navigateFileStart():this.selectAll(),e},this.getValue=function(){return this.session.getValue()},this.getSelection=function(){return this.selection},this.resize=function(e){this.renderer.onResize(e)},this.setTheme=function(e,t){this.renderer.setTheme(e,t)},this.getTheme=function(){return this.renderer.getTheme()},this.setStyle=function(e){this.renderer.setStyle(e)},this.unsetStyle=function(e){this.renderer.unsetStyle(e)},this.getFontSize=function(){return this.getOption("fontSize")||r.computedStyle(this.container).fontSize},this.setFontSize=function(e){this.setOption("fontSize",e)},this.$highlightBrackets=function(){if(this.session.$bracketHighlight&&(this.session.removeMarker(this.session.$bracketHighlight),this.session.$bracketHighlight=null),!this.$highlightPending){var e=this;this.$highlightPending=!0,setTimeout(function(){e.$highlightPending=!1;var t=e.session;if(t&&t.bgTokenizer){var n=t.findMatchingBracket(e.getCursorPosition());if(n)var i=new m(n.row,n.column,n.row,n.column+1);else t.$mode.getMatching&&(i=t.$mode.getMatching(e.session));i&&(t.$bracketHighlight=t.addMarker(i,"ace_bracket","text"))}},50)}},this.$highlightTags=function(){if(!this.$highlightTagPending){var e=this;this.$highlightTagPending=!0,setTimeout(function(){e.$highlightTagPending=!1;var t=e.session;if(t&&t.bgTokenizer){var n=e.getCursorPosition(),i=new v(e.session,n.row,n.column),r=i.getCurrentToken();if(!r||!/\b(?:tag-open|tag-name)/.test(r.type))return t.removeMarker(t.$tagHighlight),void(t.$tagHighlight=null);if(-1==r.type.indexOf("tag-open")||(r=i.stepForward())){var s=r.value,o=0,a=i.stepBackward();if("<"==a.value)do{a=r,(r=i.stepForward())&&r.value===s&&-1!==r.type.indexOf("tag-name")&&("<"===a.value?o++:"=0);else{do{r=a,a=i.stepBackward(),r&&r.value===s&&-1!==r.type.indexOf("tag-name")&&("<"===a.value?o++:"1||(e=!1)),t.$highlightLineMarker&&!e)t.removeMarker(t.$highlightLineMarker.id),t.$highlightLineMarker=null;else if(!t.$highlightLineMarker&&e){var n=new m(e.row,e.column,e.row,1/0);n.id=t.addMarker(n,"ace_active-line","screenLine"),t.$highlightLineMarker=n}else e&&(t.$highlightLineMarker.start.row=e.row,t.$highlightLineMarker.end.row=e.row,t.$highlightLineMarker.start.column=e.column,t._signal("changeBackMarker"))},this.onSelectionChange=function(e){var t=this.session;if(t.$selectionMarker&&t.removeMarker(t.$selectionMarker),t.$selectionMarker=null,this.selection.isEmpty())this.$updateHighlightActiveLine();else{var n=this.selection.getRange(),i=this.getSelectionStyle();t.$selectionMarker=t.addMarker(n,"ace_selection",i)}var r=this.$highlightSelectedWord&&this.$getSelectionHighLightRegexp();this.session.highlight(r),this._signal("changeSelection")},this.$getSelectionHighLightRegexp=function(){var e=this.session,t=this.getSelectionRange();if(!t.isEmpty()&&!t.isMultiLine()){var n=t.start.column,i=t.end.column,r=e.getLine(t.start.row),s=r.substring(n,i);if(!(s.length>5e3)&&/[\w\d]/.test(s)){var o=this.$search.$assembleRegExp({wholeWord:!0,caseSensitive:!0,needle:s}),a=r.substring(n-1,i+1);if(o.test(a))return o}}},this.onChangeFrontMarker=function(){this.renderer.updateFrontMarkers()},this.onChangeBackMarker=function(){this.renderer.updateBackMarkers()},this.onChangeBreakpoint=function(){this.renderer.updateBreakpoints()},this.onChangeAnnotation=function(){this.renderer.setAnnotations(this.session.getAnnotations())},this.onChangeMode=function(e){this.renderer.updateText(),this._emit("changeMode",e)},this.onChangeWrapLimit=function(){this.renderer.updateFull()},this.onChangeWrapMode=function(){this.renderer.onResize(!0)},this.onChangeFold=function(){this.$updateHighlightActiveLine(),this.renderer.updateFull()},this.getSelectedText=function(){return this.session.getTextRange(this.getSelectionRange())},this.getCopyText=function(){var e=this.getSelectedText(),t=this.session.doc.getNewLineCharacter(),n=!1;if(!e&&this.$copyWithEmptySelection){n=!0;for(var i=this.selection.getAllRanges(),r=0;ra.search(/\S|$/)){var l=a.substr(r.column).search(/\S|$/);n.doc.removeInLine(r.row,r.column,r.column+l)}}this.clearSelection();var c=r.column,u=n.getState(r.row),h=(a=n.getLine(r.row),i.checkOutdent(u,a,e));if(n.insert(r,e),s&&s.selection&&(2==s.selection.length?this.selection.setSelectionRange(new m(r.row,c+s.selection[0],r.row,c+s.selection[1])):this.selection.setSelectionRange(new m(r.row+s.selection[0],s.selection[1],r.row+s.selection[2],s.selection[3]))),n.getDocument().isNewLine(e)){var d=i.getNextLineIndent(u,a.slice(0,r.column),n.getTabString());n.insert({row:r.row+1,column:0},d)}h&&i.autoOutdent(u,n,r.row)},this.onTextInput=function(e,t){if(!t)return this.keyBinding.onTextInput(e);this.startOperation({command:{name:"insertstring"}});var n=this.applyComposition.bind(this,e,t);this.selection.rangeCount?this.forEachSelection(n):n(),this.endOperation()},this.applyComposition=function(e,t){var n;(t.extendLeft||t.extendRight)&&((n=this.selection.getRange()).start.column-=t.extendLeft,n.end.column+=t.extendRight,this.selection.setRange(n),e||n.isEmpty()||this.remove()),!e&&this.selection.isEmpty()||this.insert(e,!0),(t.restoreStart||t.restoreEnd)&&((n=this.selection.getRange()).start.column-=t.restoreStart,n.end.column-=t.restoreEnd,this.selection.setRange(n))},this.onCommandKey=function(e,t,n){return this.keyBinding.onCommandKey(e,t,n)},this.setOverwrite=function(e){this.session.setOverwrite(e)},this.getOverwrite=function(){return this.session.getOverwrite()},this.toggleOverwrite=function(){this.session.toggleOverwrite()},this.setScrollSpeed=function(e){this.setOption("scrollSpeed",e)},this.getScrollSpeed=function(){return this.getOption("scrollSpeed")},this.setDragDelay=function(e){this.setOption("dragDelay",e)},this.getDragDelay=function(){return this.getOption("dragDelay")},this.setSelectionStyle=function(e){this.setOption("selectionStyle",e)},this.getSelectionStyle=function(){return this.getOption("selectionStyle")},this.setHighlightActiveLine=function(e){this.setOption("highlightActiveLine",e)},this.getHighlightActiveLine=function(){return this.getOption("highlightActiveLine")},this.setHighlightGutterLine=function(e){this.setOption("highlightGutterLine",e)},this.getHighlightGutterLine=function(){return this.getOption("highlightGutterLine")},this.setHighlightSelectedWord=function(e){this.setOption("highlightSelectedWord",e)},this.getHighlightSelectedWord=function(){return this.$highlightSelectedWord},this.setAnimatedScroll=function(e){this.renderer.setAnimatedScroll(e)},this.getAnimatedScroll=function(){return this.renderer.getAnimatedScroll()},this.setShowInvisibles=function(e){this.renderer.setShowInvisibles(e)},this.getShowInvisibles=function(){return this.renderer.getShowInvisibles()},this.setDisplayIndentGuides=function(e){this.renderer.setDisplayIndentGuides(e)},this.getDisplayIndentGuides=function(){return this.renderer.getDisplayIndentGuides()},this.setShowPrintMargin=function(e){this.renderer.setShowPrintMargin(e)},this.getShowPrintMargin=function(){return this.renderer.getShowPrintMargin()},this.setPrintMarginColumn=function(e){this.renderer.setPrintMarginColumn(e)},this.getPrintMarginColumn=function(){return this.renderer.getPrintMarginColumn()},this.setReadOnly=function(e){this.setOption("readOnly",e)},this.getReadOnly=function(){return this.getOption("readOnly")},this.setBehavioursEnabled=function(e){this.setOption("behavioursEnabled",e)},this.getBehavioursEnabled=function(){return this.getOption("behavioursEnabled")},this.setWrapBehavioursEnabled=function(e){this.setOption("wrapBehavioursEnabled",e)},this.getWrapBehavioursEnabled=function(){return this.getOption("wrapBehavioursEnabled")},this.setShowFoldWidgets=function(e){this.setOption("showFoldWidgets",e)},this.getShowFoldWidgets=function(){return this.getOption("showFoldWidgets")},this.setFadeFoldWidgets=function(e){this.setOption("fadeFoldWidgets",e)},this.getFadeFoldWidgets=function(){return this.getOption("fadeFoldWidgets")},this.remove=function(e){this.selection.isEmpty()&&("left"==e?this.selection.selectLeft():this.selection.selectRight());var t=this.getSelectionRange();if(this.getBehavioursEnabled()){var n=this.session,i=n.getState(t.start.row),r=n.getMode().transformAction(i,"deletion",this,n,t);if(0===t.end.column){var s=n.getTextRange(t);if("\n"==s[s.length-1]){var o=n.getLine(t.end.row);/^\s+$/.test(o)&&(t.end.column=o.length)}}r&&(t=r)}this.session.remove(t),this.clearSelection()},this.removeWordRight=function(){this.selection.isEmpty()&&this.selection.selectWordRight(),this.session.remove(this.getSelectionRange()),this.clearSelection()},this.removeWordLeft=function(){this.selection.isEmpty()&&this.selection.selectWordLeft(),this.session.remove(this.getSelectionRange()),this.clearSelection()},this.removeToLineStart=function(){this.selection.isEmpty()&&this.selection.selectLineStart(),this.selection.isEmpty()&&this.selection.selectLeft(),this.session.remove(this.getSelectionRange()),this.clearSelection()},this.removeToLineEnd=function(){this.selection.isEmpty()&&this.selection.selectLineEnd();var e=this.getSelectionRange();e.start.column==e.end.column&&e.start.row==e.end.row&&(e.end.column=0,e.end.row++),this.session.remove(e),this.clearSelection()},this.splitLine=function(){this.selection.isEmpty()||(this.session.remove(this.getSelectionRange()),this.clearSelection());var e=this.getCursorPosition();this.insert("\n"),this.moveCursorToPosition(e)},this.transposeLetters=function(){if(this.selection.isEmpty()){var e=this.getCursorPosition(),t=e.column;if(0!==t){var n,i,r=this.session.getLine(e.row);tt.toLowerCase()?1:0});var r=new m(0,0,0,0);for(i=e.first;i<=e.last;i++){var s=t.getLine(i);r.start.row=i,r.end.row=i,r.end.column=s.length,t.replace(r,n[i-e.first])}},this.toggleCommentLines=function(){var e=this.session.getState(this.getCursorPosition().row),t=this.$getSelectedRows();this.session.getMode().toggleCommentLines(e,this.session,t.first,t.last)},this.toggleBlockComment=function(){var e=this.getCursorPosition(),t=this.session.getState(e.row),n=this.getSelectionRange();this.session.getMode().toggleBlockComment(t,this.session,n,e)},this.getNumberAt=function(e,t){var n=/[\-]?[0-9]+(?:\.[0-9]+)?/g;n.lastIndex=0;for(var i=this.session.getLine(e);n.lastIndex=t)return{value:r[0],start:r.index,end:r.index+r[0].length}}return null},this.modifyNumber=function(e){var t=this.selection.getCursor().row,n=this.selection.getCursor().column,i=new m(t,n-1,t,n),r=this.session.getTextRange(i);if(!isNaN(parseFloat(r))&&isFinite(r)){var s=this.getNumberAt(t,n);if(s){var o=s.value.indexOf(".")>=0?s.start+s.value.indexOf(".")+1:s.end,a=s.start+s.value.length-o,l=parseFloat(s.value);l*=Math.pow(10,a),o!==s.end&&n=a&&o<=l&&(n=t,c.selection.clearSelection(),c.moveCursorTo(e,a+i),c.selection.selectTo(e,l+i)),a=l});for(var u,h=this.$toggleWordPairs,d=0;dm+1)break;m=p.last}for(u--,a=this.session.$moveLines(d,m,t?0:e),t&&-1==e&&(h=u+1);h<=u;)o[h].moveBy(a,0),h++;t||(a=0),l+=a}r.fromOrientedRange(r.ranges[0]),r.rangeList.attach(this.session),this.inVirtualSelectionMode=!1}},this.$getSelectedRows=function(e){return e=(e||this.getSelectionRange()).collapseRows(),{first:this.session.getRowFoldStart(e.start.row),last:this.session.getRowFoldEnd(e.end.row)}},this.onCompositionStart=function(e){this.renderer.showComposition(e)},this.onCompositionUpdate=function(e){this.renderer.setCompositionText(e)},this.onCompositionEnd=function(){this.renderer.hideComposition()},this.getFirstVisibleRow=function(){return this.renderer.getFirstVisibleRow()},this.getLastVisibleRow=function(){return this.renderer.getLastVisibleRow()},this.isRowVisible=function(e){return e>=this.getFirstVisibleRow()&&e<=this.getLastVisibleRow()},this.isRowFullyVisible=function(e){return e>=this.renderer.getFirstFullyVisibleRow()&&e<=this.renderer.getLastFullyVisibleRow()},this.$getVisibleRowCount=function(){return this.renderer.getScrollBottomRow()-this.renderer.getScrollTopRow()+1},this.$moveByPage=function(e,t){var n=this.renderer,i=this.renderer.layerConfig,r=e*Math.floor(i.height/i.lineHeight);!0===t?this.selection.$moveSelection(function(){this.moveCursorBy(r,0)}):!1===t&&(this.selection.moveCursorBy(r,0),this.selection.clearSelection());var s=n.scrollTop;n.scrollBy(0,r*i.lineHeight),null!=t&&n.scrollCursorIntoView(null,.5),n.animateScrolling(s)},this.selectPageDown=function(){this.$moveByPage(1,!0)},this.selectPageUp=function(){this.$moveByPage(-1,!0)},this.gotoPageDown=function(){this.$moveByPage(1,!1)},this.gotoPageUp=function(){this.$moveByPage(-1,!1)},this.scrollPageDown=function(){this.$moveByPage(1)},this.scrollPageUp=function(){this.$moveByPage(-1)},this.scrollToRow=function(e){this.renderer.scrollToRow(e)},this.scrollToLine=function(e,t,n,i){this.renderer.scrollToLine(e,t,n,i)},this.centerSelection=function(){var e=this.getSelectionRange(),t={row:Math.floor(e.start.row+(e.end.row-e.start.row)/2),column:Math.floor(e.start.column+(e.end.column-e.start.column)/2)};this.renderer.alignCursor(t,.5)},this.getCursorPosition=function(){return this.selection.getCursor()},this.getCursorPositionScreen=function(){return this.session.documentToScreenPosition(this.getCursorPosition())},this.getSelectionRange=function(){return this.selection.getRange()},this.selectAll=function(){this.selection.selectAll()},this.clearSelection=function(){this.selection.clearSelection()},this.moveCursorTo=function(e,t){this.selection.moveCursorTo(e,t)},this.moveCursorToPosition=function(e){this.selection.moveCursorToPosition(e)},this.jumpToMatching=function(e,t){var n=this.getCursorPosition(),i=new v(this.session,n.row,n.column),r=i.getCurrentToken(),s=r||i.stepForward();if(s){var o,a,l=!1,c={},u=n.column-s.start,h={")":"(","(":"(","]":"[","[":"[","{":"{","}":"{"};do{if(s.value.match(/[{}()\[\]]/g)){for(;u=0;--s)this.$tryReplace(n[s],e)&&i++;return this.selection.setSelectionRange(r),i},this.$tryReplace=function(e,t){var n=this.session.getTextRange(e);return null!==(t=this.$search.replace(n,t))?(e.end=this.session.replace(e,t),e):null},this.getLastSearchOptions=function(){return this.$search.getOptions()},this.find=function(e,t,n){t||(t={}),"string"==typeof e||e instanceof RegExp?t.needle=e:"object"==typeof e&&i.mixin(t,e);var r=this.selection.getRange();null==t.needle&&((e=this.session.getTextRange(r)||this.$search.$options.needle)||(r=this.session.getWordRange(r.start.row,r.start.column),e=this.session.getTextRange(r)),this.$search.set({needle:e})),this.$search.set(t),t.start||this.$search.set({start:r});var s=this.$search.find(this.session);return t.preventScroll?s:s?(this.revealRange(s,n),s):(t.backwards?r.start=r.end:r.end=r.start,void this.selection.setRange(r))},this.findNext=function(e,t){this.find({skipCurrent:!0,backwards:!1},e,t)},this.findPrevious=function(e,t){this.find(e,{skipCurrent:!0,backwards:!0},t)},this.revealRange=function(e,t){this.session.unfold(e),this.selection.setSelectionRange(e);var n=this.renderer.scrollTop;this.renderer.scrollSelectionIntoView(e.start,e.end,.5),!1!==t&&this.renderer.animateScrolling(n)},this.undo=function(){this.session.getUndoManager().undo(this.session),this.renderer.scrollCursorIntoView(null,.5)},this.redo=function(){this.session.getUndoManager().redo(this.session),this.renderer.scrollCursorIntoView(null,.5)},this.destroy=function(){this.renderer.destroy(),this._signal("destroy",this),this.session&&this.session.destroy()},this.setAutoScrollEditorIntoView=function(e){if(e){var t,n=this,i=!1;this.$scrollAnchor||(this.$scrollAnchor=document.createElement("div"));var r=this.$scrollAnchor;r.style.cssText="position:absolute",this.container.insertBefore(r,this.container.firstChild);var s=this.on("changeSelection",function(){i=!0}),o=this.renderer.on("beforeRender",function(){i&&(t=n.renderer.container.getBoundingClientRect())}),a=this.renderer.on("afterRender",function(){if(i&&t&&(n.isFocused()||n.searchBox&&n.searchBox.isFocused())){var e=n.renderer,s=e.$cursorLayer.$pixelPos,o=e.layerConfig,a=s.top-o.offset;null!=(i=s.top>=0&&a+t.top<0||!(s.topwindow.innerHeight)&&null)&&(r.style.top=a+"px",r.style.left=s.left+"px",r.style.height=o.lineHeight+"px",r.scrollIntoView(i)),i=t=null}});this.setAutoScrollEditorIntoView=function(e){e||(delete this.setAutoScrollEditorIntoView,this.off("changeSelection",s),this.renderer.off("afterRender",a),this.renderer.off("beforeRender",o))}}},this.$resetCursorStyle=function(){var e=this.$cursorStyle||"ace",t=this.renderer.$cursorLayer;t&&(t.setSmoothBlinking(/smooth/.test(e)),t.isBlinking=!this.$readOnly&&"wide"!=e,r.setCssClass(t.element,"ace_slim-cursors",/slim/.test(e)))},this.prompt=function(e,t,n){var i=this;E.loadModule("./ext/prompt",function(r){r.prompt(i,e,t,n)})}}.call(C.prototype),E.defineOptions(C.prototype,"editor",{selectionStyle:{set:function(e){this.onSelectionChange(),this._signal("changeSelectionStyle",{data:e})},initialValue:"line"},highlightActiveLine:{set:function(){this.$updateHighlightActiveLine()},initialValue:!0},highlightSelectedWord:{set:function(e){this.$onSelectionChange()},initialValue:!0},readOnly:{set:function(e){this.textInput.setReadOnly(e),this.$resetCursorStyle()},initialValue:!1},copyWithEmptySelection:{set:function(e){this.textInput.setCopyWithEmptySelection(e)},initialValue:!1},cursorStyle:{set:function(e){this.$resetCursorStyle()},values:["ace","slim","smooth","wide"],initialValue:"ace"},mergeUndoDeltas:{values:[!1,!0,"always"],initialValue:!0},behavioursEnabled:{initialValue:!0},wrapBehavioursEnabled:{initialValue:!0},autoScrollEditorIntoView:{set:function(e){this.setAutoScrollEditorIntoView(e)}},keyboardHandler:{set:function(e){this.setKeyboardHandler(e)},get:function(){return this.$keybindingId},handlesSet:!0},value:{set:function(e){this.session.setValue(e)},get:function(){return this.getValue()},handlesSet:!0,hidden:!0},session:{set:function(e){this.setSession(e)},get:function(){return this.session},handlesSet:!0,hidden:!0},showLineNumbers:{set:function(e){this.renderer.$gutterLayer.setShowLineNumbers(e),this.renderer.$loop.schedule(this.renderer.CHANGE_GUTTER),e&&this.$relativeLineNumbers?A.attach(this):A.detach(this)},initialValue:!0},relativeLineNumbers:{set:function(e){this.$showLineNumbers&&e?A.attach(this):A.detach(this)}},placeholder:{set:function(e){this.$updatePlaceholder||(this.$updatePlaceholder=function(){var e=this.renderer.$composition||this.getValue();if(e&&this.renderer.placeholderNode)this.renderer.off("afterRender",this.$updatePlaceholder),r.removeCssClass(this.container,"ace_hasPlaceholder"),this.renderer.placeholderNode.remove(),this.renderer.placeholderNode=null;else if(!e&&!this.renderer.placeholderNode){this.renderer.on("afterRender",this.$updatePlaceholder),r.addCssClass(this.container,"ace_hasPlaceholder");var t=r.createElement("div");t.className="ace_placeholder",t.textContent=this.$placeholder||"",this.renderer.placeholderNode=t,this.renderer.content.appendChild(this.renderer.placeholderNode)}}.bind(this),this.on("input",this.$updatePlaceholder)),this.$updatePlaceholder()}},hScrollBarAlwaysVisible:"renderer",vScrollBarAlwaysVisible:"renderer",highlightGutterLine:"renderer",animatedScroll:"renderer",showInvisibles:"renderer",showPrintMargin:"renderer",printMarginColumn:"renderer",printMargin:"renderer",fadeFoldWidgets:"renderer",showFoldWidgets:"renderer",displayIndentGuides:"renderer",showGutter:"renderer",fontSize:"renderer",fontFamily:"renderer",maxLines:"renderer",minLines:"renderer",scrollPastEnd:"renderer",fixedWidthGutter:"renderer",theme:"renderer",hasCssTransforms:"renderer",maxPixelHeight:"renderer",useTextareaForIME:"renderer",scrollSpeed:"$mouseHandler",dragDelay:"$mouseHandler",dragEnabled:"$mouseHandler",focusTimeout:"$mouseHandler",tooltipFollowsMouse:"$mouseHandler",firstLineNumber:"session",overwrite:"session",newLineMode:"session",useWorker:"session",useSoftTabs:"session",navigateWithinSoftTabs:"session",tabSize:"session",wrap:"session",indentedSoftWrap:"session",foldStyle:"session",mode:"session"});var A={getText:function(e,t){return(Math.abs(e.selection.lead.row-t)||t+1+(t<9?"·":""))+""},getWidth:function(e,t,n){return Math.max(t.toString().length,(n.lastRow+1).toString().length,2)*n.characterWidth},update:function(e,t){t.renderer.$loop.schedule(t.renderer.CHANGE_GUTTER)},attach:function(e){e.renderer.$gutterLayer.$renderer=this,e.on("changeSelection",this.update),this.update(null,e)},detach:function(e){e.renderer.$gutterLayer.$renderer==this&&(e.renderer.$gutterLayer.$renderer=null),e.off("changeSelection",this.update),this.update(null,e)}};t.Editor=C}),ace.define("ace/undomanager",["require","exports","module","ace/range"],function(e,t,n){"use strict";var i=function(){this.$maxRev=0,this.$fromUndo=!1,this.reset()};(function(){this.addSession=function(e){this.$session=e},this.add=function(e,t,n){this.$fromUndo||e!=this.$lastDelta&&(!1!==t&&this.lastDeltas||(this.lastDeltas=[],this.$undoStack.push(this.lastDeltas),e.id=this.$rev=++this.$maxRev),"remove"!=e.action&&"insert"!=e.action||(this.$lastDelta=e),this.lastDeltas.push(e))},this.addSelection=function(e,t){this.selections.push({value:e,rev:t||this.$rev})},this.startNewGroup=function(){return this.lastDeltas=null,this.$rev},this.markIgnored=function(e,t){null==t&&(t=this.$rev+1);for(var n=this.$undoStack,i=n.length;i--;){var r=n[i][0];if(r.id<=e)break;r.id0},this.canRedo=function(){return this.$redoStack.length>0},this.bookmark=function(e){null==e&&(e=this.$rev),this.mark=e},this.isAtBookmark=function(){return this.$rev===this.mark},this.toJSON=function(){},this.fromJSON=function(){},this.hasUndo=this.canUndo,this.hasRedo=this.canRedo,this.isClean=this.isAtBookmark,this.markClean=this.bookmark,this.$prettyPrint=function(e){return e?a(e):a(this.$undoStack)+"\n---\n"+a(this.$redoStack)}}).call(i.prototype);var r=e("./range").Range,s=r.comparePoints;function o(e){return{row:e.row,column:e.column}}function a(e){if(e=e||this,Array.isArray(e))return e.map(a).join("\n");var t="";return e.action?(t="insert"==e.action?"+":"-",t+="["+e.lines+"]"):e.value&&(t=Array.isArray(e.value)?e.value.map(l).join("\n"):l(e.value)),e.start&&(t+=l(e)),(e.id||e.rev)&&(t+="\t("+(e.id||e.rev)+")"),t}function l(e){return e.start.row+":"+e.start.column+"=>"+e.end.row+":"+e.end.column}function c(e,t){var n="insert"==e.action,i="insert"==t.action;if(n&&i)if(s(t.start,e.end)>=0)d(t,e,-1);else{if(!(s(t.start,e.start)<=0))return null;d(e,t,1)}else if(n&&!i)if(s(t.start,e.end)>=0)d(t,e,-1);else{if(!(s(t.end,e.start)<=0))return null;d(e,t,-1)}else if(!n&&i)if(s(t.start,e.start)>=0)d(t,e,1);else{if(!(s(t.start,e.start)<=0))return null;d(e,t,1)}else if(!n&&!i)if(s(t.start,e.start)>=0)d(t,e,1);else{if(!(s(t.end,e.start)<=0))return null;d(e,t,-1)}return[t,e]}function u(e,t){for(var n=e.length;n--;)for(var i=0;i=0?d(e,t,-1):(s(e.start,t.start)<=0||d(e,r.fromPoints(t.start,e.start),-1),d(t,e,1));else if(!n&&i)s(t.start,e.end)>=0?d(t,e,-1):(s(t.start,e.start)<=0||d(t,r.fromPoints(e.start,t.start),-1),d(e,t,1));else if(!n&&!i)if(s(t.start,e.end)>=0)d(t,e,-1);else{var o,a;if(!(s(t.end,e.start)<=0))return s(e.start,t.start)<0&&(o=e,e=p(e,t.start)),s(e.end,t.end)>0&&(a=p(e,t.end)),m(t.end,e.start,e.end,-1),a&&!o&&(e.lines=a.lines,e.start=a.start,e.end=a.end,a=e),[t,o,a].filter(Boolean);d(e,t,-1)}return[t,e]}function d(e,t,n){m(e.start,t.start,t.end,n),m(e.end,t.start,t.end,n)}function m(e,t,n,i){e.row==(1==i?t:n).row&&(e.column+=i*(n.column-t.column)),e.row+=i*(n.row-t.row)}function p(e,t){var n=e.lines,i=e.end;e.end=o(t);var r=e.end.row-e.start.row,s=n.splice(r,n.length),a=r?t.column:t.column-e.start.column;return n.push(s[0].substring(0,a)),s[0]=s[0].substr(a),{start:o(t),end:i,lines:s,action:e.action}}function g(e,t){t=function(e){return{start:o(e.start),end:o(e.end),action:e.action,lines:e.lines.slice()}}(t);for(var n=e.length;n--;){for(var i=e[n],r=0;rs&&(l=r.end.row+1,s=(r=t.getNextFoldLine(l,r))?r.start.row:1/0),l>i){for(;this.$lines.getLength()>a+1;)this.$lines.pop();break}(o=this.$lines.get(++a))?o.row=l:(o=this.$lines.createCell(l,e,this.session,c),this.$lines.push(o)),this.$renderCell(o,e,r,l),l++}this._signal("afterRender"),this.$updateGutterWidth(e)},this.$updateGutterWidth=function(e){var t=this.session,n=t.gutterRenderer||this.$renderer,i=t.$firstLineNumber,r=this.$lines.last()?this.$lines.last().text:"";(this.$fixedWidth||t.$useWrapMode)&&(r=t.getLength()+i-1);var s=n?n.getWidth(t,r,e):r.toString().length*e.characterWidth,o=this.$padding||this.$computePadding();(s+=o.left+o.right)===this.gutterWidth||isNaN(s)||(this.gutterWidth=s,this.element.parentNode.style.width=this.element.style.width=Math.ceil(this.gutterWidth)+"px",this._signal("changeGutterWidth",s))},this.$updateCursorRow=function(){if(this.$highlightGutterLine){var e=this.session.selection.getCursor();this.$cursorRow!==e.row&&(this.$cursorRow=e.row)}},this.updateLineHighlight=function(){if(this.$highlightGutterLine){var e=this.session.selection.cursor.row;if(this.$cursorRow=e,!this.$cursorCell||this.$cursorCell.row!=e){this.$cursorCell&&(this.$cursorCell.element.className=this.$cursorCell.element.className.replace("ace_gutter-active-line ",""));var t=this.$lines.cells;this.$cursorCell=null;for(var n=0;n=this.$cursorRow){if(i.row>this.$cursorRow){var r=this.session.getFoldLine(this.$cursorRow);if(!(n>0&&r&&r.start.row==t[n-1].row))break;i=t[n-1]}i.element.className="ace_gutter-active-line "+i.element.className,this.$cursorCell=i;break}}}}},this.scrollLines=function(e){var t=this.config;if(this.config=e,this.$updateCursorRow(),this.$lines.pageChanged(t,e))return this.update(e);this.$lines.moveContainer(e);var n=Math.min(e.lastRow+e.gutterOffset,this.session.getLength()-1),i=this.oldLastRow;if(this.oldLastRow=n,!t||i0;r--)this.$lines.shift();if(i>n)for(r=this.session.getFoldedRowCount(n+1,i);r>0;r--)this.$lines.pop();e.firstRowi&&this.$lines.push(this.$renderLines(e,i+1,n)),this.updateLineHighlight(),this._signal("afterRender"),this.$updateGutterWidth(e)},this.$renderLines=function(e,t,n){for(var i=[],r=t,s=this.session.getNextFoldLine(r),o=s?s.start.row:1/0;r>o&&(r=s.end.row+1,o=(s=this.session.getNextFoldLine(r,s))?s.start.row:1/0),!(r>n);){var a=this.$lines.createCell(r,e,this.session,c);this.$renderCell(a,e,s,r),i.push(a),r++}return i},this.$renderCell=function(e,t,n,r){var s=e.element,o=this.session,a=s.childNodes[0],l=s.childNodes[1],c=o.$firstLineNumber,u=o.$breakpoints,h=o.$decorations,d=o.gutterRenderer||this.$renderer,m=this.$showFoldWidgets&&o.foldWidgets,p=n?n.start.row:Number.MAX_VALUE,g="ace_gutter-cell ";if(this.$highlightGutterLine&&(r==this.$cursorRow||n&&r=p&&this.$cursorRow<=n.end.row)&&(g+="ace_gutter-active-line ",this.$cursorCell!=e&&(this.$cursorCell&&(this.$cursorCell.element.className=this.$cursorCell.element.className.replace("ace_gutter-active-line ","")),this.$cursorCell=e)),u[r]&&(g+=u[r]),h[r]&&(g+=h[r]),this.$annotations[r]&&(g+=this.$annotations[r].className),s.className!=g&&(s.className=g),m){var f=m[r];null==f&&(f=m[r]=o.getFoldWidget(r))}if(f){g="ace_fold-widget ace_"+f,"start"==f&&r==p&&rn.right-t.right?"foldWidgets":void 0}}).call(l.prototype),t.Gutter=l}),ace.define("ace/layer/marker",["require","exports","module","ace/range","ace/lib/dom"],function(e,t,n){"use strict";var i=e("../range").Range,r=e("../lib/dom"),s=function(e){this.element=r.createElement("div"),this.element.className="ace_layer ace_marker-layer",e.appendChild(this.element)};(function(){function e(e,t,n,i){return(e?1:0)|(t?2:0)|(n?4:0)|(i?8:0)}this.$padding=0,this.setPadding=function(e){this.$padding=e},this.setSession=function(e){this.session=e},this.setMarkers=function(e){this.markers=e},this.elt=function(e,t){var n=-1!=this.i&&this.element.childNodes[this.i];n?this.i++:(n=document.createElement("div"),this.element.appendChild(n),this.i=-1),n.style.cssText=t,n.className=e},this.update=function(e){if(e){var t;for(var n in this.config=e,this.i=0,this.markers){var i=this.markers[n];if(i.range){var r=i.range.clipRows(e.firstRow,e.lastRow);if(!r.isEmpty())if(r=r.toScreenRange(this.session),i.renderer){var s=this.$getTop(r.start.row,e),o=this.$padding+r.start.column*e.characterWidth;i.renderer(t,r,o,s,e)}else"fullLine"==i.type?this.drawFullLineMarker(t,r,i.clazz,e):"screenLine"==i.type?this.drawScreenLineMarker(t,r,i.clazz,e):r.isMultiLine()?"text"==i.type?this.drawTextMarker(t,r,i.clazz,e):this.drawMultiLineMarker(t,r,i.clazz,e):this.drawSingleLineMarker(t,r,i.clazz+" ace_start ace_br15",e)}else i.update(t,this,this.session,e)}if(-1!=this.i)for(;this.im,u==c),s,u==c?0:1,o)},this.drawMultiLineMarker=function(e,t,n,i,r){var s=this.$padding,o=i.lineHeight,a=this.$getTop(t.start.row,i),l=s+t.start.column*i.characterWidth;if(r=r||"",this.session.$bidiHandler.isBidiRow(t.start.row)?((c=t.clone()).end.row=c.start.row,c.end.column=this.session.getLine(c.start.row).length,this.drawBidiSingleLineMarker(e,c,n+" ace_br1 ace_start",i,null,r)):this.elt(n+" ace_br1 ace_start","height:"+o+"px;right:0;top:"+a+"px;left:"+l+"px;"+(r||"")),this.session.$bidiHandler.isBidiRow(t.end.row)){var c;(c=t.clone()).start.row=c.end.row,c.start.column=0,this.drawBidiSingleLineMarker(e,c,n+" ace_br12",i,null,r)}else{a=this.$getTop(t.end.row,i);var u=t.end.column*i.characterWidth;this.elt(n+" ace_br12","height:"+o+"px;width:"+u+"px;top:"+a+"px;left:"+s+"px;"+(r||""))}if(!((o=(t.end.row-t.start.row-1)*i.lineHeight)<=0)){a=this.$getTop(t.start.row+1,i);var h=(t.start.column?1:0)|(t.end.column?0:8);this.elt(n+(h?" ace_br"+h:""),"height:"+o+"px;right:0;top:"+a+"px;left:"+s+"px;"+(r||""))}},this.drawSingleLineMarker=function(e,t,n,i,r,s){if(this.session.$bidiHandler.isBidiRow(t.start.row))return this.drawBidiSingleLineMarker(e,t,n,i,r,s);var o=i.lineHeight,a=(t.end.column+(r||0)-t.start.column)*i.characterWidth,l=this.$getTop(t.start.row,i),c=this.$padding+t.start.column*i.characterWidth;this.elt(n,"height:"+o+"px;width:"+a+"px;top:"+l+"px;left:"+c+"px;"+(s||""))},this.drawBidiSingleLineMarker=function(e,t,n,i,r,s){var o=i.lineHeight,a=this.$getTop(t.start.row,i),l=this.$padding;this.session.$bidiHandler.getSelections(t.start.column,t.end.column).forEach(function(e){this.elt(n,"height:"+o+"px;width:"+e.width+(r||0)+"px;top:"+a+"px;left:"+(l+e.left)+"px;"+(s||""))},this)},this.drawFullLineMarker=function(e,t,n,i,r){var s=this.$getTop(t.start.row,i),o=i.lineHeight;t.start.row!=t.end.row&&(o+=this.$getTop(t.end.row,i)-s),this.elt(n,"height:"+o+"px;top:"+s+"px;left:0;right:0;"+(r||""))},this.drawScreenLineMarker=function(e,t,n,i,r){var s=this.$getTop(t.start.row,i),o=i.lineHeight;this.elt(n,"height:"+o+"px;top:"+s+"px;left:0;right:0;"+(r||""))}}).call(s.prototype),t.Marker=s}),ace.define("ace/layer/text",["require","exports","module","ace/lib/oop","ace/lib/dom","ace/lib/lang","ace/layer/lines","ace/lib/event_emitter"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("../lib/dom"),s=e("../lib/lang"),o=e("./lines").Lines,a=e("../lib/event_emitter").EventEmitter,l=function(e){this.dom=r,this.element=this.dom.createElement("div"),this.element.className="ace_layer ace_text-layer",e.appendChild(this.element),this.$updateEolChar=this.$updateEolChar.bind(this),this.$lines=new o(this.element)};(function(){i.implement(this,a),this.EOF_CHAR="¶",this.EOL_CHAR_LF="¬",this.EOL_CHAR_CRLF="¤",this.EOL_CHAR=this.EOL_CHAR_LF,this.TAB_CHAR="—",this.SPACE_CHAR="·",this.$padding=0,this.MAX_LINE_LENGTH=1e4,this.$updateEolChar=function(){var e=this.session.doc,t="\n"==e.getNewLineCharacter()&&"windows"!=e.getNewLineMode()?this.EOL_CHAR_LF:this.EOL_CHAR_CRLF;if(this.EOL_CHAR!=t)return this.EOL_CHAR=t,!0},this.setPadding=function(e){this.$padding=e,this.element.style.margin="0 "+e+"px"},this.getLineHeight=function(){return this.$fontMetrics.$characterSize.height||0},this.getCharacterWidth=function(){return this.$fontMetrics.$characterSize.width||0},this.$setFontMetrics=function(e){this.$fontMetrics=e,this.$fontMetrics.on("changeCharacterSize",function(e){this._signal("changeCharacterSize",e)}.bind(this)),this.$pollSizeChanges()},this.checkForSizeChanges=function(){this.$fontMetrics.checkForSizeChanges()},this.$pollSizeChanges=function(){return this.$pollSizeChangesTimer=this.$fontMetrics.$pollSizeChanges()},this.setSession=function(e){this.session=e,e&&this.$computeTabString()},this.showInvisibles=!1,this.setShowInvisibles=function(e){return this.showInvisibles!=e&&(this.showInvisibles=e,this.$computeTabString(),!0)},this.displayIndentGuides=!0,this.setDisplayIndentGuides=function(e){return this.displayIndentGuides!=e&&(this.displayIndentGuides=e,this.$computeTabString(),!0)},this.$tabStrings=[],this.onChangeTabSize=this.$computeTabString=function(){var e=this.session.getTabSize();this.tabSize=e;for(var t=this.$tabStrings=[0],n=1;nu&&(a=l.end.row+1,u=(l=this.session.getNextFoldLine(a,l))?l.start.row:1/0),!(a>r);){var h=s[o++];if(h){this.dom.removeChildren(h),this.$renderLine(h,a,a==u&&l),c&&(h.style.top=this.$lines.computeLineTop(a,e,this.session)+"px");var d=e.lineHeight*this.session.getRowLength(a)+"px";h.style.height!=d&&(c=!0,h.style.height=d)}a++}if(c)for(;o0;r--)this.$lines.shift();if(t.lastRow>e.lastRow)for(r=this.session.getFoldedRowCount(e.lastRow+1,t.lastRow);r>0;r--)this.$lines.pop();e.firstRowt.lastRow&&this.$lines.push(this.$renderLinesFragment(e,t.lastRow+1,e.lastRow))},this.$renderLinesFragment=function(e,t,n){for(var i=[],s=t,o=this.session.getNextFoldLine(s),a=o?o.start.row:1/0;s>a&&(s=o.end.row+1,a=(o=this.session.getNextFoldLine(s,o))?o.start.row:1/0),!(s>n);){var l=this.$lines.createCell(s,e,this.session),c=l.element;this.dom.removeChildren(c),r.setStyle(c.style,"height",this.$lines.computeLineHeight(s,e,this.session)+"px"),r.setStyle(c.style,"top",this.$lines.computeLineTop(s,e,this.session)+"px"),this.$renderLine(c,s,s==a&&o),this.$useLineGroups()?c.className="ace_line_group":c.className="ace_line",i.push(l),s++}return i},this.update=function(e){this.$lines.moveContainer(e),this.config=e;for(var t=e.firstRow,n=e.lastRow,i=this.$lines;i.getLength();)i.pop();i.push(this.$renderLinesFragment(e,t,n))},this.$textToken={text:!0,rparen:!0,lparen:!0},this.$renderToken=function(e,t,n,i){for(var r,o=this,a=/(\t)|( +)|([\x00-\x1f\x80-\xa0\xad\u1680\u180E\u2000-\u200f\u2028\u2029\u202F\u205F\uFEFF\uFFF9-\uFFFC]+)|(\u3000)|([\u1100-\u115F\u11A3-\u11A7\u11FA-\u11FF\u2329-\u232A\u2E80-\u2E99\u2E9B-\u2EF3\u2F00-\u2FD5\u2FF0-\u2FFB\u3001-\u303E\u3041-\u3096\u3099-\u30FF\u3105-\u312D\u3131-\u318E\u3190-\u31BA\u31C0-\u31E3\u31F0-\u321E\u3220-\u3247\u3250-\u32FE\u3300-\u4DBF\u4E00-\uA48C\uA490-\uA4C6\uA960-\uA97C\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFAFF\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE66\uFE68-\uFE6B\uFF01-\uFF60\uFFE0-\uFFE6]|[\uD800-\uDBFF][\uDC00-\uDFFF])/g,l=this.dom.createFragment(this.element),c=0;r=a.exec(i);){var u=r[1],h=r[2],d=r[3],m=r[4],p=r[5];if(o.showInvisibles||!h){var g=c!=r.index?i.slice(c,r.index):"";if(c=r.index+r[0].length,g&&l.appendChild(this.dom.createTextNode(g,this.element)),u){var f=o.session.getScreenTabSize(t+r.index);l.appendChild(o.$tabStrings[f].cloneNode(!0)),t+=f-1}else h?o.showInvisibles?((v=this.dom.createElement("span")).className="ace_invisible ace_invisible_space",v.textContent=s.stringRepeat(o.SPACE_CHAR,h.length),l.appendChild(v)):l.appendChild(this.com.createTextNode(h,this.element)):d?((v=this.dom.createElement("span")).className="ace_invisible ace_invisible_space ace_invalid",v.textContent=s.stringRepeat(o.SPACE_CHAR,d.length),l.appendChild(v)):m?(t+=1,(v=this.dom.createElement("span")).style.width=2*o.config.characterWidth+"px",v.className=o.showInvisibles?"ace_cjk ace_invisible ace_invisible_space":"ace_cjk",v.textContent=o.showInvisibles?o.SPACE_CHAR:m,l.appendChild(v)):p&&(t+=1,(v=this.dom.createElement("span")).style.width=2*o.config.characterWidth+"px",v.className="ace_cjk",v.textContent=p,l.appendChild(v))}}if(l.appendChild(this.dom.createTextNode(c?i.slice(c):i,this.element)),this.$textToken[n.type])e.appendChild(l);else{var E="ace_"+n.type.replace(/\./g," ace_"),v=this.dom.createElement("span");"fold"==n.type&&(v.style.width=n.value.length*this.config.characterWidth+"px"),v.className=E,v.appendChild(l),e.appendChild(v)}return t+i.length},this.renderIndentGuide=function(e,t,n){var i=t.search(this.$indentGuideRe);if(i<=0||i>=n)return t;if(" "==t[0]){for(var r=(i-=i%this.tabSize)/this.tabSize,s=0;s=o;)a=this.$renderToken(l,a,u,h.substring(0,o-i)),h=h.substring(o-i),i=o,l=this.$createLineElement(),e.appendChild(l),l.appendChild(this.dom.createTextNode(s.stringRepeat(" ",n.indent),this.element)),a=0,o=n[++r]||Number.MAX_VALUE;0!=h.length&&(i+=h.length,a=this.$renderToken(l,a,u,h))}}n[n.length-1]>this.MAX_LINE_LENGTH&&this.$renderOverflowMessage(l,a,null,"",!0)},this.$renderSimpleLine=function(e,t){var n=0,i=t[0],r=i.value;this.displayIndentGuides&&(r=this.renderIndentGuide(e,r)),r&&(n=this.$renderToken(e,n,i,r));for(var s=1;sthis.MAX_LINE_LENGTH)return this.$renderOverflowMessage(e,n,i,r);n=this.$renderToken(e,n,i,r)}},this.$renderOverflowMessage=function(e,t,n,i,r){n&&this.$renderToken(e,t,n,i.slice(0,this.MAX_LINE_LENGTH-t));var s=this.dom.createElement("span");s.className="ace_inline_button ace_keyword ace_toggle_wrap",s.textContent=r?"":"",e.appendChild(s)},this.$renderLine=function(e,t,n){if(n||0==n||(n=this.session.getFoldLine(t)),n)var i=this.$getFoldLineTokens(t,n);else i=this.session.getTokens(t);var r=e;if(i.length){var s=this.session.getRowSplitData(t);s&&s.length?(this.$renderWrappedLine(e,i,s),r=e.lastChild):(r=e,this.$useLineGroups()&&(r=this.$createLineElement(),e.appendChild(r)),this.$renderSimpleLine(r,i))}else this.$useLineGroups()&&(r=this.$createLineElement(),e.appendChild(r));if(this.showInvisibles&&r){n&&(t=n.end.row);var o=this.dom.createElement("span");o.className="ace_invisible ace_invisible_eol",o.textContent=t==this.session.getLength()-1?this.EOF_CHAR:this.EOL_CHAR,r.appendChild(o)}},this.$getFoldLineTokens=function(e,t){var n=this.session,i=[],r=n.getTokens(e);return t.walk(function(e,t,s,o,a){null!=e?i.push({type:"fold",value:e}):(a&&(r=n.getTokens(t)),r.length&&function(e,t,n){for(var r=0,s=0;s+e[r].value.lengthn-t&&(o=o.substring(0,n-t)),i.push({type:e[r].type,value:o}),s=t+o.length,r+=1);sn?i.push({type:e[r].type,value:o.substring(0,n-s)}):i.push(e[r]),s+=o.length,r+=1}}(r,o,s))},t.end.row,this.session.getLine(t.end.row).length),i},this.$useLineGroups=function(){return this.session.getUseWrapMode()},this.destroy=function(){}}).call(l.prototype),t.Text=l}),ace.define("ace/layer/cursor",["require","exports","module","ace/lib/dom"],function(e,t,n){"use strict";var i=e("../lib/dom"),r=function(e){this.element=i.createElement("div"),this.element.className="ace_layer ace_cursor-layer",e.appendChild(this.element),this.isVisible=!1,this.isBlinking=!0,this.blinkInterval=1e3,this.smoothBlinking=!1,this.cursors=[],this.cursor=this.addCursor(),i.addCssClass(this.element,"ace_hidden-cursors"),this.$updateCursors=this.$updateOpacity.bind(this)};(function(){this.$updateOpacity=function(e){for(var t=this.cursors,n=t.length;n--;)i.setStyle(t[n].style,"opacity",e?"":"0")},this.$startCssAnimation=function(){for(var e=this.cursors,t=e.length;t--;)e[t].style.animationDuration=this.blinkInterval+"ms";setTimeout(function(){i.addCssClass(this.element,"ace_animate-blinking")}.bind(this))},this.$stopCssAnimation=function(){i.removeCssClass(this.element,"ace_animate-blinking")},this.$padding=0,this.setPadding=function(e){this.$padding=e},this.setSession=function(e){this.session=e},this.setBlinking=function(e){e!=this.isBlinking&&(this.isBlinking=e,this.restartTimer())},this.setBlinkInterval=function(e){e!=this.blinkInterval&&(this.blinkInterval=e,this.restartTimer())},this.setSmoothBlinking=function(e){e!=this.smoothBlinking&&(this.smoothBlinking=e,i.setCssClass(this.element,"ace_smooth-blinking",e),this.$updateCursors(!0),this.restartTimer())},this.addCursor=function(){var e=i.createElement("div");return e.className="ace_cursor",this.element.appendChild(e),this.cursors.push(e),e},this.removeCursor=function(){if(this.cursors.length>1){var e=this.cursors.pop();return e.parentNode.removeChild(e),e}},this.hideCursor=function(){this.isVisible=!1,i.addCssClass(this.element,"ace_hidden-cursors"),this.restartTimer()},this.showCursor=function(){this.isVisible=!0,i.removeCssClass(this.element,"ace_hidden-cursors"),this.restartTimer()},this.restartTimer=function(){var e=this.$updateCursors;if(clearInterval(this.intervalId),clearTimeout(this.timeoutId),this.$stopCssAnimation(),this.smoothBlinking&&i.removeCssClass(this.element,"ace_smooth-blinking"),e(!0),this.isBlinking&&this.blinkInterval&&this.isVisible)if(this.smoothBlinking&&setTimeout(function(){i.addCssClass(this.element,"ace_smooth-blinking")}.bind(this)),i.HAS_CSS_ANIMATION)this.$startCssAnimation();else{var t=function(){this.timeoutId=setTimeout(function(){e(!1)},.6*this.blinkInterval)}.bind(this);this.intervalId=setInterval(function(){e(!0),t()},this.blinkInterval),t()}else this.$stopCssAnimation()},this.getPixelPosition=function(e,t){if(!this.config||!this.session)return{left:0,top:0};e||(e=this.session.selection.getCursor());var n=this.session.documentToScreenPosition(e);return{left:this.$padding+(this.session.$bidiHandler.isBidiRow(n.row,e.row)?this.session.$bidiHandler.getPosLeft(n.column):n.column*this.config.characterWidth),top:(n.row-(t?this.config.firstRowScreen:0))*this.config.lineHeight}},this.isCursorInView=function(e,t){return e.top>=0&&e.tope.height+e.offset||o.top<0)&&n>1)){var a=this.cursors[r++]||this.addCursor(),l=a.style;this.drawCursor?this.drawCursor(a,o,e,t[n],this.session):this.isCursorInView(o,e)?(i.setStyle(l,"display","block"),i.translate(a,o.left,o.top),i.setStyle(l,"width",Math.round(e.characterWidth)+"px"),i.setStyle(l,"height",e.lineHeight+"px")):i.setStyle(l,"display","none")}}for(;this.cursors.length>r;)this.removeCursor();var c=this.session.getOverwrite();this.$setOverwrite(c),this.$pixelPos=o,this.restartTimer()},this.drawCursor=null,this.$setOverwrite=function(e){e!=this.overwrite&&(this.overwrite=e,e?i.addCssClass(this.element,"ace_overwrite-cursors"):i.removeCssClass(this.element,"ace_overwrite-cursors"))},this.destroy=function(){clearInterval(this.intervalId),clearTimeout(this.timeoutId)}}).call(r.prototype),t.Cursor=r}),ace.define("ace/scrollbar",["require","exports","module","ace/lib/oop","ace/lib/dom","ace/lib/event","ace/lib/event_emitter"],function(e,t,n){"use strict";var i=e("./lib/oop"),r=e("./lib/dom"),s=e("./lib/event"),o=e("./lib/event_emitter").EventEmitter,a=32768,l=function(e){this.element=r.createElement("div"),this.element.className="ace_scrollbar ace_scrollbar"+this.classSuffix,this.inner=r.createElement("div"),this.inner.className="ace_scrollbar-inner",this.inner.textContent=" ",this.element.appendChild(this.inner),e.appendChild(this.element),this.setVisible(!1),this.skipEvent=!1,s.addListener(this.element,"scroll",this.onScroll.bind(this)),s.addListener(this.element,"mousedown",s.preventDefault)};(function(){i.implement(this,o),this.setVisible=function(e){this.element.style.display=e?"":"none",this.isVisible=e,this.coeff=1}}).call(l.prototype);var c=function(e,t){l.call(this,e),this.scrollTop=0,this.scrollHeight=0,t.$scrollbarWidth=this.width=r.scrollbarWidth(e.ownerDocument),this.inner.style.width=this.element.style.width=(this.width||15)+5+"px",this.$minWidth=0};i.inherits(c,l),function(){this.classSuffix="-v",this.onScroll=function(){if(!this.skipEvent){if(this.scrollTop=this.element.scrollTop,1!=this.coeff){var e=this.element.clientHeight/this.scrollHeight;this.scrollTop=this.scrollTop*(1-e)/(this.coeff-e)}this._emit("scroll",{data:this.scrollTop})}this.skipEvent=!1},this.getWidth=function(){return Math.max(this.isVisible?this.width:0,this.$minWidth||0)},this.setHeight=function(e){this.element.style.height=e+"px"},this.setInnerHeight=this.setScrollHeight=function(e){this.scrollHeight=e,e>a?(this.coeff=a/e,e=a):1!=this.coeff&&(this.coeff=1),this.inner.style.height=e+"px"},this.setScrollTop=function(e){this.scrollTop!=e&&(this.skipEvent=!0,this.scrollTop=e,this.element.scrollTop=e*this.coeff)}}.call(c.prototype);var u=function(e,t){l.call(this,e),this.scrollLeft=0,this.height=t.$scrollbarWidth,this.inner.style.height=this.element.style.height=(this.height||15)+5+"px"};i.inherits(u,l),function(){this.classSuffix="-h",this.onScroll=function(){this.skipEvent||(this.scrollLeft=this.element.scrollLeft,this._emit("scroll",{data:this.scrollLeft})),this.skipEvent=!1},this.getHeight=function(){return this.isVisible?this.height:0},this.setWidth=function(e){this.element.style.width=e+"px"},this.setInnerWidth=function(e){this.inner.style.width=e+"px"},this.setScrollWidth=function(e){this.inner.style.width=e+"px"},this.setScrollLeft=function(e){this.scrollLeft!=e&&(this.skipEvent=!0,this.scrollLeft=this.element.scrollLeft=e)}}.call(u.prototype),t.ScrollBar=c,t.ScrollBarV=c,t.ScrollBarH=u,t.VScrollBar=c,t.HScrollBar=u}),ace.define("ace/renderloop",["require","exports","module","ace/lib/event"],function(e,t,n){"use strict";var i=e("./lib/event"),r=function(e,t){this.onRender=e,this.pending=!1,this.changes=0,this.$recursionLimit=2,this.window=t||window;var n=this;this._flush=function(e){n.pending=!1;var t=n.changes;if(t&&(i.blockIdle(100),n.changes=0,n.onRender(t)),n.changes){if(n.$recursionLimit--<0)return;n.schedule()}else n.$recursionLimit=2}};(function(){this.schedule=function(e){this.changes=this.changes|e,this.changes&&!this.pending&&(i.nextFrame(this._flush),this.pending=!0)},this.clear=function(e){var t=this.changes;return this.changes=0,t}}).call(r.prototype),t.RenderLoop=r}),ace.define("ace/layer/font_metrics",["require","exports","module","ace/lib/oop","ace/lib/dom","ace/lib/lang","ace/lib/event","ace/lib/useragent","ace/lib/event_emitter"],function(e,t,n){var i=e("../lib/oop"),r=e("../lib/dom"),s=e("../lib/lang"),o=e("../lib/event"),a=e("../lib/useragent"),l=e("../lib/event_emitter").EventEmitter,c=256,u="function"==typeof ResizeObserver,h=200,d=t.FontMetrics=function(e){this.el=r.createElement("div"),this.$setMeasureNodeStyles(this.el.style,!0),this.$main=r.createElement("div"),this.$setMeasureNodeStyles(this.$main.style),this.$measureNode=r.createElement("div"),this.$setMeasureNodeStyles(this.$measureNode.style),this.el.appendChild(this.$main),this.el.appendChild(this.$measureNode),e.appendChild(this.el),this.$measureNode.innerHTML=s.stringRepeat("X",c),this.$characterSize={width:0,height:0},u?this.$addObserver():this.checkForSizeChanges()};(function(){i.implement(this,l),this.$characterSize={width:0,height:0},this.$setMeasureNodeStyles=function(e,t){e.width=e.height="auto",e.left=e.top="0px",e.visibility="hidden",e.position="absolute",e.whiteSpace="pre",a.isIE<8?e["font-family"]="inherit":e.font="inherit",e.overflow=t?"hidden":"visible"},this.checkForSizeChanges=function(e){if(void 0===e&&(e=this.$measureSizes()),e&&(this.$characterSize.width!==e.width||this.$characterSize.height!==e.height)){this.$measureNode.style.fontWeight="bold";var t=this.$measureSizes();this.$measureNode.style.fontWeight="",this.$characterSize=e,this.charSizes=Object.create(null),this.allowBoldFonts=t&&t.width===e.width&&t.height===e.height,this._emit("changeCharacterSize",{data:e})}},this.$addObserver=function(){var e=this;this.$observer=new window.ResizeObserver(function(t){var n=t[0].contentRect;e.checkForSizeChanges({height:n.height,width:n.width/c})}),this.$observer.observe(this.$measureNode)},this.$pollSizeChanges=function(){if(this.$pollSizeChangesTimer||this.$observer)return this.$pollSizeChangesTimer;var e=this;return this.$pollSizeChangesTimer=o.onIdle(function t(){e.checkForSizeChanges(),o.onIdle(t,500)},500)},this.setPolling=function(e){e?this.$pollSizeChanges():this.$pollSizeChangesTimer&&(clearInterval(this.$pollSizeChangesTimer),this.$pollSizeChangesTimer=0)},this.$measureSizes=function(e){var t={height:(e||this.$measureNode).clientHeight,width:(e||this.$measureNode).clientWidth/c};return 0===t.width||0===t.height?null:t},this.$measureCharWidth=function(e){return this.$main.innerHTML=s.stringRepeat(e,c),this.$main.getBoundingClientRect().width/c},this.getCharacterWidth=function(e){var t=this.charSizes[e];return void 0===t&&(t=this.charSizes[e]=this.$measureCharWidth(e)/this.$characterSize.width),t},this.destroy=function(){clearInterval(this.$pollSizeChangesTimer),this.$observer&&this.$observer.disconnect(),this.el&&this.el.parentNode&&this.el.parentNode.removeChild(this.el)},this.$getZoom=function e(t){return t?(window.getComputedStyle(t).zoom||1)*e(t.parentElement):1},this.$initTransformMeasureNodes=function(){var e=function(e,t){return["div",{style:"position: absolute;top:"+e+"px;left:"+t+"px;"}]};this.els=r.buildDom([e(0,0),e(h,0),e(0,h),e(h,h)],this.el)},this.transformCoordinates=function(e,t){function n(e,t,n){var i=e[1]*t[0]-e[0]*t[1];return[(-t[1]*n[0]+t[0]*n[1])/i,(+e[1]*n[0]-e[0]*n[1])/i]}function i(e,t){return[e[0]-t[0],e[1]-t[1]]}function r(e,t){return[e[0]+t[0],e[1]+t[1]]}function s(e,t){return[e*t[0],e*t[1]]}function o(e){var t=e.getBoundingClientRect();return[t.left,t.top]}e&&(e=s(1/this.$getZoom(this.el),e)),this.els||this.$initTransformMeasureNodes();var a=o(this.els[0]),l=o(this.els[1]),c=o(this.els[2]),u=o(this.els[3]),d=n(i(u,l),i(u,c),i(r(l,c),r(u,a))),m=s(1+d[0],i(l,a)),p=s(1+d[1],i(c,a));if(t){var g=t,f=d[0]*g[0]/h+d[1]*g[1]/h+1,E=r(s(g[0],m),s(g[1],p));return r(s(1/f/h,E),a)}var v=i(e,a),_=n(i(m,s(d[0],v)),i(p,s(d[1],v)),v);return s(h,_)}}).call(d.prototype)}),ace.define("ace/virtual_renderer",["require","exports","module","ace/lib/oop","ace/lib/dom","ace/config","ace/layer/gutter","ace/layer/marker","ace/layer/text","ace/layer/cursor","ace/scrollbar","ace/scrollbar","ace/renderloop","ace/layer/font_metrics","ace/lib/event_emitter","ace/lib/useragent"],function(e,t,n){"use strict";var i=e("./lib/oop"),r=e("./lib/dom"),s=e("./config"),o=e("./layer/gutter").Gutter,a=e("./layer/marker").Marker,l=e("./layer/text").Text,c=e("./layer/cursor").Cursor,u=e("./scrollbar").HScrollBar,h=e("./scrollbar").VScrollBar,d=e("./renderloop").RenderLoop,m=e("./layer/font_metrics").FontMetrics,p=e("./lib/event_emitter").EventEmitter,g='.ace_br1 {border-top-left-radius : 3px;}.ace_br2 {border-top-right-radius : 3px;}.ace_br3 {border-top-left-radius : 3px; border-top-right-radius: 3px;}.ace_br4 {border-bottom-right-radius: 3px;}.ace_br5 {border-top-left-radius : 3px; border-bottom-right-radius: 3px;}.ace_br6 {border-top-right-radius : 3px; border-bottom-right-radius: 3px;}.ace_br7 {border-top-left-radius : 3px; border-top-right-radius: 3px; border-bottom-right-radius: 3px;}.ace_br8 {border-bottom-left-radius : 3px;}.ace_br9 {border-top-left-radius : 3px; border-bottom-left-radius: 3px;}.ace_br10{border-top-right-radius : 3px; border-bottom-left-radius: 3px;}.ace_br11{border-top-left-radius : 3px; border-top-right-radius: 3px; border-bottom-left-radius: 3px;}.ace_br12{border-bottom-right-radius: 3px; border-bottom-left-radius: 3px;}.ace_br13{border-top-left-radius : 3px; border-bottom-right-radius: 3px; border-bottom-left-radius: 3px;}.ace_br14{border-top-right-radius : 3px; border-bottom-right-radius: 3px; border-bottom-left-radius: 3px;}.ace_br15{border-top-left-radius : 3px; border-top-right-radius: 3px; border-bottom-right-radius: 3px; border-bottom-left-radius: 3px;}.ace_editor {position: relative;overflow: hidden;font: 12px/normal \'Monaco\', \'Menlo\', \'Ubuntu Mono\', \'Consolas\', \'source-code-pro\', monospace;direction: ltr;text-align: left;-webkit-tap-highlight-color: rgba(0, 0, 0, 0);}.ace_scroller {position: absolute;overflow: hidden;top: 0;bottom: 0;background-color: inherit;-ms-user-select: none;-moz-user-select: none;-webkit-user-select: none;user-select: none;cursor: text;}.ace_content {position: absolute;box-sizing: border-box;min-width: 100%;contain: style size layout;}.ace_dragging .ace_scroller:before{position: absolute;top: 0;left: 0;right: 0;bottom: 0;content: \'\';background: rgba(250, 250, 250, 0.01);z-index: 1000;}.ace_dragging.ace_dark .ace_scroller:before{background: rgba(0, 0, 0, 0.01);}.ace_selecting, .ace_selecting * {cursor: text !important;}.ace_gutter {position: absolute;overflow : hidden;width: auto;top: 0;bottom: 0;left: 0;cursor: default;z-index: 4;-ms-user-select: none;-moz-user-select: none;-webkit-user-select: none;user-select: none;contain: style size layout;}.ace_gutter-active-line {position: absolute;left: 0;right: 0;}.ace_scroller.ace_scroll-left {box-shadow: 17px 0 16px -16px rgba(0, 0, 0, 0.4) inset;}.ace_gutter-cell {position: absolute;top: 0;left: 0;right: 0;padding-left: 19px;padding-right: 6px;background-repeat: no-repeat;}.ace_gutter-cell.ace_error {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAMAAAAoLQ9TAAABOFBMVEX/////////QRswFAb/Ui4wFAYwFAYwFAaWGAfDRymzOSH/PxswFAb/SiUwFAYwFAbUPRvjQiDllog5HhHdRybsTi3/Tyv9Tir+Syj/UC3////XurebMBIwFAb/RSHbPx/gUzfdwL3kzMivKBAwFAbbvbnhPx66NhowFAYwFAaZJg8wFAaxKBDZurf/RB6mMxb/SCMwFAYwFAbxQB3+RB4wFAb/Qhy4Oh+4QifbNRcwFAYwFAYwFAb/QRzdNhgwFAYwFAbav7v/Uy7oaE68MBK5LxLewr/r2NXewLswFAaxJw4wFAbkPRy2PyYwFAaxKhLm1tMwFAazPiQwFAaUGAb/QBrfOx3bvrv/VC/maE4wFAbRPBq6MRO8Qynew8Dp2tjfwb0wFAbx6eju5+by6uns4uH9/f36+vr/GkHjAAAAYnRSTlMAGt+64rnWu/bo8eAA4InH3+DwoN7j4eLi4xP99Nfg4+b+/u9B/eDs1MD1mO7+4PHg2MXa347g7vDizMLN4eG+Pv7i5evs/v79yu7S3/DV7/498Yv24eH+4ufQ3Ozu/v7+y13sRqwAAADLSURBVHjaZc/XDsFgGIBhtDrshlitmk2IrbHFqL2pvXf/+78DPokj7+Fz9qpU/9UXJIlhmPaTaQ6QPaz0mm+5gwkgovcV6GZzd5JtCQwgsxoHOvJO15kleRLAnMgHFIESUEPmawB9ngmelTtipwwfASilxOLyiV5UVUyVAfbG0cCPHig+GBkzAENHS0AstVF6bacZIOzgLmxsHbt2OecNgJC83JERmePUYq8ARGkJx6XtFsdddBQgZE2nPR6CICZhawjA4Fb/chv+399kfR+MMMDGOQAAAABJRU5ErkJggg==");background-repeat: no-repeat;background-position: 2px center;}.ace_gutter-cell.ace_warning {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAMAAAAoLQ9TAAAAmVBMVEX///8AAAD///8AAAAAAABPSzb/5sAAAAB/blH/73z/ulkAAAAAAAD85pkAAAAAAAACAgP/vGz/rkDerGbGrV7/pkQICAf////e0IsAAAD/oED/qTvhrnUAAAD/yHD/njcAAADuv2r/nz//oTj/p064oGf/zHAAAAA9Nir/tFIAAAD/tlTiuWf/tkIAAACynXEAAAAAAAAtIRW7zBpBAAAAM3RSTlMAABR1m7RXO8Ln31Z36zT+neXe5OzooRDfn+TZ4p3h2hTf4t3k3ucyrN1K5+Xaks52Sfs9CXgrAAAAjklEQVR42o3PbQ+CIBQFYEwboPhSYgoYunIqqLn6/z8uYdH8Vmdnu9vz4WwXgN/xTPRD2+sgOcZjsge/whXZgUaYYvT8QnuJaUrjrHUQreGczuEafQCO/SJTufTbroWsPgsllVhq3wJEk2jUSzX3CUEDJC84707djRc5MTAQxoLgupWRwW6UB5fS++NV8AbOZgnsC7BpEAAAAABJRU5ErkJggg==");background-position: 2px center;}.ace_gutter-cell.ace_info {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAAAAAA6mKC9AAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAAJ0Uk5TAAB2k804AAAAPklEQVQY02NgIB68QuO3tiLznjAwpKTgNyDbMegwisCHZUETUZV0ZqOquBpXj2rtnpSJT1AEnnRmL2OgGgAAIKkRQap2htgAAAAASUVORK5CYII=");background-position: 2px center;}.ace_dark .ace_gutter-cell.ace_info {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQBAMAAADt3eJSAAAAJFBMVEUAAAChoaGAgIAqKiq+vr6tra1ZWVmUlJSbm5s8PDxubm56enrdgzg3AAAAAXRSTlMAQObYZgAAAClJREFUeNpjYMAPdsMYHegyJZFQBlsUlMFVCWUYKkAZMxZAGdxlDMQBAG+TBP4B6RyJAAAAAElFTkSuQmCC");}.ace_scrollbar {contain: strict;position: absolute;right: 0;bottom: 0;z-index: 6;}.ace_scrollbar-inner {position: absolute;cursor: text;left: 0;top: 0;}.ace_scrollbar-v{overflow-x: hidden;overflow-y: scroll;top: 0;}.ace_scrollbar-h {overflow-x: scroll;overflow-y: hidden;left: 0;}.ace_print-margin {position: absolute;height: 100%;}.ace_text-input {position: absolute;z-index: 0;width: 0.5em;height: 1em;opacity: 0;background: transparent;-moz-appearance: none;appearance: none;border: none;resize: none;outline: none;overflow: hidden;font: inherit;padding: 0 1px;margin: 0 -1px;contain: strict;-ms-user-select: text;-moz-user-select: text;-webkit-user-select: text;user-select: text;white-space: pre!important;}.ace_text-input.ace_composition {background: transparent;color: inherit;z-index: 1000;opacity: 1;}.ace_composition_placeholder { color: transparent }.ace_composition_marker { border-bottom: 1px solid;position: absolute;border-radius: 0;margin-top: 1px;}[ace_nocontext=true] {transform: none!important;filter: none!important;perspective: none!important;clip-path: none!important;mask : none!important;contain: none!important;perspective: none!important;mix-blend-mode: initial!important;z-index: auto;}.ace_layer {z-index: 1;position: absolute;overflow: hidden;word-wrap: normal;white-space: pre;height: 100%;width: 100%;box-sizing: border-box;pointer-events: none;}.ace_gutter-layer {position: relative;width: auto;text-align: right;pointer-events: auto;height: 1000000px;contain: style size layout;}.ace_text-layer {font: inherit !important;position: absolute;height: 1000000px;width: 1000000px;contain: style size layout;}.ace_text-layer > .ace_line, .ace_text-layer > .ace_line_group {contain: style size layout;position: absolute;top: 0;left: 0;right: 0;}.ace_hidpi .ace_text-layer,.ace_hidpi .ace_gutter-layer,.ace_hidpi .ace_content,.ace_hidpi .ace_gutter {contain: strict;will-change: transform;}.ace_hidpi .ace_text-layer > .ace_line, .ace_hidpi .ace_text-layer > .ace_line_group {contain: strict;}.ace_cjk {display: inline-block;text-align: center;}.ace_cursor-layer {z-index: 4;}.ace_cursor {z-index: 4;position: absolute;box-sizing: border-box;border-left: 2px solid;transform: translatez(0);}.ace_multiselect .ace_cursor {border-left-width: 1px;}.ace_slim-cursors .ace_cursor {border-left-width: 1px;}.ace_overwrite-cursors .ace_cursor {border-left-width: 0;border-bottom: 1px solid;}.ace_hidden-cursors .ace_cursor {opacity: 0.2;}.ace_hasPlaceholder .ace_hidden-cursors .ace_cursor {opacity: 0;}.ace_smooth-blinking .ace_cursor {transition: opacity 0.18s;}.ace_animate-blinking .ace_cursor {animation-duration: 1000ms;animation-timing-function: step-end;animation-name: blink-ace-animate;animation-iteration-count: infinite;}.ace_animate-blinking.ace_smooth-blinking .ace_cursor {animation-duration: 1000ms;animation-timing-function: ease-in-out;animation-name: blink-ace-animate-smooth;}@keyframes blink-ace-animate {from, to { opacity: 1; }60% { opacity: 0; }}@keyframes blink-ace-animate-smooth {from, to { opacity: 1; }45% { opacity: 1; }60% { opacity: 0; }85% { opacity: 0; }}.ace_marker-layer .ace_step, .ace_marker-layer .ace_stack {position: absolute;z-index: 3;}.ace_marker-layer .ace_selection {position: absolute;z-index: 5;}.ace_marker-layer .ace_bracket {position: absolute;z-index: 6;}.ace_marker-layer .ace_active-line {position: absolute;z-index: 2;}.ace_marker-layer .ace_selected-word {position: absolute;z-index: 4;box-sizing: border-box;}.ace_line .ace_fold {box-sizing: border-box;display: inline-block;height: 11px;margin-top: -2px;vertical-align: middle;background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABEAAAAJCAYAAADU6McMAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAJpJREFUeNpi/P//PwOlgAXGYGRklAVSokD8GmjwY1wasKljQpYACtpCFeADcHVQfQyMQAwzwAZI3wJKvCLkfKBaMSClBlR7BOQikCFGQEErIH0VqkabiGCAqwUadAzZJRxQr/0gwiXIal8zQQPnNVTgJ1TdawL0T5gBIP1MUJNhBv2HKoQHHjqNrA4WO4zY0glyNKLT2KIfIMAAQsdgGiXvgnYAAAAASUVORK5CYII="),url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAA3CAYAAADNNiA5AAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAACJJREFUeNpi+P//fxgTAwPDBxDxD078RSX+YeEyDFMCIMAAI3INmXiwf2YAAAAASUVORK5CYII=");background-repeat: no-repeat, repeat-x;background-position: center center, top left;color: transparent;border: 1px solid black;border-radius: 2px;cursor: pointer;pointer-events: auto;}.ace_dark .ace_fold {}.ace_fold:hover{background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABEAAAAJCAYAAADU6McMAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAJpJREFUeNpi/P//PwOlgAXGYGRklAVSokD8GmjwY1wasKljQpYACtpCFeADcHVQfQyMQAwzwAZI3wJKvCLkfKBaMSClBlR7BOQikCFGQEErIH0VqkabiGCAqwUadAzZJRxQr/0gwiXIal8zQQPnNVTgJ1TdawL0T5gBIP1MUJNhBv2HKoQHHjqNrA4WO4zY0glyNKLT2KIfIMAAQsdgGiXvgnYAAAAASUVORK5CYII="),url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAA3CAYAAADNNiA5AAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAACBJREFUeNpi+P//fz4TAwPDZxDxD5X4i5fLMEwJgAADAEPVDbjNw87ZAAAAAElFTkSuQmCC");}.ace_tooltip {background-color: #FFF;background-image: linear-gradient(to bottom, transparent, rgba(0, 0, 0, 0.1));border: 1px solid gray;border-radius: 1px;box-shadow: 0 1px 2px rgba(0, 0, 0, 0.3);color: black;max-width: 100%;padding: 3px 4px;position: fixed;z-index: 999999;box-sizing: border-box;cursor: default;white-space: pre;word-wrap: break-word;line-height: normal;font-style: normal;font-weight: normal;letter-spacing: normal;pointer-events: none;}.ace_folding-enabled > .ace_gutter-cell {padding-right: 13px;}.ace_fold-widget {box-sizing: border-box;margin: 0 -12px 0 1px;display: none;width: 11px;vertical-align: top;background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAUAAAAFCAYAAACNbyblAAAANElEQVR42mWKsQ0AMAzC8ixLlrzQjzmBiEjp0A6WwBCSPgKAXoLkqSot7nN3yMwR7pZ32NzpKkVoDBUxKAAAAABJRU5ErkJggg==");background-repeat: no-repeat;background-position: center;border-radius: 3px;border: 1px solid transparent;cursor: pointer;}.ace_folding-enabled .ace_fold-widget {display: inline-block; }.ace_fold-widget.ace_end {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAUAAAAFCAYAAACNbyblAAAANElEQVR42m3HwQkAMAhD0YzsRchFKI7sAikeWkrxwScEB0nh5e7KTPWimZki4tYfVbX+MNl4pyZXejUO1QAAAABJRU5ErkJggg==");}.ace_fold-widget.ace_closed {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAMAAAAGCAYAAAAG5SQMAAAAOUlEQVR42jXKwQkAMAgDwKwqKD4EwQ26sSOkVWjgIIHAzPiCgaqiqnJHZnKICBERHN194O5b9vbLuAVRL+l0YWnZAAAAAElFTkSuQmCCXA==");}.ace_fold-widget:hover {border: 1px solid rgba(0, 0, 0, 0.3);background-color: rgba(255, 255, 255, 0.2);box-shadow: 0 1px 1px rgba(255, 255, 255, 0.7);}.ace_fold-widget:active {border: 1px solid rgba(0, 0, 0, 0.4);background-color: rgba(0, 0, 0, 0.05);box-shadow: 0 1px 1px rgba(255, 255, 255, 0.8);}.ace_dark .ace_fold-widget {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAUAAAAFCAYAAACNbyblAAAAHklEQVQIW2P4//8/AzoGEQ7oGCaLLAhWiSwB146BAQCSTPYocqT0AAAAAElFTkSuQmCC");}.ace_dark .ace_fold-widget.ace_end {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAUAAAAFCAYAAACNbyblAAAAH0lEQVQIW2P4//8/AxQ7wNjIAjDMgC4AxjCVKBirIAAF0kz2rlhxpAAAAABJRU5ErkJggg==");}.ace_dark .ace_fold-widget.ace_closed {background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAMAAAAFCAYAAACAcVaiAAAAHElEQVQIW2P4//+/AxAzgDADlOOAznHAKgPWAwARji8UIDTfQQAAAABJRU5ErkJggg==");}.ace_dark .ace_fold-widget:hover {box-shadow: 0 1px 1px rgba(255, 255, 255, 0.2);background-color: rgba(255, 255, 255, 0.1);}.ace_dark .ace_fold-widget:active {box-shadow: 0 1px 1px rgba(255, 255, 255, 0.2);}.ace_inline_button {border: 1px solid lightgray;display: inline-block;margin: -1px 8px;padding: 0 5px;pointer-events: auto;cursor: pointer;}.ace_inline_button:hover {border-color: gray;background: rgba(200,200,200,0.2);display: inline-block;pointer-events: auto;}.ace_fold-widget.ace_invalid {background-color: #FFB4B4;border-color: #DE5555;}.ace_fade-fold-widgets .ace_fold-widget {transition: opacity 0.4s ease 0.05s;opacity: 0;}.ace_fade-fold-widgets:hover .ace_fold-widget {transition: opacity 0.05s ease 0.05s;opacity:1;}.ace_underline {text-decoration: underline;}.ace_bold {font-weight: bold;}.ace_nobold .ace_bold {font-weight: normal;}.ace_italic {font-style: italic;}.ace_error-marker {background-color: rgba(255, 0, 0,0.2);position: absolute;z-index: 9;}.ace_highlight-marker {background-color: rgba(255, 255, 0,0.2);position: absolute;z-index: 8;}.ace_mobile-menu {position: absolute;line-height: 1.5;border-radius: 4px;-ms-user-select: none;-moz-user-select: none;-webkit-user-select: none;user-select: none;background: white;box-shadow: 1px 3px 2px grey;border: 1px solid #dcdcdc;color: black;}.ace_dark > .ace_mobile-menu {background: #333;color: #ccc;box-shadow: 1px 3px 2px grey;border: 1px solid #444;}.ace_mobile-button {padding: 2px;cursor: pointer;overflow: hidden;}.ace_mobile-button:hover {background-color: #eee;opacity:1;}.ace_mobile-button:active {background-color: #ddd;}.ace_placeholder {font-family: arial;transform: scale(0.9);opacity: 0.7;transform-origin: left;text-indent: 10px;}',f=e("./lib/useragent"),E=f.isIE;r.importCssString(g,"ace_editor.css");var v=function(e,t){var n=this;this.container=e||r.createElement("div"),r.addCssClass(this.container,"ace_editor"),r.HI_DPI&&r.addCssClass(this.container,"ace_hidpi"),this.setTheme(t),this.$gutter=r.createElement("div"),this.$gutter.className="ace_gutter",this.container.appendChild(this.$gutter),this.$gutter.setAttribute("aria-hidden",!0),this.scroller=r.createElement("div"),this.scroller.className="ace_scroller",this.container.appendChild(this.scroller),this.content=r.createElement("div"),this.content.className="ace_content",this.scroller.appendChild(this.content),this.$gutterLayer=new o(this.$gutter),this.$gutterLayer.on("changeGutterWidth",this.onGutterResize.bind(this)),this.$markerBack=new a(this.content);var i=this.$textLayer=new l(this.content);this.canvas=i.element,this.$markerFront=new a(this.content),this.$cursorLayer=new c(this.content),this.$horizScroll=!1,this.$vScroll=!1,this.scrollBar=this.scrollBarV=new h(this.container,this),this.scrollBarH=new u(this.container,this),this.scrollBarV.addEventListener("scroll",function(e){n.$scrollAnimation||n.session.setScrollTop(e.data-n.scrollMargin.top)}),this.scrollBarH.addEventListener("scroll",function(e){n.$scrollAnimation||n.session.setScrollLeft(e.data-n.scrollMargin.left)}),this.scrollTop=0,this.scrollLeft=0,this.cursorPos={row:0,column:0},this.$fontMetrics=new m(this.container),this.$textLayer.$setFontMetrics(this.$fontMetrics),this.$textLayer.addEventListener("changeCharacterSize",function(e){n.updateCharacterSize(),n.onResize(!0,n.gutterWidth,n.$size.width,n.$size.height),n._signal("changeCharacterSize",e)}),this.$size={width:0,height:0,scrollerHeight:0,scrollerWidth:0,$dirty:!0},this.layerConfig={width:1,padding:0,firstRow:0,firstRowScreen:0,lastRow:0,lineHeight:0,characterWidth:0,minHeight:1,maxHeight:1,offset:0,height:1,gutterOffset:1},this.scrollMargin={left:0,right:0,top:0,bottom:0,v:0,h:0},this.margin={left:0,right:0,top:0,bottom:0,v:0,h:0},this.$keepTextAreaAtCursor=!f.isIOS,this.$loop=new d(this.$renderChanges.bind(this),this.container.ownerDocument.defaultView),this.$loop.schedule(this.CHANGE_FULL),this.updateCharacterSize(),this.setPadding(4),s.resetOptions(this),s._signal("renderer",this)};(function(){this.CHANGE_CURSOR=1,this.CHANGE_MARKER=2,this.CHANGE_GUTTER=4,this.CHANGE_SCROLL=8,this.CHANGE_LINES=16,this.CHANGE_TEXT=32,this.CHANGE_SIZE=64,this.CHANGE_MARKER_BACK=128,this.CHANGE_MARKER_FRONT=256,this.CHANGE_FULL=512,this.CHANGE_H_SCROLL=1024,i.implement(this,p),this.updateCharacterSize=function(){this.$textLayer.allowBoldFonts!=this.$allowBoldFonts&&(this.$allowBoldFonts=this.$textLayer.allowBoldFonts,this.setStyle("ace_nobold",!this.$allowBoldFonts)),this.layerConfig.characterWidth=this.characterWidth=this.$textLayer.getCharacterWidth(),this.layerConfig.lineHeight=this.lineHeight=this.$textLayer.getLineHeight(),this.$updatePrintMargin(),r.setStyle(this.scroller.style,"line-height",this.lineHeight+"px")},this.setSession=function(e){this.session&&this.session.doc.off("changeNewLineMode",this.onChangeNewLineMode),this.session=e,e&&this.scrollMargin.top&&e.getScrollTop()<=0&&e.setScrollTop(-this.scrollMargin.top),this.$cursorLayer.setSession(e),this.$markerBack.setSession(e),this.$markerFront.setSession(e),this.$gutterLayer.setSession(e),this.$textLayer.setSession(e),e&&(this.$loop.schedule(this.CHANGE_FULL),this.session.$setFontMetrics(this.$fontMetrics),this.scrollBarH.scrollLeft=this.scrollBarV.scrollTop=null,this.onChangeNewLineMode=this.onChangeNewLineMode.bind(this),this.onChangeNewLineMode(),this.session.doc.on("changeNewLineMode",this.onChangeNewLineMode))},this.updateLines=function(e,t,n){if(void 0===t&&(t=1/0),this.$changedLines?(this.$changedLines.firstRow>e&&(this.$changedLines.firstRow=e),this.$changedLines.lastRowthis.layerConfig.lastRow||this.$loop.schedule(this.CHANGE_LINES)},this.onChangeNewLineMode=function(){this.$loop.schedule(this.CHANGE_TEXT),this.$textLayer.$updateEolChar(),this.session.$bidiHandler.setEolChar(this.$textLayer.EOL_CHAR)},this.onChangeTabSize=function(){this.$loop.schedule(this.CHANGE_TEXT|this.CHANGE_MARKER),this.$textLayer.onChangeTabSize()},this.updateText=function(){this.$loop.schedule(this.CHANGE_TEXT)},this.updateFull=function(e){e?this.$renderChanges(this.CHANGE_FULL,!0):this.$loop.schedule(this.CHANGE_FULL)},this.updateFontSize=function(){this.$textLayer.checkForSizeChanges()},this.$changes=0,this.$updateSizeAsync=function(){this.$loop.pending?this.$size.$dirty=!0:this.onResize()},this.onResize=function(e,t,n,i){if(!(this.resizing>2)){this.resizing>0?this.resizing++:this.resizing=e?1:0;var r=this.container;i||(i=r.clientHeight||r.scrollHeight),n||(n=r.clientWidth||r.scrollWidth);var s=this.$updateCachedSize(e,t,n,i);if(!this.$size.scrollerHeight||!n&&!i)return this.resizing=0;e&&(this.$gutterLayer.$padding=null),e?this.$renderChanges(s|this.$changes,!0):this.$loop.schedule(s|this.$changes),this.resizing&&(this.resizing=0),this.scrollBarV.scrollLeft=this.scrollBarV.scrollTop=null}},this.$updateCachedSize=function(e,t,n,i){i-=this.$extraHeight||0;var s=0,o=this.$size,a={width:o.width,height:o.height,scrollerHeight:o.scrollerHeight,scrollerWidth:o.scrollerWidth};if(i&&(e||o.height!=i)&&(o.height=i,s|=this.CHANGE_SIZE,o.scrollerHeight=o.height,this.$horizScroll&&(o.scrollerHeight-=this.scrollBarH.getHeight()),this.scrollBarV.element.style.bottom=this.scrollBarH.getHeight()+"px",s|=this.CHANGE_SCROLL),n&&(e||o.width!=n)){s|=this.CHANGE_SIZE,o.width=n,null==t&&(t=this.$showGutter?this.$gutter.offsetWidth:0),this.gutterWidth=t,r.setStyle(this.scrollBarH.element.style,"left",t+"px"),r.setStyle(this.scroller.style,"left",t+this.margin.left+"px"),o.scrollerWidth=Math.max(0,n-t-this.scrollBarV.getWidth()-this.margin.h),r.setStyle(this.$gutter.style,"left",this.margin.left+"px");var l=this.scrollBarV.getWidth()+"px";r.setStyle(this.scrollBarH.element.style,"right",l),r.setStyle(this.scroller.style,"right",l),r.setStyle(this.scroller.style,"bottom",this.scrollBarH.getHeight()),(this.session&&this.session.getUseWrapMode()&&this.adjustWrapLimit()||e)&&(s|=this.CHANGE_FULL)}return o.$dirty=!n||!i,s&&this._signal("resize",a),s},this.onGutterResize=function(e){var t=this.$showGutter?e:0;t!=this.gutterWidth&&(this.$changes|=this.$updateCachedSize(!0,t,this.$size.width,this.$size.height)),this.session.getUseWrapMode()&&this.adjustWrapLimit()||this.$size.$dirty?this.$loop.schedule(this.CHANGE_FULL):this.$computeLayerConfig()},this.adjustWrapLimit=function(){var e=this.$size.scrollerWidth-2*this.$padding,t=Math.floor(e/this.characterWidth);return this.session.adjustWrapLimit(t,this.$showPrintMargin&&this.$printMarginColumn)},this.setAnimatedScroll=function(e){this.setOption("animatedScroll",e)},this.getAnimatedScroll=function(){return this.$animatedScroll},this.setShowInvisibles=function(e){this.setOption("showInvisibles",e),this.session.$bidiHandler.setShowInvisibles(e)},this.getShowInvisibles=function(){return this.getOption("showInvisibles")},this.getDisplayIndentGuides=function(){return this.getOption("displayIndentGuides")},this.setDisplayIndentGuides=function(e){this.setOption("displayIndentGuides",e)},this.setShowPrintMargin=function(e){this.setOption("showPrintMargin",e)},this.getShowPrintMargin=function(){return this.getOption("showPrintMargin")},this.setPrintMarginColumn=function(e){this.setOption("printMarginColumn",e)},this.getPrintMarginColumn=function(){return this.getOption("printMarginColumn")},this.getShowGutter=function(){return this.getOption("showGutter")},this.setShowGutter=function(e){return this.setOption("showGutter",e)},this.getFadeFoldWidgets=function(){return this.getOption("fadeFoldWidgets")},this.setFadeFoldWidgets=function(e){this.setOption("fadeFoldWidgets",e)},this.setHighlightGutterLine=function(e){this.setOption("highlightGutterLine",e)},this.getHighlightGutterLine=function(){return this.getOption("highlightGutterLine")},this.$updatePrintMargin=function(){if(this.$showPrintMargin||this.$printMarginEl){if(!this.$printMarginEl){var e=r.createElement("div");e.className="ace_layer ace_print-margin-layer",this.$printMarginEl=r.createElement("div"),this.$printMarginEl.className="ace_print-margin",e.appendChild(this.$printMarginEl),this.content.insertBefore(e,this.content.firstChild)}var t=this.$printMarginEl.style;t.left=Math.round(this.characterWidth*this.$printMarginColumn+this.$padding)+"px",t.visibility=this.$showPrintMargin?"visible":"hidden",this.session&&-1==this.session.$wrap&&this.adjustWrapLimit()}},this.getContainerElement=function(){return this.container},this.getMouseEventTarget=function(){return this.scroller},this.getTextAreaContainer=function(){return this.container},this.$moveTextAreaToCursor=function(){if(!this.$isMousePressed){var e=this.textarea.style,t=this.$composition;if(this.$keepTextAreaAtCursor||t){var n=this.$cursorLayer.$pixelPos;if(n){t&&t.markerRange&&(n=this.$cursorLayer.getPixelPosition(t.markerRange.start,!0));var i=this.layerConfig,s=n.top,o=n.left;s-=i.offset;var a=t&&t.useTextareaForIME?this.lineHeight:E?0:1;if(s<0||s>i.height-a)r.translate(this.textarea,0,0);else{var l=1,c=this.$size.height-a;if(t)if(t.useTextareaForIME){var u=this.textarea.value;l=this.characterWidth*this.session.$getStringScreenWidth(u)[0]}else s+=this.lineHeight+2;else s+=this.lineHeight;(o-=this.scrollLeft)>this.$size.scrollerWidth-l&&(o=this.$size.scrollerWidth-l),o+=this.gutterWidth+this.margin.left,r.setStyle(e,"height",a+"px"),r.setStyle(e,"width",l+"px"),r.translate(this.textarea,Math.min(o,this.$size.scrollerWidth-l),Math.min(s,c))}}}else r.translate(this.textarea,-100,0)}},this.getFirstVisibleRow=function(){return this.layerConfig.firstRow},this.getFirstFullyVisibleRow=function(){return this.layerConfig.firstRow+(0===this.layerConfig.offset?0:1)},this.getLastFullyVisibleRow=function(){var e=this.layerConfig,t=e.lastRow;return this.session.documentToScreenRow(t,0)*e.lineHeight-this.session.getScrollTop()>e.height-e.lineHeight?t-1:t},this.getLastVisibleRow=function(){return this.layerConfig.lastRow},this.$padding=null,this.setPadding=function(e){this.$padding=e,this.$textLayer.setPadding(e),this.$cursorLayer.setPadding(e),this.$markerFront.setPadding(e),this.$markerBack.setPadding(e),this.$loop.schedule(this.CHANGE_FULL),this.$updatePrintMargin()},this.setScrollMargin=function(e,t,n,i){var r=this.scrollMargin;r.top=0|e,r.bottom=0|t,r.right=0|i,r.left=0|n,r.v=r.top+r.bottom,r.h=r.left+r.right,r.top&&this.scrollTop<=0&&this.session&&this.session.setScrollTop(-r.top),this.updateFull()},this.setMargin=function(e,t,n,i){var r=this.margin;r.top=0|e,r.bottom=0|t,r.right=0|i,r.left=0|n,r.v=r.top+r.bottom,r.h=r.left+r.right,this.$updateCachedSize(!0,this.gutterWidth,this.$size.width,this.$size.height),this.updateFull()},this.getHScrollBarAlwaysVisible=function(){return this.$hScrollBarAlwaysVisible},this.setHScrollBarAlwaysVisible=function(e){this.setOption("hScrollBarAlwaysVisible",e)},this.getVScrollBarAlwaysVisible=function(){return this.$vScrollBarAlwaysVisible},this.setVScrollBarAlwaysVisible=function(e){this.setOption("vScrollBarAlwaysVisible",e)},this.$updateScrollBarV=function(){var e=this.layerConfig.maxHeight,t=this.$size.scrollerHeight;!this.$maxLines&&this.$scrollPastEnd&&(e-=(t-this.lineHeight)*this.$scrollPastEnd,this.scrollTop>e-t&&(e=this.scrollTop+t,this.scrollBarV.scrollTop=null)),this.scrollBarV.setScrollHeight(e+this.scrollMargin.v),this.scrollBarV.setScrollTop(this.scrollTop+this.scrollMargin.top)},this.$updateScrollBarH=function(){this.scrollBarH.setScrollWidth(this.layerConfig.width+2*this.$padding+this.scrollMargin.h),this.scrollBarH.setScrollLeft(this.scrollLeft+this.scrollMargin.left)},this.$frozen=!1,this.freeze=function(){this.$frozen=!0},this.unfreeze=function(){this.$frozen=!1},this.$renderChanges=function(e,t){if(this.$changes&&(e|=this.$changes,this.$changes=0),this.session&&this.container.offsetWidth&&!this.$frozen&&(e||t)){if(this.$size.$dirty)return this.$changes|=e,this.onResize(!0);this.lineHeight||this.$textLayer.checkForSizeChanges(),this._signal("beforeRender"),this.session&&this.session.$bidiHandler&&this.session.$bidiHandler.updateCharacterWidths(this.$fontMetrics);var n=this.layerConfig;if(e&this.CHANGE_FULL||e&this.CHANGE_SIZE||e&this.CHANGE_TEXT||e&this.CHANGE_LINES||e&this.CHANGE_SCROLL||e&this.CHANGE_H_SCROLL){if(e|=this.$computeLayerConfig()|this.$loop.clear(),n.firstRow!=this.layerConfig.firstRow&&n.firstRowScreen==this.layerConfig.firstRowScreen){var i=this.scrollTop+(n.firstRow-this.layerConfig.firstRow)*this.lineHeight;i>0&&(this.scrollTop=i,e|=this.CHANGE_SCROLL,e|=this.$computeLayerConfig()|this.$loop.clear())}n=this.layerConfig,this.$updateScrollBarV(),e&this.CHANGE_H_SCROLL&&this.$updateScrollBarH(),r.translate(this.content,-this.scrollLeft,-n.offset);var s=n.width+2*this.$padding+"px",o=n.minHeight+"px";r.setStyle(this.content.style,"width",s),r.setStyle(this.content.style,"height",o)}if(e&this.CHANGE_H_SCROLL&&(r.translate(this.content,-this.scrollLeft,-n.offset),this.scroller.className=this.scrollLeft<=0?"ace_scroller":"ace_scroller ace_scroll-left"),e&this.CHANGE_FULL)return this.$changedLines=null,this.$textLayer.update(n),this.$showGutter&&this.$gutterLayer.update(n),this.$markerBack.update(n),this.$markerFront.update(n),this.$cursorLayer.update(n),this.$moveTextAreaToCursor(),void this._signal("afterRender");if(e&this.CHANGE_SCROLL)return this.$changedLines=null,e&this.CHANGE_TEXT||e&this.CHANGE_LINES?this.$textLayer.update(n):this.$textLayer.scrollLines(n),this.$showGutter&&(e&this.CHANGE_GUTTER||e&this.CHANGE_LINES?this.$gutterLayer.update(n):this.$gutterLayer.scrollLines(n)),this.$markerBack.update(n),this.$markerFront.update(n),this.$cursorLayer.update(n),this.$moveTextAreaToCursor(),void this._signal("afterRender");e&this.CHANGE_TEXT?(this.$changedLines=null,this.$textLayer.update(n),this.$showGutter&&this.$gutterLayer.update(n)):e&this.CHANGE_LINES?(this.$updateLines()||e&this.CHANGE_GUTTER&&this.$showGutter)&&this.$gutterLayer.update(n):e&this.CHANGE_TEXT||e&this.CHANGE_GUTTER?this.$showGutter&&this.$gutterLayer.update(n):e&this.CHANGE_CURSOR&&this.$highlightGutterLine&&this.$gutterLayer.updateLineHighlight(n),e&this.CHANGE_CURSOR&&(this.$cursorLayer.update(n),this.$moveTextAreaToCursor()),e&(this.CHANGE_MARKER|this.CHANGE_MARKER_FRONT)&&this.$markerFront.update(n),e&(this.CHANGE_MARKER|this.CHANGE_MARKER_BACK)&&this.$markerBack.update(n),this._signal("afterRender")}else this.$changes|=e},this.$autosize=function(){var e=this.session.getScreenLength()*this.lineHeight,t=this.$maxLines*this.lineHeight,n=Math.min(t,Math.max((this.$minLines||1)*this.lineHeight,e))+this.scrollMargin.v+(this.$extraHeight||0);this.$horizScroll&&(n+=this.scrollBarH.getHeight()),this.$maxPixelHeight&&n>this.$maxPixelHeight&&(n=this.$maxPixelHeight);var i=!(n<=2*this.lineHeight)&&e>t;if(n!=this.desiredHeight||this.$size.height!=this.desiredHeight||i!=this.$vScroll){i!=this.$vScroll&&(this.$vScroll=i,this.scrollBarV.setVisible(i));var r=this.container.clientWidth;this.container.style.height=n+"px",this.$updateCachedSize(!0,this.$gutterWidth,r,n),this.desiredHeight=n,this._signal("autosize")}},this.$computeLayerConfig=function(){var e=this.session,t=this.$size,n=t.height<=2*this.lineHeight,i=this.session.getScreenLength()*this.lineHeight,r=this.$getLongestLine(),s=!n&&(this.$hScrollBarAlwaysVisible||t.scrollerWidth-r-2*this.$padding<0),o=this.$horizScroll!==s;o&&(this.$horizScroll=s,this.scrollBarH.setVisible(s));var a=this.$vScroll;this.$maxLines&&this.lineHeight>1&&this.$autosize();var l=t.scrollerHeight+this.lineHeight,c=!this.$maxLines&&this.$scrollPastEnd?(t.scrollerHeight-this.lineHeight)*this.$scrollPastEnd:0;i+=c;var u=this.scrollMargin;this.session.setScrollTop(Math.max(-u.top,Math.min(this.scrollTop,i-t.scrollerHeight+u.bottom))),this.session.setScrollLeft(Math.max(-u.left,Math.min(this.scrollLeft,r+2*this.$padding-t.scrollerWidth+u.right)));var h=!n&&(this.$vScrollBarAlwaysVisible||t.scrollerHeight-i+c<0||this.scrollTop>u.top),d=a!==h;d&&(this.$vScroll=h,this.scrollBarV.setVisible(h));var m,p,g=this.scrollTop%this.lineHeight,f=Math.ceil(l/this.lineHeight)-1,E=Math.max(0,Math.round((this.scrollTop-g)/this.lineHeight)),v=E+f,_=this.lineHeight;E=e.screenToDocumentRow(E,0);var C=e.getFoldLine(E);C&&(E=C.start.row),m=e.documentToScreenRow(E,0),p=e.getRowLength(E)*_,v=Math.min(e.screenToDocumentRow(v,0),e.getLength()-1),l=t.scrollerHeight+e.getRowLength(v)*_+p,g=this.scrollTop-m*_;var A=0;return(this.layerConfig.width!=r||o)&&(A=this.CHANGE_H_SCROLL),(o||d)&&(A|=this.$updateCachedSize(!0,this.gutterWidth,t.width,t.height),this._signal("scrollbarVisibilityChanged"),d&&(r=this.$getLongestLine())),this.layerConfig={width:r,padding:this.$padding,firstRow:E,firstRowScreen:m,lastRow:v,lineHeight:_,characterWidth:this.characterWidth,minHeight:l,maxHeight:i,offset:g,gutterOffset:_?Math.max(0,Math.ceil((g+t.height-t.scrollerHeight)/_)):0,height:this.$size.scrollerHeight},this.session.$bidiHandler&&this.session.$bidiHandler.setContentWidth(r-this.$padding),A},this.$updateLines=function(){if(this.$changedLines){var e=this.$changedLines.firstRow,t=this.$changedLines.lastRow;this.$changedLines=null;var n=this.layerConfig;if(!(e>n.lastRow+1||tthis.$textLayer.MAX_LINE_LENGTH&&(e=this.$textLayer.MAX_LINE_LENGTH+30),Math.max(this.$size.scrollerWidth-2*this.$padding,Math.round(e*this.characterWidth))},this.updateFrontMarkers=function(){this.$markerFront.setMarkers(this.session.getMarkers(!0)),this.$loop.schedule(this.CHANGE_MARKER_FRONT)},this.updateBackMarkers=function(){this.$markerBack.setMarkers(this.session.getMarkers()),this.$loop.schedule(this.CHANGE_MARKER_BACK)},this.addGutterDecoration=function(e,t){this.$gutterLayer.addGutterDecoration(e,t)},this.removeGutterDecoration=function(e,t){this.$gutterLayer.removeGutterDecoration(e,t)},this.updateBreakpoints=function(e){this.$loop.schedule(this.CHANGE_GUTTER)},this.setAnnotations=function(e){this.$gutterLayer.setAnnotations(e),this.$loop.schedule(this.CHANGE_GUTTER)},this.updateCursor=function(){this.$loop.schedule(this.CHANGE_CURSOR)},this.hideCursor=function(){this.$cursorLayer.hideCursor()},this.showCursor=function(){this.$cursorLayer.showCursor()},this.scrollSelectionIntoView=function(e,t,n){this.scrollCursorIntoView(e,n),this.scrollCursorIntoView(t,n)},this.scrollCursorIntoView=function(e,t,n){if(0!==this.$size.scrollerHeight){var i=this.$cursorLayer.getPixelPosition(e),r=i.left,s=i.top,o=n&&n.top||0,a=n&&n.bottom||0,l=this.$scrollAnimation?this.session.getScrollTop():this.scrollTop;l+o>s?(t&&l+o>s+this.lineHeight&&(s-=t*this.$size.scrollerHeight),0===s&&(s=-this.scrollMargin.top),this.session.setScrollTop(s)):l+this.$size.scrollerHeight-ar?(r=1-this.scrollMargin.top||t>0&&this.session.getScrollTop()+this.$size.scrollerHeight-this.layerConfig.maxHeight<-1+this.scrollMargin.bottom||e<0&&this.session.getScrollLeft()>=1-this.scrollMargin.left||e>0&&this.session.getScrollLeft()+this.$size.scrollerWidth-this.layerConfig.width<-1+this.scrollMargin.right||void 0},this.pixelToScreenCoordinates=function(e,t){var n;if(this.$hasCssTransforms){n={top:0,left:0};var i=this.$fontMetrics.transformCoordinates([e,t]);e=i[1]-this.gutterWidth-this.margin.left,t=i[0]}else n=this.scroller.getBoundingClientRect();var r=e+this.scrollLeft-n.left-this.$padding,s=r/this.characterWidth,o=Math.floor((t+this.scrollTop-n.top)/this.lineHeight),a=this.$blockCursor?Math.floor(s):Math.round(s);return{row:o,column:a,side:s-a>0?1:-1,offsetX:r}},this.screenToTextCoordinates=function(e,t){var n;if(this.$hasCssTransforms){n={top:0,left:0};var i=this.$fontMetrics.transformCoordinates([e,t]);e=i[1]-this.gutterWidth-this.margin.left,t=i[0]}else n=this.scroller.getBoundingClientRect();var r=e+this.scrollLeft-n.left-this.$padding,s=r/this.characterWidth,o=this.$blockCursor?Math.floor(s):Math.round(s),a=Math.floor((t+this.scrollTop-n.top)/this.lineHeight);return this.session.screenToDocumentPosition(a,Math.max(o,0),r)},this.textToScreenCoordinates=function(e,t){var n=this.scroller.getBoundingClientRect(),i=this.session.documentToScreenPosition(e,t),r=this.$padding+(this.session.$bidiHandler.isBidiRow(i.row,e)?this.session.$bidiHandler.getPosLeft(i.column):Math.round(i.column*this.characterWidth)),s=i.row*this.lineHeight;return{pageX:n.left+r-this.scrollLeft,pageY:n.top+s-this.scrollTop}},this.visualizeFocus=function(){r.addCssClass(this.container,"ace_focus")},this.visualizeBlur=function(){r.removeCssClass(this.container,"ace_focus")},this.showComposition=function(e){this.$composition=e,e.cssText||(e.cssText=this.textarea.style.cssText),e.useTextareaForIME=this.$useTextareaForIME,this.$useTextareaForIME?(r.addCssClass(this.textarea,"ace_composition"),this.textarea.style.cssText="",this.$moveTextAreaToCursor(),this.$cursorLayer.element.style.display="none"):e.markerId=this.session.addMarker(e.markerRange,"ace_composition_marker","text")},this.setCompositionText=function(e){var t=this.session.selection.cursor;this.addToken(e,"composition_placeholder",t.row,t.column),this.$moveTextAreaToCursor()},this.hideComposition=function(){this.$composition&&(this.$composition.markerId&&this.session.removeMarker(this.$composition.markerId),r.removeCssClass(this.textarea,"ace_composition"),this.textarea.style.cssText=this.$composition.cssText,this.$composition=null,this.$cursorLayer.element.style.display="")},this.addToken=function(e,t,n,i){var r=this.session;r.bgTokenizer.lines[n]=null;var s={type:t,value:e},o=r.getTokens(n);if(null==i)o.push(s);else for(var a=0,l=0;l50&&e.length>this.$doc.getLength()>>1?this.call("setValue",[this.$doc.getValue()]):this.emit("change",{data:e}))}}).call(l.prototype),t.UIWorkerClient=function(e,t,n){var i=null,r=!1,a=Object.create(s),c=[],u=new l({messageBuffer:c,terminate:function(){},postMessage:function(e){c.push(e),i&&(r?setTimeout(h):h())}});u.setEmitSync=function(e){r=e};var h=function(){var e=c.shift();e.command?i[e.command].apply(i,e.args):e.event&&a._signal(e.event,e.data)};return a.postMessage=function(e){u.onMessage({data:e})},a.callback=function(e,t){this.postMessage({type:"call",id:t,data:e})},a.emit=function(e,t){this.postMessage({type:"event",name:e,data:t})},o.loadModule(["worker",t],function(e){for(i=new e[n](a);c.length;)h()}),u},t.WorkerClient=l,t.createWorker=a}),ace.define("ace/placeholder",["require","exports","module","ace/range","ace/lib/event_emitter","ace/lib/oop"],function(e,t,n){"use strict";var i=e("./range").Range,r=e("./lib/event_emitter").EventEmitter,s=e("./lib/oop"),o=function(e,t,n,i,r,s){var o=this;this.length=t,this.session=e,this.doc=e.getDocument(),this.mainClass=r,this.othersClass=s,this.$onUpdate=this.onUpdate.bind(this),this.doc.on("change",this.$onUpdate),this.$others=i,this.$onCursorChange=function(){setTimeout(function(){o.onCursorChange()})},this.$pos=n;var a=e.getUndoManager().$undoStack||e.getUndoManager().$undostack||{length:-1};this.$undoStackDepth=a.length,this.setup(),e.selection.on("changeCursor",this.$onCursorChange)};(function(){s.implement(this,r),this.setup=function(){var e=this,t=this.doc,n=this.session;this.selectionBefore=n.selection.toJSON(),n.selection.inMultiSelectMode&&n.selection.toSingleRange(),this.pos=t.createAnchor(this.$pos.row,this.$pos.column);var r=this.pos;r.$insertRight=!0,r.detach(),r.markerId=n.addMarker(new i(r.row,r.column,r.row,r.column+this.length),this.mainClass,null,!1),this.others=[],this.$others.forEach(function(n){var i=t.createAnchor(n.row,n.column);i.$insertRight=!0,i.detach(),e.others.push(i)}),n.setUndoSelect(!1)},this.showOtherMarkers=function(){if(!this.othersActive){var e=this.session,t=this;this.othersActive=!0,this.others.forEach(function(n){n.markerId=e.addMarker(new i(n.row,n.column,n.row,n.column+t.length),t.othersClass,null,!1)})}},this.hideOtherMarkers=function(){if(this.othersActive){this.othersActive=!1;for(var e=0;e=this.pos.column&&t.start.column<=this.pos.column+this.length+1,s=t.start.column-this.pos.column;if(this.updateAnchors(e),r&&(this.length+=n),r&&!this.session.$fromUndo)if("insert"===e.action)for(var o=this.others.length-1;o>=0;o--){var a={row:(l=this.others[o]).row,column:l.column+s};this.doc.insertMergedLines(a,e.lines)}else if("remove"===e.action)for(o=this.others.length-1;o>=0;o--){var l;a={row:(l=this.others[o]).row,column:l.column+s},this.doc.remove(new i(a.row,a.column,a.row,a.column-n))}this.$updating=!1,this.updateMarkers()}},this.updateAnchors=function(e){this.pos.onChange(e);for(var t=this.others.length;t--;)this.others[t].onChange(e);this.updateMarkers()},this.updateMarkers=function(){if(!this.$updating){var e=this,t=this.session,n=function(n,r){t.removeMarker(n.markerId),n.markerId=t.addMarker(new i(n.row,n.column,n.row,n.column+e.length),r,null,!1)};n(this.pos,this.mainClass);for(var r=this.others.length;r--;)n(this.others[r],this.othersClass)}},this.onCursorChange=function(e){if(!this.$updating&&this.session){var t=this.session.selection.getCursor();t.row===this.pos.row&&t.column>=this.pos.column&&t.column<=this.pos.column+this.length?(this.showOtherMarkers(),this._emit("cursorEnter",e)):(this.hideOtherMarkers(),this._emit("cursorLeave",e))}},this.detach=function(){this.session.removeMarker(this.pos&&this.pos.markerId),this.hideOtherMarkers(),this.doc.removeEventListener("change",this.$onUpdate),this.session.selection.removeEventListener("changeCursor",this.$onCursorChange),this.session.setUndoSelect(!0),this.session=null},this.cancel=function(){if(-1!==this.$undoStackDepth){for(var e=this.session.getUndoManager(),t=(e.$undoStack||e.$undostack).length-this.$undoStackDepth,n=0;n1&&!this.inMultiSelectMode&&(this._signal("multiSelect"),this.inMultiSelectMode=!0,this.session.$undoSelect=!1,this.rangeList.attach(this.session)),t||this.fromOrientedRange(e)}},this.toSingleRange=function(e){e=e||this.ranges[0];var t=this.rangeList.removeAll();t.length&&this.$onRemoveRange(t),e&&this.fromOrientedRange(e)},this.substractPoint=function(e){var t=this.rangeList.substractPoint(e);if(t)return this.$onRemoveRange(t),t[0]},this.mergeOverlappingRanges=function(){var e=this.rangeList.merge();e.length&&this.$onRemoveRange(e)},this.$onAddRange=function(e){this.rangeCount=this.rangeList.ranges.length,this.ranges.unshift(e),this._signal("addRange",{range:e})},this.$onRemoveRange=function(e){if(this.rangeCount=this.rangeList.ranges.length,1==this.rangeCount&&this.inMultiSelectMode){var t=this.rangeList.ranges.pop();e.push(t),this.rangeCount=0}for(var n=e.length;n--;){var i=this.ranges.indexOf(e[n]);this.ranges.splice(i,1)}this._signal("removeRange",{ranges:e}),0===this.rangeCount&&this.inMultiSelectMode&&(this.inMultiSelectMode=!1,this._signal("singleSelect"),this.session.$undoSelect=!0,this.rangeList.detach(this.session)),(t=t||this.ranges[0])&&!t.isEqual(this.getRange())&&this.fromOrientedRange(t)},this.$initRangeList=function(){this.rangeList||(this.rangeList=new i,this.ranges=[],this.rangeCount=0)},this.getAllRanges=function(){return this.rangeCount?this.rangeList.ranges.concat():[this.getRange()]},this.splitIntoLines=function(){if(this.rangeCount>1){var e=this.rangeList.ranges,t=e[e.length-1],n=r.fromPoints(e[0].start,t.end);this.toSingleRange(),this.setSelectionRange(n,t.cursor==t.start)}else{n=this.getRange();var i=this.isBackwards(),s=n.start.row,o=n.end.row;if(s==o){if(i)var a=n.end,l=n.start;else a=n.start,l=n.end;return this.addRange(r.fromPoints(l,l)),void this.addRange(r.fromPoints(a,a))}var c=[],u=this.getLineRange(s,!0);u.start.column=n.start.column,c.push(u);for(var h=s+1;h1){var e=this.rangeList.ranges,t=e[e.length-1],n=r.fromPoints(e[0].start,t.end);this.toSingleRange(),this.setSelectionRange(n,t.cursor==t.start)}else{var i=this.session.documentToScreenPosition(this.cursor),s=this.session.documentToScreenPosition(this.anchor);this.rectangularRangeBlock(i,s).forEach(this.addRange,this)}},this.rectangularRangeBlock=function(e,t,n){var i=[],s=e.column0;)E--;if(E>0)for(var v=0;i[v].isEmpty();)v++;for(var _=E;_>=v;_--)i[_].isEmpty()&&i.splice(_,1)}return i}}.call(s.prototype);var d=e("./editor").Editor;function m(e,t){return e.row==t.row&&e.column==t.column}function p(e){e.$multiselectOnSessionChange||(e.$onAddRange=e.$onAddRange.bind(e),e.$onRemoveRange=e.$onRemoveRange.bind(e),e.$onMultiSelect=e.$onMultiSelect.bind(e),e.$onSingleSelect=e.$onSingleSelect.bind(e),e.$multiselectOnSessionChange=t.onSessionChange.bind(e),e.$checkMultiselectChange=e.$checkMultiselectChange.bind(e),e.$multiselectOnSessionChange(e),e.on("changeSession",e.$multiselectOnSessionChange),e.on("mousedown",o),e.commands.addCommands(c.defaultCommands),function(e){if(e.textInput){var t=e.textInput.getElement(),n=!1;a.addListener(t,"keydown",function(t){var r=18==t.keyCode&&!(t.ctrlKey||t.shiftKey||t.metaKey);e.$blockSelectEnabled&&r?n||(e.renderer.setMouseCursor("crosshair"),n=!0):n&&i()}),a.addListener(t,"keyup",i),a.addListener(t,"blur",i)}function i(t){n&&(e.renderer.setMouseCursor(""),n=!1)}}(e))}(function(){this.updateSelectionMarkers=function(){this.renderer.updateCursor(),this.renderer.updateBackMarkers()},this.addSelectionMarker=function(e){e.cursor||(e.cursor=e.end);var t=this.getSelectionStyle();return e.marker=this.session.addMarker(e,"ace_selection",t),this.session.$selectionMarkers.push(e),this.session.selectionMarkerCount=this.session.$selectionMarkers.length,e},this.removeSelectionMarker=function(e){if(e.marker){this.session.removeMarker(e.marker);var t=this.session.$selectionMarkers.indexOf(e);-1!=t&&this.session.$selectionMarkers.splice(t,1),this.session.selectionMarkerCount=this.session.$selectionMarkers.length}},this.removeSelectionMarkers=function(e){for(var t=this.session.$selectionMarkers,n=e.length;n--;){var i=e[n];if(i.marker){this.session.removeMarker(i.marker);var r=t.indexOf(i);-1!=r&&t.splice(r,1)}}this.session.selectionMarkerCount=t.length},this.$onAddRange=function(e){this.addSelectionMarker(e.range),this.renderer.updateCursor(),this.renderer.updateBackMarkers()},this.$onRemoveRange=function(e){this.removeSelectionMarkers(e.ranges),this.renderer.updateCursor(),this.renderer.updateBackMarkers()},this.$onMultiSelect=function(e){this.inMultiSelectMode||(this.inMultiSelectMode=!0,this.setStyle("ace_multiselect"),this.keyBinding.addKeyboardHandler(c.keyboardHandler),this.commands.setDefaultHandler("exec",this.$onMultiSelectExec),this.renderer.updateCursor(),this.renderer.updateBackMarkers())},this.$onSingleSelect=function(e){this.session.multiSelect.inVirtualMode||(this.inMultiSelectMode=!1,this.unsetStyle("ace_multiselect"),this.keyBinding.removeKeyboardHandler(c.keyboardHandler),this.commands.removeDefaultHandler("exec",this.$onMultiSelectExec),this.renderer.updateCursor(),this.renderer.updateBackMarkers(),this._emit("changeSelection"))},this.$onMultiSelectExec=function(e){var t=e.command,n=e.editor;if(n.multiSelect){if(t.multiSelectAction)"forEach"==t.multiSelectAction?i=n.forEachSelection(t,e.args):"forEachLine"==t.multiSelectAction?i=n.forEachSelection(t,e.args,!0):"single"==t.multiSelectAction?(n.exitMultiSelectMode(),i=t.exec(n,e.args||{})):i=t.multiSelectAction(n,e.args||{});else{var i=t.exec(n,e.args||{});n.multiSelect.addRange(n.multiSelect.toOrientedRange()),n.multiSelect.mergeOverlappingRanges()}return i}},this.forEachSelection=function(e,t,n){if(!this.inVirtualSelectionMode){var i,r=n&&n.keepOrder,o=1==n||n&&n.$byLines,a=this.session,l=this.selection,c=l.rangeList,u=(r?l:c).ranges;if(!u.length)return e.exec?e.exec(this,t||{}):e(this,t||{});var h=l._eventRegistry;l._eventRegistry={};var d=new s(a);this.inVirtualSelectionMode=!0;for(var m=u.length;m--;){if(o)for(;m>0&&u[m].start.row==u[m-1].end.row;)m--;d.fromOrientedRange(u[m]),d.index=m,this.selection=a.selection=d;var p=e.exec?e.exec(this,t||{}):e(this,t||{});i||void 0===p||(i=p),d.toOrientedRange(u[m])}d.detach(),this.selection=a.selection=l,this.inVirtualSelectionMode=!1,l._eventRegistry=h,l.mergeOverlappingRanges(),l.ranges[0]&&l.fromOrientedRange(l.ranges[0]);var g=this.renderer.$scrollAnimation;return this.onCursorChange(),this.onSelectionChange(),g&&g.from==g.to&&this.renderer.animateScrolling(g.from),i}},this.exitMultiSelectMode=function(){this.inMultiSelectMode&&!this.inVirtualSelectionMode&&this.multiSelect.toSingleRange()},this.getSelectedText=function(){var e="";if(this.inMultiSelectMode&&!this.inVirtualSelectionMode){for(var t=this.multiSelect.rangeList.ranges,n=[],i=0;io&&(o=n.column),iu?e.insert(i,l.stringRepeat(" ",s-u)):e.remove(new r(i.row,i.column,i.row,i.column-s+u)),t.start.column=t.end.column=o,t.start.row=t.end.row=i.row,t.cursor=t.end}),t.fromOrientedRange(n[0]),this.renderer.updateCursor(),this.renderer.updateBackMarkers()}else{var u=this.selection.getRange(),h=u.start.row,d=u.end.row,m=h==d;if(m){var p,g=this.session.getLength();do{p=this.session.getLine(d)}while(/[=:]/.test(p)&&++d0);h<0&&(h=0),d>=g&&(d=g-1)}var f=this.session.removeFullLines(h,d);f=this.$reAlignText(f,m),this.session.insert({row:h,column:0},f.join("\n")+"\n"),m||(u.start.column=0,u.end.column=f[f.length-1].length),this.selection.setRange(u)}},this.$reAlignText=function(e,t){var n,i,r,s=!0,o=!0;return e.map(function(e){var t=e.match(/(\s*)(.*?)(\s*)([=:].*)/);return t?null==n?(n=t[1].length,i=t[2].length,r=t[3].length,t):(n+i+r!=t[1].length+t[2].length+t[3].length&&(o=!1),n!=t[1].length&&(s=!1),n>t[1].length&&(n=t[1].length),it[3].length&&(r=t[3].length),t):[e]}).map(t?c:s?o?function(e){return e[2]?a(n+i-e[2].length)+e[2]+a(r)+e[4].replace(/^([=:])\s+/,"$1 "):e[0]}:c:function(e){return e[2]?a(n)+e[2]+a(r)+e[4].replace(/^([=:])\s+/,"$1 "):e[0]});function a(e){return l.stringRepeat(" ",e)}function c(e){return e[2]?a(n)+e[2]+a(i-e[2].length+r)+e[4].replace(/^([=:])\s+/,"$1 "):e[0]}}}).call(d.prototype),t.onSessionChange=function(e){var t=e.session;t&&!t.multiSelect&&(t.$selectionMarkers=[],t.selection.$initRangeList(),t.multiSelect=t.selection),this.multiSelect=t&&t.multiSelect;var n=e.oldSession;n&&(n.multiSelect.off("addRange",this.$onAddRange),n.multiSelect.off("removeRange",this.$onRemoveRange),n.multiSelect.off("multiSelect",this.$onMultiSelect),n.multiSelect.off("singleSelect",this.$onSingleSelect),n.multiSelect.lead.off("change",this.$checkMultiselectChange),n.multiSelect.anchor.off("change",this.$checkMultiselectChange)),t&&(t.multiSelect.on("addRange",this.$onAddRange),t.multiSelect.on("removeRange",this.$onRemoveRange),t.multiSelect.on("multiSelect",this.$onMultiSelect),t.multiSelect.on("singleSelect",this.$onSingleSelect),t.multiSelect.lead.on("change",this.$checkMultiselectChange),t.multiSelect.anchor.on("change",this.$checkMultiselectChange)),t&&this.inMultiSelectMode!=t.selection.inMultiSelectMode&&(t.selection.inMultiSelectMode?this.$onMultiSelect():this.$onSingleSelect())},t.MultiSelect=p,e("./config").defineOptions(d.prototype,"editor",{enableMultiselect:{set:function(e){p(this),e?(this.on("changeSession",this.$multiselectOnSessionChange),this.on("mousedown",o)):(this.off("changeSession",this.$multiselectOnSessionChange),this.off("mousedown",o))},value:!0},enableBlockSelect:{set:function(e){this.$blockSelectEnabled=e},value:!0}})}),ace.define("ace/mode/folding/fold_mode",["require","exports","module","ace/range"],function(e,t,n){"use strict";var i=e("../../range").Range,r=t.FoldMode=function(){};(function(){this.foldingStartMarker=null,this.foldingStopMarker=null,this.getFoldWidget=function(e,t,n){var i=e.getLine(n);return this.foldingStartMarker.test(i)?"start":"markbeginend"==t&&this.foldingStopMarker&&this.foldingStopMarker.test(i)?"end":""},this.getFoldWidgetRange=function(e,t,n){return null},this.indentationBlock=function(e,t,n){var r=/\S/,s=e.getLine(t),o=s.search(r);if(-1!=o){for(var a=n||s.length,l=e.getLength(),c=t,u=t;++tc){var m=e.getLine(u).length;return new i(c,a,u,m)}}},this.openingBracketBlock=function(e,t,n,r,s){var o={row:n,column:r+1},a=e.$findClosingBracket(t,o,s);if(a){var l=e.foldWidgets[a.row];return null==l&&(l=e.getFoldWidget(a.row)),"start"==l&&a.row>o.row&&(a.row--,a.column=e.getLine(a.row).length),i.fromPoints(o,a)}},this.closingBracketBlock=function(e,t,n,r,s){var o={row:n,column:r},a=e.$findOpeningBracket(t,o);if(a)return a.column++,o.column--,i.fromPoints(a,o)}}).call(r.prototype)}),ace.define("ace/theme/textmate",["require","exports","module","ace/lib/dom"],function(e,t,n){"use strict";t.isDark=!1,t.cssClass="ace-tm",t.cssText='.ace-tm .ace_gutter {background: #f0f0f0;color: #333;}.ace-tm .ace_print-margin {width: 1px;background: #e8e8e8;}.ace-tm .ace_fold {background-color: #6B72E6;}.ace-tm {background-color: #FFFFFF;color: black;}.ace-tm .ace_cursor {color: black;}.ace-tm .ace_invisible {color: rgb(191, 191, 191);}.ace-tm .ace_storage,.ace-tm .ace_keyword {color: blue;}.ace-tm .ace_constant {color: rgb(197, 6, 11);}.ace-tm .ace_constant.ace_buildin {color: rgb(88, 72, 246);}.ace-tm .ace_constant.ace_language {color: rgb(88, 92, 246);}.ace-tm .ace_constant.ace_library {color: rgb(6, 150, 14);}.ace-tm .ace_invalid {background-color: rgba(255, 0, 0, 0.1);color: red;}.ace-tm .ace_support.ace_function {color: rgb(60, 76, 114);}.ace-tm .ace_support.ace_constant {color: rgb(6, 150, 14);}.ace-tm .ace_support.ace_type,.ace-tm .ace_support.ace_class {color: rgb(109, 121, 222);}.ace-tm .ace_keyword.ace_operator {color: rgb(104, 118, 135);}.ace-tm .ace_string {color: rgb(3, 106, 7);}.ace-tm .ace_comment {color: rgb(76, 136, 107);}.ace-tm .ace_comment.ace_doc {color: rgb(0, 102, 255);}.ace-tm .ace_comment.ace_doc.ace_tag {color: rgb(128, 159, 191);}.ace-tm .ace_constant.ace_numeric {color: rgb(0, 0, 205);}.ace-tm .ace_variable {color: rgb(49, 132, 149);}.ace-tm .ace_xml-pe {color: rgb(104, 104, 91);}.ace-tm .ace_entity.ace_name.ace_function {color: #0000A2;}.ace-tm .ace_heading {color: rgb(12, 7, 255);}.ace-tm .ace_list {color:rgb(185, 6, 144);}.ace-tm .ace_meta.ace_tag {color:rgb(0, 22, 142);}.ace-tm .ace_string.ace_regex {color: rgb(255, 0, 0)}.ace-tm .ace_marker-layer .ace_selection {background: rgb(181, 213, 255);}.ace-tm.ace_multiselect .ace_selection.ace_start {box-shadow: 0 0 3px 0px white;}.ace-tm .ace_marker-layer .ace_step {background: rgb(252, 255, 0);}.ace-tm .ace_marker-layer .ace_stack {background: rgb(164, 229, 101);}.ace-tm .ace_marker-layer .ace_bracket {margin: -1px 0 0 -1px;border: 1px solid rgb(192, 192, 192);}.ace-tm .ace_marker-layer .ace_active-line {background: rgba(0, 0, 0, 0.07);}.ace-tm .ace_gutter-active-line {background-color : #dcdcdc;}.ace-tm .ace_marker-layer .ace_selected-word {background: rgb(250, 250, 255);border: 1px solid rgb(200, 200, 250);}.ace-tm .ace_indent-guide {background: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAACCAYAAACZgbYnAAAAE0lEQVQImWP4////f4bLly//BwAmVgd1/w11/gAAAABJRU5ErkJggg==") right repeat-y;}',t.$id="ace/theme/textmate",e("../lib/dom").importCssString(t.cssText,t.cssClass)}),ace.define("ace/line_widgets",["require","exports","module","ace/lib/oop","ace/lib/dom","ace/range"],function(e,t,n){"use strict";e("./lib/oop");var i=e("./lib/dom");function r(e){this.session=e,this.session.widgetManager=this,this.session.getRowLength=this.getRowLength,this.session.$getWidgetScreenLength=this.$getWidgetScreenLength,this.updateOnChange=this.updateOnChange.bind(this),this.renderWidgets=this.renderWidgets.bind(this),this.measureWidgets=this.measureWidgets.bind(this),this.session._changedWidgets=[],this.$onChangeEditor=this.$onChangeEditor.bind(this),this.session.on("change",this.updateOnChange),this.session.on("changeFold",this.updateOnFold),this.session.on("changeEditor",this.$onChangeEditor)}e("./range").Range,function(){this.getRowLength=function(e){var t;return t=this.lineWidgets&&this.lineWidgets[e]&&this.lineWidgets[e].rowCount||0,this.$useWrapMode&&this.$wrapData[e]?this.$wrapData[e].length+1+t:1+t},this.$getWidgetScreenLength=function(){var e=0;return this.lineWidgets.forEach(function(t){t&&t.rowCount&&!t.hidden&&(e+=t.rowCount)}),e},this.$onChangeEditor=function(e){this.attach(e.editor)},this.attach=function(e){e&&e.widgetManager&&e.widgetManager!=this&&e.widgetManager.detach(),this.editor!=e&&(this.detach(),this.editor=e,e&&(e.widgetManager=this,e.renderer.on("beforeRender",this.measureWidgets),e.renderer.on("afterRender",this.renderWidgets)))},this.detach=function(e){var t=this.editor;if(t){this.editor=null,t.widgetManager=null,t.renderer.off("beforeRender",this.measureWidgets),t.renderer.off("afterRender",this.renderWidgets);var n=this.session.lineWidgets;n&&n.forEach(function(e){e&&e.el&&e.el.parentNode&&(e._inDocument=!1,e.el.parentNode.removeChild(e.el))})}},this.updateOnFold=function(e,t){var n=t.lineWidgets;if(n&&e.action){for(var i=e.data,r=i.start.row,s=i.end.row,o="add"==e.action,a=r+1;a0&&!i[r];)r--;this.firstRow=n.firstRow,this.lastRow=n.lastRow,t.$cursorLayer.config=n;for(var o=r;o<=s;o++){var a=i[o];if(a&&a.el)if(a.hidden)a.el.style.top=-100-(a.pixelHeight||0)+"px";else{a._inDocument||(a._inDocument=!0,t.container.appendChild(a.el));var l=t.$cursorLayer.getPixelPosition({row:o,column:0},!0).top;a.coverLine||(l+=n.lineHeight*this.session.getRowLineCount(a.row)),a.el.style.top=l-n.offset+"px";var c=a.coverGutter?0:t.gutterWidth;a.fixedWidth||(c-=t.scrollLeft),a.el.style.left=c+"px",a.fullWidth&&a.screenWidth&&(a.el.style.minWidth=n.width+2*n.padding+"px"),a.fixedWidth?a.el.style.right=t.scrollBar.getWidth()+"px":a.el.style.right=""}}}}}.call(r.prototype),t.LineWidgets=r}),ace.define("ace/ext/error_marker",["require","exports","module","ace/line_widgets","ace/lib/dom","ace/range"],function(e,t,n){"use strict";var i=e("../line_widgets").LineWidgets,r=e("../lib/dom"),s=e("../range").Range;t.showErrorMarker=function(e,t){var n=e.session;n.widgetManager||(n.widgetManager=new i(n),n.widgetManager.attach(e));var o=e.getCursorPosition(),a=o.row,l=n.widgetManager.getWidgetsAtRow(a).filter(function(e){return"errorMarker"==e.type})[0];l?l.destroy():a-=t;var c,u=function(e,t,n){var i=e.getAnnotations().sort(s.comparePoints);if(i.length){var r=function(e,t,n){for(var i=0,r=e.length-1;i<=r;){var s=i+r>>1,o=n(t,e[s]);if(o>0)i=s+1;else{if(!(o<0))return s;r=s-1}}return-(i+1)}(i,{row:t,column:-1},s.comparePoints);r<0&&(r=-r-1),r>=i.length?r=n>0?0:i.length-1:0===r&&n<0&&(r=i.length-1);var o=i[r];if(o&&n){if(o.row===t){do{o=i[r+=n]}while(o&&o.row===t);if(!o)return i.slice()}var a=[];t=o.row;do{a[n<0?"unshift":"push"](o),o=i[r+=n]}while(o&&o.row==t);return a.length&&a}}}(n,a,t);if(u){var h=u[0];o.column=(h.pos&&"number"!=typeof h.column?h.pos.sc:h.column)||0,o.row=h.row,c=e.renderer.$gutterLayer.$annotations[o.row]}else{if(l)return;c={text:["Looks good!"],className:"ace_ok"}}e.session.unfold(o.row),e.selection.moveToPosition(o);var d={row:o.row,fixedWidth:!0,coverGutter:!0,el:r.createElement("div"),type:"errorMarker"},m=d.el.appendChild(r.createElement("div")),p=d.el.appendChild(r.createElement("div"));p.className="error_widget_arrow "+c.className;var g=e.renderer.$cursorLayer.getPixelPosition(o).left;p.style.left=g+e.renderer.gutterWidth-5+"px",d.el.className="error_widget_wrapper",m.className="error_widget "+c.className,m.innerHTML=c.text.join("
"),m.appendChild(r.createElement("div"));var f=function(e,t,n){if(0===t&&("esc"===n||"return"===n))return d.destroy(),{command:"null"}};d.destroy=function(){e.$mouseHandler.isMousePressed||(e.keyBinding.removeKeyboardHandler(f),n.widgetManager.removeLineWidget(d),e.off("changeSelection",d.destroy),e.off("changeSession",d.destroy),e.off("mouseup",d.destroy),e.off("change",d.destroy))},e.keyBinding.addKeyboardHandler(f),e.on("changeSelection",d.destroy),e.on("changeSession",d.destroy),e.on("mouseup",d.destroy),e.on("change",d.destroy),e.session.widgetManager.addLineWidget(d),d.el.onmousedown=e.focus.bind(e),e.renderer.scrollCursorIntoView(null,.5,{bottom:d.el.offsetHeight})},r.importCssString(" .error_widget_wrapper { background: inherit; color: inherit; border:none } .error_widget { border-top: solid 2px; border-bottom: solid 2px; margin: 5px 0; padding: 10px 40px; white-space: pre-wrap; } .error_widget.ace_error, .error_widget_arrow.ace_error{ border-color: #ff5a5a } .error_widget.ace_warning, .error_widget_arrow.ace_warning{ border-color: #F1D817 } .error_widget.ace_info, .error_widget_arrow.ace_info{ border-color: #5a5a5a } .error_widget.ace_ok, .error_widget_arrow.ace_ok{ border-color: #5aaa5a } .error_widget_arrow { position: absolute; border: solid 5px; border-top-color: transparent!important; border-right-color: transparent!important; border-left-color: transparent!important; top: -5px; }","")}),ace.define("ace/ace",["require","exports","module","ace/lib/fixoldbrowsers","ace/lib/dom","ace/lib/event","ace/range","ace/editor","ace/edit_session","ace/undomanager","ace/virtual_renderer","ace/worker/worker_client","ace/keyboard/hash_handler","ace/placeholder","ace/multi_select","ace/mode/folding/fold_mode","ace/theme/textmate","ace/ext/error_marker","ace/config"],function(e,t,i){"use strict";e("./lib/fixoldbrowsers");var r=e("./lib/dom"),s=e("./lib/event"),o=e("./range").Range,a=e("./editor").Editor,l=e("./edit_session").EditSession,c=e("./undomanager").UndoManager,u=e("./virtual_renderer").VirtualRenderer;e("./worker/worker_client"),e("./keyboard/hash_handler"),e("./placeholder"),e("./multi_select"),e("./mode/folding/fold_mode"),e("./theme/textmate"),e("./ext/error_marker"),t.config=e("./config"),t.require=e,t.define=n.amdD,t.edit=function(e,n){if("string"==typeof e){var i=e;if(!(e=document.getElementById(i)))throw new Error("ace.edit can't find div #"+i)}if(e&&e.env&&e.env.editor instanceof a)return e.env.editor;var o="";if(e&&/input|textarea/i.test(e.tagName)){var l=e;o=l.value,e=r.createElement("pre"),l.parentNode.replaceChild(e,l)}else e&&(o=e.textContent,e.innerHTML="");var c=t.createEditSession(o),h=new a(new u(e),c,n),d={document:c,editor:h,onResize:h.resize.bind(h,null)};return l&&(d.textarea=l),s.addListener(window,"resize",d.onResize),h.on("destroy",function(){s.removeListener(window,"resize",d.onResize),d.editor.container.env=null}),h.container.env=h.env=d,h},t.createEditSession=function(e,t){var n=new l(e,t);return n.setUndoManager(new c),n},t.Range=o,t.Editor=a,t.EditSession=l,t.UndoManager=c,t.VirtualRenderer=u,t.version=t.config.version}),ace.require(["ace/ace"],function(t){for(var n in t&&(t.config.init(!0),t.define=ace.define),window.ace||(window.ace=t),t)t.hasOwnProperty(n)&&(window.ace[n]=t[n]);window.ace.default=window.ace,e&&(e.exports=window.ace)}),e.exports={ace}},583(e,t,n){"use strict";var i=n(72),r=n.n(i),s=n(825),o=n.n(s),a=n(659),l=n.n(a),c=n(56),u=n.n(c),h=n(540),d=n.n(h),m=n(113),p=n.n(m),g=n(636),f={};f.styleTagTransform=p(),f.setAttributes=u(),f.insert=l().bind(null,"html"),f.domAPI=o(),f.insertStyleElement=d(),r()(g.A,f),g.A&&g.A.locals&&g.A.locals},72(e){"use strict";var t=[];function n(e){for(var n=-1,i=0;i0?" ".concat(n.layer):""," {")),i+=n.css,r&&(i+="}"),n.media&&(i+="}"),n.supports&&(i+="}");var s=n.sourceMap;s&&"undefined"!=typeof btoa&&(i+="\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(s))))," */")),t.styleTagTransform(i,e,t.options)}(t,e,n)},remove:function(){!function(e){if(null===e.parentNode)return!1;e.parentNode.removeChild(e)}(t)}}}},113(e){"use strict";e.exports=function(e,t){if(t.styleSheet)t.styleSheet.cssText=e;else{for(;t.firstChild;)t.removeChild(t.firstChild);t.appendChild(document.createTextNode(e))}}},517(e,t,n){"use strict";n.r(t),n.d(t,{EmbeddedFrontend:()=>pn,Spector:()=>gn});class i{static isBuildableProgram(e){return!!e&&!!e[this.rebuildProgramFunctionName]}static rebuildProgram(e,t,n,i,r){this.isBuildableProgram(e)&&e[this.rebuildProgramFunctionName](t,n,i,r)}}var r;i.rebuildProgramFunctionName="__SPECTOR_rebuildProgram",function(e){e[e.noLog=0]="noLog",e[e.error=1]="error",e[e.warning=2]="warning",e[e.info=3]="info"}(r||(r={}));class s{static error(e,...t){this.level>0&&console.error(e,t)}static warn(e,...t){this.level>1&&console.warn(e,t)}static info(e,...t){this.level>2&&console.log(e,t)}}s.level=r.warning;class o{constructor(){this.callbacks=[],this.counter=-1}add(e,t){return this.counter++,t&&(e=e.bind(t)),this.callbacks[this.counter]=e,this.counter}remove(e){delete this.callbacks[e]}clear(){this.callbacks={}}trigger(e){for(const t in this.callbacks)this.callbacks.hasOwnProperty(t)&&this.callbacks[t](e)}}class a{constructor(){if(window.performance&&window.performance.now)this.nowFunction=this.dateBasedPerformanceNow.bind(this);else{const e=new Date;this.nowFunction=e.getTime.bind(e)}}dateBasedPerformanceNow(){return performance.timing.navigationStart+performance.now()}static get now(){return a.instance.nowFunction()}}a.instance=new a;class l{constructor(e){this.options=e}appendAnalysis(e){e.analyses=e.analyses||[];const t=this.getAnalysis(e);e.analyses.push(t)}getAnalysis(e){const t={analyserName:this.analyserName};return this.appendToAnalysis(e,t),t}}class c extends l{get analyserName(){return c.analyserName}appendToAnalysis(e,t){if(!e.commands)return;const n={};for(const t of e.commands)n[t.name]=n[t.name]||0,n[t.name]++;const i=Object.keys(n).map(e=>[e,n[e]]);i.sort((e,t)=>{const n=t[1]-e[1];return 0===n?e[0].localeCompare(t[0]):n});for(const e of i)t[e[0]]=e[1]}}c.analyserName="Commands";const u=["drawArrays","drawElements","drawArraysInstanced","drawArraysInstancedANGLE","drawElementsInstanced","drawElementsInstancedANGLE","drawRangeElements","multiDrawArraysWEBGL","multiDrawElementsWEBGL","multiDrawArraysInstancedWEBGL","multiDrawElementsInstancedWEBGL","multiDrawArraysInstancedBaseInstanceWEBGL","multiDrawElementsInstancedBaseVertexBaseInstanceWEBGL","drawArraysInstancedBaseInstanceWEBGL","drawElementsInstancedBaseVertexBaseInstanceWEBGL"];class h extends l{get analyserName(){return h.analyserName}appendToAnalysis(e,t){if(e.commands){t.total=e.commands.length,t.draw=0,t.clear=0;for(const n of e.commands)"clear"===n.name?t.clear++:u.indexOf(n.name)>-1&&t.draw++}}}h.analyserName="CommandsSummary";class d{static isWebGlConstant(e){return null!==p[e]&&void 0!==p[e]}static stringifyWebGlConstant(e,t){if(null==e)return"";if(0===e){return this.zeroMeaningByCommand[t]||"0"}if(1===e){return this.oneMeaningByCommand[t]||"1"}const n=p[e];return n?n.name:e+""}}d.DEPTH_BUFFER_BIT={name:"DEPTH_BUFFER_BIT",value:256,description:"Passed to clear to clear the current depth buffer."},d.STENCIL_BUFFER_BIT={name:"STENCIL_BUFFER_BIT",value:1024,description:"Passed to clear to clear the current stencil buffer."},d.COLOR_BUFFER_BIT={name:"COLOR_BUFFER_BIT",value:16384,description:"Passed to clear to clear the current color buffer."},d.POINTS={name:"POINTS",value:0,description:"Passed to drawElements or drawArrays to draw single points."},d.LINES={name:"LINES",value:1,description:"Passed to drawElements or drawArrays to draw lines. Each vertex connects to the one after it."},d.LINE_LOOP={name:"LINE_LOOP",value:2,description:"Passed to drawElements or drawArrays to draw lines. Each set of two vertices is treated as a separate line segment."},d.LINE_STRIP={name:"LINE_STRIP",value:3,description:"Passed to drawElements or drawArrays to draw a connected group of line segments from the first vertex to the last."},d.TRIANGLES={name:"TRIANGLES",value:4,description:"Passed to drawElements or drawArrays to draw triangles. Each set of three vertices creates a separate triangle."},d.TRIANGLE_STRIP={name:"TRIANGLE_STRIP",value:5,description:"Passed to drawElements or drawArrays to draw a connected group of triangles."},d.TRIANGLE_FAN={name:"TRIANGLE_FAN",value:6,description:"Passed to drawElements or drawArrays to draw a connected group of triangles. Each vertex connects to the previous and the first vertex in the fan."},d.ZERO={name:"ZERO",value:0,description:"Passed to blendFunc or blendFuncSeparate to turn off a component."},d.ONE={name:"ONE",value:1,description:"Passed to blendFunc or blendFuncSeparate to turn on a component."},d.SRC_COLOR={name:"SRC_COLOR",value:768,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by the source elements color."},d.ONE_MINUS_SRC_COLOR={name:"ONE_MINUS_SRC_COLOR",value:769,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by one minus the source elements color."},d.SRC_ALPHA={name:"SRC_ALPHA",value:770,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by the source's alpha."},d.ONE_MINUS_SRC_ALPHA={name:"ONE_MINUS_SRC_ALPHA",value:771,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by one minus the source's alpha."},d.DST_ALPHA={name:"DST_ALPHA",value:772,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by the destination's alpha."},d.ONE_MINUS_DST_ALPHA={name:"ONE_MINUS_DST_ALPHA",value:773,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by one minus the destination's alpha."},d.DST_COLOR={name:"DST_COLOR",value:774,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by the destination's color."},d.ONE_MINUS_DST_COLOR={name:"ONE_MINUS_DST_COLOR",value:775,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by one minus the destination's color."},d.SRC_ALPHA_SATURATE={name:"SRC_ALPHA_SATURATE",value:776,description:"Passed to blendFunc or blendFuncSeparate to multiply a component by the minimum of source's alpha or one minus the destination's alpha."},d.CONSTANT_COLOR={name:"CONSTANT_COLOR",value:32769,description:"Passed to blendFunc or blendFuncSeparate to specify a constant color blend function."},d.ONE_MINUS_CONSTANT_COLOR={name:"ONE_MINUS_CONSTANT_COLOR",value:32770,description:"Passed to blendFunc or blendFuncSeparate to specify one minus a constant color blend function."},d.CONSTANT_ALPHA={name:"CONSTANT_ALPHA",value:32771,description:"Passed to blendFunc or blendFuncSeparate to specify a constant alpha blend function."},d.ONE_MINUS_CONSTANT_ALPHA={name:"ONE_MINUS_CONSTANT_ALPHA",value:32772,description:"Passed to blendFunc or blendFuncSeparate to specify one minus a constant alpha blend function."},d.FUNC_ADD={name:"FUNC_ADD",value:32774,description:"Passed to blendEquation or blendEquationSeparate to set an addition blend function."},d.FUNC_SUBSTRACT={name:"FUNC_SUBSTRACT",value:32778,description:"Passed to blendEquation or blendEquationSeparate to specify a subtraction blend function (source - destination)."},d.FUNC_REVERSE_SUBTRACT={name:"FUNC_REVERSE_SUBTRACT",value:32779,description:"Passed to blendEquation or blendEquationSeparate to specify a reverse subtraction blend function (destination - source)."},d.BLEND_EQUATION={name:"BLEND_EQUATION",value:32777,description:"Passed to getParameter to get the current RGB blend function."},d.BLEND_EQUATION_RGB={name:"BLEND_EQUATION_RGB",value:32777,description:"Passed to getParameter to get the current RGB blend function. Same as BLEND_EQUATION"},d.BLEND_EQUATION_ALPHA={name:"BLEND_EQUATION_ALPHA",value:34877,description:"Passed to getParameter to get the current alpha blend function. Same as BLEND_EQUATION"},d.BLEND_DST_RGB={name:"BLEND_DST_RGB",value:32968,description:"Passed to getParameter to get the current destination RGB blend function."},d.BLEND_SRC_RGB={name:"BLEND_SRC_RGB",value:32969,description:"Passed to getParameter to get the current destination RGB blend function."},d.BLEND_DST_ALPHA={name:"BLEND_DST_ALPHA",value:32970,description:"Passed to getParameter to get the current destination alpha blend function."},d.BLEND_SRC_ALPHA={name:"BLEND_SRC_ALPHA",value:32971,description:"Passed to getParameter to get the current source alpha blend function."},d.BLEND_COLOR={name:"BLEND_COLOR",value:32773,description:"Passed to getParameter to return a the current blend color."},d.ARRAY_BUFFER_BINDING={name:"ARRAY_BUFFER_BINDING",value:34964,description:"Passed to getParameter to get the array buffer binding."},d.ELEMENT_ARRAY_BUFFER_BINDING={name:"ELEMENT_ARRAY_BUFFER_BINDING",value:34965,description:"Passed to getParameter to get the current element array buffer."},d.LINE_WIDTH={name:"LINE_WIDTH",value:2849,description:"Passed to getParameter to get the current lineWidth (set by the lineWidth method)."},d.ALIASED_POINT_SIZE_RANGE={name:"ALIASED_POINT_SIZE_RANGE",value:33901,description:"Passed to getParameter to get the current size of a point drawn with gl.POINTS"},d.ALIASED_LINE_WIDTH_RANGE={name:"ALIASED_LINE_WIDTH_RANGE",value:33902,description:"Passed to getParameter to get the range of available widths for a line. Returns a length-2 array with the lo value at 0, and hight at 1."},d.CULL_FACE_MODE={name:"CULL_FACE_MODE",value:2885,description:"Passed to getParameter to get the current value of cullFace. Should return FRONT, BACK, or FRONT_AND_BACK"},d.FRONT_FACE={name:"FRONT_FACE",value:2886,description:"Passed to getParameter to determine the current value of frontFace. Should return CW or CCW."},d.DEPTH_RANGE={name:"DEPTH_RANGE",value:2928,description:"Passed to getParameter to return a length-2 array of floats giving the current depth range."},d.DEPTH_WRITEMASK={name:"DEPTH_WRITEMASK",value:2930,description:"Passed to getParameter to determine if the depth write mask is enabled."},d.DEPTH_CLEAR_VALUE={name:"DEPTH_CLEAR_VALUE",value:2931,description:"Passed to getParameter to determine the current depth clear value."},d.DEPTH_FUNC={name:"DEPTH_FUNC",value:2932,description:"Passed to getParameter to get the current depth function. Returns NEVER, ALWAYS, LESS, EQUAL, LEQUAL, GREATER, GEQUAL, or NOTEQUAL."},d.STENCIL_CLEAR_VALUE={name:"STENCIL_CLEAR_VALUE",value:2961,description:"Passed to getParameter to get the value the stencil will be cleared to."},d.STENCIL_FUNC={name:"STENCIL_FUNC",value:2962,description:"Passed to getParameter to get the current stencil function. Returns NEVER, ALWAYS, LESS, EQUAL, LEQUAL, GREATER, GEQUAL, or NOTEQUAL."},d.STENCIL_FAIL={name:"STENCIL_FAIL",value:2964,description:"Passed to getParameter to get the current stencil fail function. Should return KEEP, REPLACE, INCR, DECR, INVERT, INCR_WRAP, or DECR_WRAP."},d.STENCIL_PASS_DEPTH_FAIL={name:"STENCIL_PASS_DEPTH_FAIL",value:2965,description:"Passed to getParameter to get the current stencil fail function should the depth buffer test fail. Should return KEEP, REPLACE, INCR, DECR, INVERT, INCR_WRAP, or DECR_WRAP."},d.STENCIL_PASS_DEPTH_PASS={name:"STENCIL_PASS_DEPTH_PASS",value:2966,description:"Passed to getParameter to get the current stencil fail function should the depth buffer test pass. Should return KEEP, REPLACE, INCR, DECR, INVERT, INCR_WRAP, or DECR_WRAP."},d.STENCIL_REF={name:"STENCIL_REF",value:2967,description:"Passed to getParameter to get the reference value used for stencil tests."},d.STENCIL_VALUE_MASK={name:"STENCIL_VALUE_MASK",value:2963,description:" "},d.STENCIL_WRITEMASK={name:"STENCIL_WRITEMASK",value:2968,description:" "},d.STENCIL_BACK_FUNC={name:"STENCIL_BACK_FUNC",value:34816,description:" "},d.STENCIL_BACK_FAIL={name:"STENCIL_BACK_FAIL",value:34817,description:" "},d.STENCIL_BACK_PASS_DEPTH_FAIL={name:"STENCIL_BACK_PASS_DEPTH_FAIL",value:34818,description:" "},d.STENCIL_BACK_PASS_DEPTH_PASS={name:"STENCIL_BACK_PASS_DEPTH_PASS",value:34819,description:" "},d.STENCIL_BACK_REF={name:"STENCIL_BACK_REF",value:36003,description:" "},d.STENCIL_BACK_VALUE_MASK={name:"STENCIL_BACK_VALUE_MASK",value:36004,description:" "},d.STENCIL_BACK_WRITEMASK={name:"STENCIL_BACK_WRITEMASK",value:36005,description:" "},d.VIEWPORT={name:"VIEWPORT",value:2978,description:"Returns an Int32Array with four elements for the current viewport dimensions."},d.SCISSOR_BOX={name:"SCISSOR_BOX",value:3088,description:"Returns an Int32Array with four elements for the current scissor box dimensions."},d.COLOR_CLEAR_VALUE={name:"COLOR_CLEAR_VALUE",value:3106,description:" "},d.COLOR_WRITEMASK={name:"COLOR_WRITEMASK",value:3107,description:" "},d.UNPACK_ALIGNMENT={name:"UNPACK_ALIGNMENT",value:3317,description:" "},d.PACK_ALIGNMENT={name:"PACK_ALIGNMENT",value:3333,description:" "},d.MAX_TEXTURE_SIZE={name:"MAX_TEXTURE_SIZE",value:3379,description:" "},d.MAX_VIEWPORT_DIMS={name:"MAX_VIEWPORT_DIMS",value:3386,description:" "},d.SUBPIXEL_BITS={name:"SUBPIXEL_BITS",value:3408,description:" "},d.RED_BITS={name:"RED_BITS",value:3410,description:" "},d.GREEN_BITS={name:"GREEN_BITS",value:3411,description:" "},d.BLUE_BITS={name:"BLUE_BITS",value:3412,description:" "},d.ALPHA_BITS={name:"ALPHA_BITS",value:3413,description:" "},d.DEPTH_BITS={name:"DEPTH_BITS",value:3414,description:" "},d.STENCIL_BITS={name:"STENCIL_BITS",value:3415,description:" "},d.POLYGON_OFFSET_UNITS={name:"POLYGON_OFFSET_UNITS",value:10752,description:" "},d.POLYGON_OFFSET_FACTOR={name:"POLYGON_OFFSET_FACTOR",value:32824,description:" "},d.TEXTURE_BINDING_2D={name:"TEXTURE_BINDING_2D",value:32873,description:" "},d.SAMPLE_BUFFERS={name:"SAMPLE_BUFFERS",value:32936,description:" "},d.SAMPLES={name:"SAMPLES",value:32937,description:" "},d.SAMPLE_COVERAGE_VALUE={name:"SAMPLE_COVERAGE_VALUE",value:32938,description:" "},d.SAMPLE_COVERAGE_INVERT={name:"SAMPLE_COVERAGE_INVERT",value:32939,description:" "},d.COMPRESSED_TEXTURE_FORMATS={name:"COMPRESSED_TEXTURE_FORMATS",value:34467,description:" "},d.VENDOR={name:"VENDOR",value:7936,description:" "},d.RENDERER={name:"RENDERER",value:7937,description:" "},d.VERSION={name:"VERSION",value:7938,description:" "},d.IMPLEMENTATION_COLOR_READ_TYPE={name:"IMPLEMENTATION_COLOR_READ_TYPE",value:35738,description:" "},d.IMPLEMENTATION_COLOR_READ_FORMAT={name:"IMPLEMENTATION_COLOR_READ_FORMAT",value:35739,description:" "},d.BROWSER_DEFAULT_WEBGL={name:"BROWSER_DEFAULT_WEBGL",value:37444,description:" "},d.STATIC_DRAW={name:"STATIC_DRAW",value:35044,description:"Passed to bufferData as a hint about whether the contents of the buffer are likely to be used often and not change often."},d.STREAM_DRAW={name:"STREAM_DRAW",value:35040,description:"Passed to bufferData as a hint about whether the contents of the buffer are likely to not be used often."},d.DYNAMIC_DRAW={name:"DYNAMIC_DRAW",value:35048,description:"Passed to bufferData as a hint about whether the contents of the buffer are likely to be used often and change often."},d.ARRAY_BUFFER={name:"ARRAY_BUFFER",value:34962,description:"Passed to bindBuffer or bufferData to specify the type of buffer being used."},d.ELEMENT_ARRAY_BUFFER={name:"ELEMENT_ARRAY_BUFFER",value:34963,description:"Passed to bindBuffer or bufferData to specify the type of buffer being used."},d.BUFFER_SIZE={name:"BUFFER_SIZE",value:34660,description:"Passed to getBufferParameter to get a buffer's size."},d.BUFFER_USAGE={name:"BUFFER_USAGE",value:34661,description:"Passed to getBufferParameter to get the hint for the buffer passed in when it was created."},d.CURRENT_VERTEX_ATTRIB={name:"CURRENT_VERTEX_ATTRIB",value:34342,description:"Passed to getVertexAttrib to read back the current vertex attribute."},d.VERTEX_ATTRIB_ARRAY_ENABLED={name:"VERTEX_ATTRIB_ARRAY_ENABLED",value:34338,description:" "},d.VERTEX_ATTRIB_ARRAY_SIZE={name:"VERTEX_ATTRIB_ARRAY_SIZE",value:34339,description:" "},d.VERTEX_ATTRIB_ARRAY_STRIDE={name:"VERTEX_ATTRIB_ARRAY_STRIDE",value:34340,description:" "},d.VERTEX_ATTRIB_ARRAY_TYPE={name:"VERTEX_ATTRIB_ARRAY_TYPE",value:34341,description:" "},d.VERTEX_ATTRIB_ARRAY_NORMALIZED={name:"VERTEX_ATTRIB_ARRAY_NORMALIZED",value:34922,description:" "},d.VERTEX_ATTRIB_ARRAY_POINTER={name:"VERTEX_ATTRIB_ARRAY_POINTER",value:34373,description:" "},d.VERTEX_ATTRIB_ARRAY_BUFFER_BINDING={name:"VERTEX_ATTRIB_ARRAY_BUFFER_BINDING",value:34975,description:" "},d.CULL_FACE={name:"CULL_FACE",value:2884,description:"Passed to enable/disable to turn on/off culling. Can also be used with getParameter to find the current culling method."},d.FRONT={name:"FRONT",value:1028,description:"Passed to cullFace to specify that only front faces should be drawn."},d.BACK={name:"BACK",value:1029,description:"Passed to cullFace to specify that only back faces should be drawn."},d.FRONT_AND_BACK={name:"FRONT_AND_BACK",value:1032,description:"Passed to cullFace to specify that front and back faces should be drawn."},d.BLEND={name:"BLEND",value:3042,description:"Passed to enable/disable to turn on/off blending. Can also be used with getParameter to find the current blending method."},d.DEPTH_TEST={name:"DEPTH_TEST",value:2929,description:"Passed to enable/disable to turn on/off the depth test. Can also be used with getParameter to query the depth test."},d.DITHER={name:"DITHER",value:3024,description:"Passed to enable/disable to turn on/off dithering. Can also be used with getParameter to find the current dithering method."},d.POLYGON_OFFSET_FILL={name:"POLYGON_OFFSET_FILL",value:32823,description:"Passed to enable/disable to turn on/off the polygon offset. Useful for rendering hidden-line images, decals, and or solids with highlighted edges. Can also be used with getParameter to query the scissor test."},d.SAMPLE_ALPHA_TO_COVERAGE={name:"SAMPLE_ALPHA_TO_COVERAGE",value:32926,description:"Passed to enable/disable to turn on/off the alpha to coverage. Used in multi-sampling alpha channels."},d.SAMPLE_COVERAGE={name:"SAMPLE_COVERAGE",value:32928,description:"Passed to enable/disable to turn on/off the sample coverage. Used in multi-sampling."},d.SCISSOR_TEST={name:"SCISSOR_TEST",value:3089,description:"Passed to enable/disable to turn on/off the scissor test. Can also be used with getParameter to query the scissor test."},d.STENCIL_TEST={name:"STENCIL_TEST",value:2960,description:"Passed to enable/disable to turn on/off the stencil test. Can also be used with getParameter to query the stencil test."},d.NO_ERROR={name:"NO_ERROR",value:0,description:"Returned from getError."},d.INVALID_ENUM={name:"INVALID_ENUM",value:1280,description:"Returned from getError."},d.INVALID_VALUE={name:"INVALID_VALUE",value:1281,description:"Returned from getError."},d.INVALID_OPERATION={name:"INVALID_OPERATION",value:1282,description:"Returned from getError."},d.OUT_OF_MEMORY={name:"OUT_OF_MEMORY",value:1285,description:"Returned from getError."},d.CONTEXT_LOST_WEBGL={name:"CONTEXT_LOST_WEBGL",value:37442,description:"Returned from getError."},d.CW={name:"CW",value:2304,description:"Passed to frontFace to specify the front face of a polygon is drawn in the clockwise direction"},d.CCW={name:"CCW",value:2305,description:"Passed to frontFace to specify the front face of a polygon is drawn in the counter clockwise direction"},d.DONT_CARE={name:"DONT_CARE",value:4352,description:"There is no preference for this behavior."},d.FASTEST={name:"FASTEST",value:4353,description:"The most efficient behavior should be used."},d.NICEST={name:"NICEST",value:4354,description:"The most correct or the highest quality option should be used."},d.GENERATE_MIPMAP_HINT={name:"GENERATE_MIPMAP_HINT",value:33170,description:"Hint for the quality of filtering when generating mipmap images with WebGLRenderingContext.generateMipmap()."},d.BYTE={name:"BYTE",value:5120,description:" "},d.UNSIGNED_BYTE={name:"UNSIGNED_BYTE",value:5121,description:" "},d.SHORT={name:"SHORT",value:5122,description:" "},d.UNSIGNED_SHORT={name:"UNSIGNED_SHORT",value:5123,description:" "},d.INT={name:"INT",value:5124,description:" "},d.UNSIGNED_INT={name:"UNSIGNED_INT",value:5125,description:" "},d.FLOAT={name:"FLOAT",value:5126,description:" "},d.DEPTH_COMPONENT={name:"DEPTH_COMPONENT",value:6402,description:" "},d.ALPHA={name:"ALPHA",value:6406,description:" "},d.RGB={name:"RGB",value:6407,description:" "},d.RGBA={name:"RGBA",value:6408,description:" "},d.LUMINANCE={name:"LUMINANCE",value:6409,description:" "},d.LUMINANCE_ALPHA={name:"LUMINANCE_ALPHA",value:6410,description:" "},d.UNSIGNED_SHORT_4_4_4_4={name:"UNSIGNED_SHORT_4_4_4_4",value:32819,description:" "},d.UNSIGNED_SHORT_5_5_5_1={name:"UNSIGNED_SHORT_5_5_5_1",value:32820,description:" "},d.UNSIGNED_SHORT_5_6_5={name:"UNSIGNED_SHORT_5_6_5",value:33635,description:" "},d.FRAGMENT_SHADER={name:"FRAGMENT_SHADER",value:35632,description:"Passed to createShader to define a fragment shader."},d.VERTEX_SHADER={name:"VERTEX_SHADER",value:35633,description:"Passed to createShader to define a vertex shader"},d.COMPILE_STATUS={name:"COMPILE_STATUS",value:35713,description:"Passed to getShaderParamter to get the status of the compilation. Returns false if the shader was not compiled. You can then query getShaderInfoLog to find the exact error"},d.DELETE_STATUS={name:"DELETE_STATUS",value:35712,description:"Passed to getShaderParamter to determine if a shader was deleted via deleteShader. Returns true if it was, false otherwise."},d.LINK_STATUS={name:"LINK_STATUS",value:35714,description:"Passed to getProgramParameter after calling linkProgram to determine if a program was linked correctly. Returns false if there were errors. Use getProgramInfoLog to find the exact error."},d.VALIDATE_STATUS={name:"VALIDATE_STATUS",value:35715,description:"Passed to getProgramParameter after calling validateProgram to determine if it is valid. Returns false if errors were found."},d.ATTACHED_SHADERS={name:"ATTACHED_SHADERS",value:35717,description:"Passed to getProgramParameter after calling attachShader to determine if the shader was attached correctly. Returns false if errors occurred."},d.ACTIVE_ATTRIBUTES={name:"ACTIVE_ATTRIBUTES",value:35721,description:"Passed to getProgramParameter to get the number of attributes active in a program."},d.ACTIVE_UNIFORMS={name:"ACTIVE_UNIFORMS",value:35718,description:"Passed to getProgramParamter to get the number of uniforms active in a program."},d.MAX_VERTEX_ATTRIBS={name:"MAX_VERTEX_ATTRIBS",value:34921,description:" "},d.MAX_VERTEX_UNIFORM_VECTORS={name:"MAX_VERTEX_UNIFORM_VECTORS",value:36347,description:" "},d.MAX_VARYING_VECTORS={name:"MAX_VARYING_VECTORS",value:36348,description:" "},d.MAX_COMBINED_TEXTURE_IMAGE_UNITS={name:"MAX_COMBINED_TEXTURE_IMAGE_UNITS",value:35661,description:" "},d.MAX_VERTEX_TEXTURE_IMAGE_UNITS={name:"MAX_VERTEX_TEXTURE_IMAGE_UNITS",value:35660,description:" "},d.MAX_TEXTURE_IMAGE_UNITS={name:"MAX_TEXTURE_IMAGE_UNITS",value:34930,description:"Implementation dependent number of maximum texture units. At least 8."},d.MAX_FRAGMENT_UNIFORM_VECTORS={name:"MAX_FRAGMENT_UNIFORM_VECTORS",value:36349,description:" "},d.SHADER_TYPE={name:"SHADER_TYPE",value:35663,description:" "},d.SHADING_LANGUAGE_VERSION={name:"SHADING_LANGUAGE_VERSION",value:35724,description:" "},d.CURRENT_PROGRAM={name:"CURRENT_PROGRAM",value:35725,description:" "},d.NEVER={name:"NEVER",value:512,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will never pass. i.e. Nothing will be drawn."},d.ALWAYS={name:"ALWAYS",value:519,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will always pass. i.e. Pixels will be drawn in the order they are drawn."},d.LESS={name:"LESS",value:513,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will pass if the new depth value is less than the stored value."},d.EQUAL={name:"EQUAL",value:514,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will pass if the new depth value is equals to the stored value."},d.LEQUAL={name:"LEQUAL",value:515,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will pass if the new depth value is less than or equal to the stored value."},d.GREATER={name:"GREATER",value:516,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will pass if the new depth value is greater than the stored value."},d.GEQUAL={name:"GEQUAL",value:518,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will pass if the new depth value is greater than or equal to the stored value."},d.NOTEQUAL={name:"NOTEQUAL",value:517,description:"Passed to depthFunction or stencilFunction to specify depth or stencil tests will pass if the new depth value is not equal to the stored value."},d.KEEP={name:"KEEP",value:7680,description:" "},d.REPLACE={name:"REPLACE",value:7681,description:" "},d.INCR={name:"INCR",value:7682,description:" "},d.DECR={name:"DECR",value:7683,description:" "},d.INVERT={name:"INVERT",value:5386,description:" "},d.INCR_WRAP={name:"INCR_WRAP",value:34055,description:" "},d.DECR_WRAP={name:"DECR_WRAP",value:34056,description:" "},d.NEAREST={name:"NEAREST",value:9728,description:" "},d.LINEAR={name:"LINEAR",value:9729,description:" "},d.NEAREST_MIPMAP_NEAREST={name:"NEAREST_MIPMAP_NEAREST",value:9984,description:" "},d.LINEAR_MIPMAP_NEAREST={name:"LINEAR_MIPMAP_NEAREST",value:9985,description:" "},d.NEAREST_MIPMAP_LINEAR={name:"NEAREST_MIPMAP_LINEAR",value:9986,description:" "},d.LINEAR_MIPMAP_LINEAR={name:"LINEAR_MIPMAP_LINEAR",value:9987,description:" "},d.TEXTURE_MAG_FILTER={name:"TEXTURE_MAG_FILTER",value:10240,description:" "},d.TEXTURE_MIN_FILTER={name:"TEXTURE_MIN_FILTER",value:10241,description:" "},d.TEXTURE_WRAP_S={name:"TEXTURE_WRAP_S",value:10242,description:" "},d.TEXTURE_WRAP_T={name:"TEXTURE_WRAP_T",value:10243,description:" "},d.TEXTURE_2D={name:"TEXTURE_2D",value:3553,description:" "},d.TEXTURE={name:"TEXTURE",value:5890,description:" "},d.TEXTURE_CUBE_MAP={name:"TEXTURE_CUBE_MAP",value:34067,description:" "},d.TEXTURE_BINDING_CUBE_MAP={name:"TEXTURE_BINDING_CUBE_MAP",value:34068,description:" "},d.TEXTURE_CUBE_MAP_POSITIVE_X={name:"TEXTURE_CUBE_MAP_POSITIVE_X",value:34069,description:" "},d.TEXTURE_CUBE_MAP_NEGATIVE_X={name:"TEXTURE_CUBE_MAP_NEGATIVE_X",value:34070,description:" "},d.TEXTURE_CUBE_MAP_POSITIVE_Y={name:"TEXTURE_CUBE_MAP_POSITIVE_Y",value:34071,description:" "},d.TEXTURE_CUBE_MAP_NEGATIVE_Y={name:"TEXTURE_CUBE_MAP_NEGATIVE_Y",value:34072,description:" "},d.TEXTURE_CUBE_MAP_POSITIVE_Z={name:"TEXTURE_CUBE_MAP_POSITIVE_Z",value:34073,description:" "},d.TEXTURE_CUBE_MAP_NEGATIVE_Z={name:"TEXTURE_CUBE_MAP_NEGATIVE_Z",value:34074,description:" "},d.MAX_CUBE_MAP_TEXTURE_SIZE={name:"MAX_CUBE_MAP_TEXTURE_SIZE",value:34076,description:" "},d.TEXTURE0={name:"TEXTURE0",value:33984,description:"A texture unit."},d.TEXTURE1={name:"TEXTURE1",value:33985,description:"A texture unit."},d.TEXTURE2={name:"TEXTURE2",value:33986,description:"A texture unit."},d.TEXTURE3={name:"TEXTURE3",value:33987,description:"A texture unit."},d.TEXTURE4={name:"TEXTURE4",value:33988,description:"A texture unit."},d.TEXTURE5={name:"TEXTURE5",value:33989,description:"A texture unit."},d.TEXTURE6={name:"TEXTURE6",value:33990,description:"A texture unit."},d.TEXTURE7={name:"TEXTURE7",value:33991,description:"A texture unit."},d.TEXTURE8={name:"TEXTURE8",value:33992,description:"A texture unit."},d.TEXTURE9={name:"TEXTURE9",value:33993,description:"A texture unit."},d.TEXTURE10={name:"TEXTURE10",value:33994,description:"A texture unit."},d.TEXTURE11={name:"TEXTURE11",value:33995,description:"A texture unit."},d.TEXTURE12={name:"TEXTURE12",value:33996,description:"A texture unit."},d.TEXTURE13={name:"TEXTURE13",value:33997,description:"A texture unit."},d.TEXTURE14={name:"TEXTURE14",value:33998,description:"A texture unit."},d.TEXTURE15={name:"TEXTURE15",value:33999,description:"A texture unit."},d.TEXTURE16={name:"TEXTURE16",value:34e3,description:"A texture unit."},d.TEXTURE17={name:"TEXTURE17",value:34001,description:"A texture unit."},d.TEXTURE18={name:"TEXTURE18",value:34002,description:"A texture unit."},d.TEXTURE19={name:"TEXTURE19",value:34003,description:"A texture unit."},d.TEXTURE20={name:"TEXTURE20",value:34004,description:"A texture unit."},d.TEXTURE21={name:"TEXTURE21",value:34005,description:"A texture unit."},d.TEXTURE22={name:"TEXTURE22",value:34006,description:"A texture unit."},d.TEXTURE23={name:"TEXTURE23",value:34007,description:"A texture unit."},d.TEXTURE24={name:"TEXTURE24",value:34008,description:"A texture unit."},d.TEXTURE25={name:"TEXTURE25",value:34009,description:"A texture unit."},d.TEXTURE26={name:"TEXTURE26",value:34010,description:"A texture unit."},d.TEXTURE27={name:"TEXTURE27",value:34011,description:"A texture unit."},d.TEXTURE28={name:"TEXTURE28",value:34012,description:"A texture unit."},d.TEXTURE29={name:"TEXTURE29",value:34013,description:"A texture unit."},d.TEXTURE30={name:"TEXTURE30",value:34014,description:"A texture unit."},d.TEXTURE31={name:"TEXTURE31",value:34015,description:"A texture unit."},d.ACTIVE_TEXTURE={name:"ACTIVE_TEXTURE",value:34016,description:"The current active texture unit."},d.REPEAT={name:"REPEAT",value:10497,description:" "},d.CLAMP_TO_EDGE={name:"CLAMP_TO_EDGE",value:33071,description:" "},d.MIRRORED_REPEAT={name:"MIRRORED_REPEAT",value:33648,description:" "},d.FLOAT_VEC2={name:"FLOAT_VEC2",value:35664,description:" "},d.FLOAT_VEC3={name:"FLOAT_VEC3",value:35665,description:" "},d.FLOAT_VEC4={name:"FLOAT_VEC4",value:35666,description:" "},d.INT_VEC2={name:"INT_VEC2",value:35667,description:" "},d.INT_VEC3={name:"INT_VEC3",value:35668,description:" "},d.INT_VEC4={name:"INT_VEC4",value:35669,description:" "},d.BOOL={name:"BOOL",value:35670,description:" "},d.BOOL_VEC2={name:"BOOL_VEC2",value:35671,description:" "},d.BOOL_VEC3={name:"BOOL_VEC3",value:35672,description:" "},d.BOOL_VEC4={name:"BOOL_VEC4",value:35673,description:" "},d.FLOAT_MAT2={name:"FLOAT_MAT2",value:35674,description:" "},d.FLOAT_MAT3={name:"FLOAT_MAT3",value:35675,description:" "},d.FLOAT_MAT4={name:"FLOAT_MAT4",value:35676,description:" "},d.SAMPLER_2D={name:"SAMPLER_2D",value:35678,description:" "},d.SAMPLER_CUBE={name:"SAMPLER_CUBE",value:35680,description:" "},d.LOW_FLOAT={name:"LOW_FLOAT",value:36336,description:" "},d.MEDIUM_FLOAT={name:"MEDIUM_FLOAT",value:36337,description:" "},d.HIGH_FLOAT={name:"HIGH_FLOAT",value:36338,description:" "},d.LOW_INT={name:"LOW_INT",value:36339,description:" "},d.MEDIUM_INT={name:"MEDIUM_INT",value:36340,description:" "},d.HIGH_INT={name:"HIGH_INT",value:36341,description:" "},d.FRAMEBUFFER={name:"FRAMEBUFFER",value:36160,description:" "},d.RENDERBUFFER={name:"RENDERBUFFER",value:36161,description:" "},d.RGBA4={name:"RGBA4",value:32854,description:" "},d.RGB5_A1={name:"RGB5_A1",value:32855,description:" "},d.RGB565={name:"RGB565",value:36194,description:" "},d.DEPTH_COMPONENT16={name:"DEPTH_COMPONENT16",value:33189,description:" "},d.STENCIL_INDEX={name:"STENCIL_INDEX",value:6401,description:" "},d.STENCIL_INDEX8={name:"STENCIL_INDEX8",value:36168,description:" "},d.DEPTH_STENCIL={name:"DEPTH_STENCIL",value:34041,description:" "},d.RENDERBUFFER_WIDTH={name:"RENDERBUFFER_WIDTH",value:36162,description:" "},d.RENDERBUFFER_HEIGHT={name:"RENDERBUFFER_HEIGHT",value:36163,description:" "},d.RENDERBUFFER_INTERNAL_FORMAT={name:"RENDERBUFFER_INTERNAL_FORMAT",value:36164,description:" "},d.RENDERBUFFER_RED_SIZE={name:"RENDERBUFFER_RED_SIZE",value:36176,description:" "},d.RENDERBUFFER_GREEN_SIZE={name:"RENDERBUFFER_GREEN_SIZE",value:36177,description:" "},d.RENDERBUFFER_BLUE_SIZE={name:"RENDERBUFFER_BLUE_SIZE",value:36178,description:" "},d.RENDERBUFFER_ALPHA_SIZE={name:"RENDERBUFFER_ALPHA_SIZE",value:36179,description:" "},d.RENDERBUFFER_DEPTH_SIZE={name:"RENDERBUFFER_DEPTH_SIZE",value:36180,description:" "},d.RENDERBUFFER_STENCIL_SIZE={name:"RENDERBUFFER_STENCIL_SIZE",value:36181,description:" "},d.FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE={name:"FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE",value:36048,description:" "},d.FRAMEBUFFER_ATTACHMENT_OBJECT_NAME={name:"FRAMEBUFFER_ATTACHMENT_OBJECT_NAME",value:36049,description:" "},d.FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL={name:"FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL",value:36050,description:" "},d.FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE={name:"FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE",value:36051,description:" "},d.COLOR_ATTACHMENT0={name:"COLOR_ATTACHMENT0",value:36064,description:" "},d.DEPTH_ATTACHMENT={name:"DEPTH_ATTACHMENT",value:36096,description:" "},d.STENCIL_ATTACHMENT={name:"STENCIL_ATTACHMENT",value:36128,description:" "},d.DEPTH_STENCIL_ATTACHMENT={name:"DEPTH_STENCIL_ATTACHMENT",value:33306,description:" "},d.NONE={name:"NONE",value:0,description:" "},d.FRAMEBUFFER_COMPLETE={name:"FRAMEBUFFER_COMPLETE",value:36053,description:" "},d.FRAMEBUFFER_INCOMPLETE_ATTACHMENT={name:"FRAMEBUFFER_INCOMPLETE_ATTACHMENT",value:36054,description:" "},d.FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT={name:"FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT",value:36055,description:" "},d.FRAMEBUFFER_INCOMPLETE_DIMENSIONS={name:"FRAMEBUFFER_INCOMPLETE_DIMENSIONS",value:36057,description:" "},d.FRAMEBUFFER_UNSUPPORTED={name:"FRAMEBUFFER_UNSUPPORTED",value:36061,description:" "},d.FRAMEBUFFER_BINDING={name:"FRAMEBUFFER_BINDING",value:36006,description:" "},d.RENDERBUFFER_BINDING={name:"RENDERBUFFER_BINDING",value:36007,description:" "},d.MAX_RENDERBUFFER_SIZE={name:"MAX_RENDERBUFFER_SIZE",value:34024,description:" "},d.INVALID_FRAMEBUFFER_OPERATION={name:"INVALID_FRAMEBUFFER_OPERATION",value:1286,description:" "},d.UNPACK_FLIP_Y_WEBGL={name:"UNPACK_FLIP_Y_WEBGL",value:37440,description:" "},d.UNPACK_PREMULTIPLY_ALPHA_WEBGL={name:"UNPACK_PREMULTIPLY_ALPHA_WEBGL",value:37441,description:" "},d.UNPACK_COLORSPACE_CONVERSION_WEBGL={name:"UNPACK_COLORSPACE_CONVERSION_WEBGL",value:37443,description:" "},d.READ_BUFFER={name:"READ_BUFFER",value:3074,description:" "},d.UNPACK_ROW_LENGTH={name:"UNPACK_ROW_LENGTH",value:3314,description:" "},d.UNPACK_SKIP_ROWS={name:"UNPACK_SKIP_ROWS",value:3315,description:" "},d.UNPACK_SKIP_PIXELS={name:"UNPACK_SKIP_PIXELS",value:3316,description:" "},d.PACK_ROW_LENGTH={name:"PACK_ROW_LENGTH",value:3330,description:" "},d.PACK_SKIP_ROWS={name:"PACK_SKIP_ROWS",value:3331,description:" "},d.PACK_SKIP_PIXELS={name:"PACK_SKIP_PIXELS",value:3332,description:" "},d.TEXTURE_BINDING_3D={name:"TEXTURE_BINDING_3D",value:32874,description:" "},d.UNPACK_SKIP_IMAGES={name:"UNPACK_SKIP_IMAGES",value:32877,description:" "},d.UNPACK_IMAGE_HEIGHT={name:"UNPACK_IMAGE_HEIGHT",value:32878,description:" "},d.MAX_3D_TEXTURE_SIZE={name:"MAX_3D_TEXTURE_SIZE",value:32883,description:" "},d.MAX_ELEMENTS_VERTICES={name:"MAX_ELEMENTS_VERTICES",value:33e3,description:" "},d.MAX_ELEMENTS_INDICES={name:"MAX_ELEMENTS_INDICES",value:33001,description:" "},d.MAX_TEXTURE_LOD_BIAS={name:"MAX_TEXTURE_LOD_BIAS",value:34045,description:" "},d.MAX_FRAGMENT_UNIFORM_COMPONENTS={name:"MAX_FRAGMENT_UNIFORM_COMPONENTS",value:35657,description:" "},d.MAX_VERTEX_UNIFORM_COMPONENTS={name:"MAX_VERTEX_UNIFORM_COMPONENTS",value:35658,description:" "},d.MAX_ARRAY_TEXTURE_LAYERS={name:"MAX_ARRAY_TEXTURE_LAYERS",value:35071,description:" "},d.MIN_PROGRAM_TEXEL_OFFSET={name:"MIN_PROGRAM_TEXEL_OFFSET",value:35076,description:" "},d.MAX_PROGRAM_TEXEL_OFFSET={name:"MAX_PROGRAM_TEXEL_OFFSET",value:35077,description:" "},d.MAX_VARYING_COMPONENTS={name:"MAX_VARYING_COMPONENTS",value:35659,description:" "},d.FRAGMENT_SHADER_DERIVATIVE_HINT={name:"FRAGMENT_SHADER_DERIVATIVE_HINT",value:35723,description:" "},d.RASTERIZER_DISCARD={name:"RASTERIZER_DISCARD",value:35977,description:" "},d.VERTEX_ARRAY_BINDING={name:"VERTEX_ARRAY_BINDING",value:34229,description:" "},d.MAX_VERTEX_OUTPUT_COMPONENTS={name:"MAX_VERTEX_OUTPUT_COMPONENTS",value:37154,description:" "},d.MAX_FRAGMENT_INPUT_COMPONENTS={name:"MAX_FRAGMENT_INPUT_COMPONENTS",value:37157,description:" "},d.MAX_SERVER_WAIT_TIMEOUT={name:"MAX_SERVER_WAIT_TIMEOUT",value:37137,description:" "},d.MAX_ELEMENT_INDEX={name:"MAX_ELEMENT_INDEX",value:36203,description:" "},d.RED={name:"RED",value:6403,description:" "},d.RGB8={name:"RGB8",value:32849,description:" "},d.RGBA8={name:"RGBA8",value:32856,description:" "},d.RGB10_A2={name:"RGB10_A2",value:32857,description:" "},d.TEXTURE_3D={name:"TEXTURE_3D",value:32879,description:" "},d.TEXTURE_WRAP_R={name:"TEXTURE_WRAP_R",value:32882,description:" "},d.TEXTURE_MIN_LOD={name:"TEXTURE_MIN_LOD",value:33082,description:" "},d.TEXTURE_MAX_LOD={name:"TEXTURE_MAX_LOD",value:33083,description:" "},d.TEXTURE_BASE_LEVEL={name:"TEXTURE_BASE_LEVEL",value:33084,description:" "},d.TEXTURE_MAX_LEVEL={name:"TEXTURE_MAX_LEVEL",value:33085,description:" "},d.TEXTURE_COMPARE_MODE={name:"TEXTURE_COMPARE_MODE",value:34892,description:" "},d.TEXTURE_COMPARE_FUNC={name:"TEXTURE_COMPARE_FUNC",value:34893,description:" "},d.SRGB={name:"SRGB",value:35904,description:" "},d.SRGB8={name:"SRGB8",value:35905,description:" "},d.SRGB8_ALPHA8={name:"SRGB8_ALPHA8",value:35907,description:" "},d.COMPARE_REF_TO_TEXTURE={name:"COMPARE_REF_TO_TEXTURE",value:34894,description:" "},d.RGBA32F={name:"RGBA32F",value:34836,description:" "},d.RGB32F={name:"RGB32F",value:34837,description:" "},d.RGBA16F={name:"RGBA16F",value:34842,description:" "},d.RGB16F={name:"RGB16F",value:34843,description:" "},d.TEXTURE_2D_ARRAY={name:"TEXTURE_2D_ARRAY",value:35866,description:" "},d.TEXTURE_BINDING_2D_ARRAY={name:"TEXTURE_BINDING_2D_ARRAY",value:35869,description:" "},d.R11F_G11F_B10F={name:"R11F_G11F_B10F",value:35898,description:" "},d.RGB9_E5={name:"RGB9_E5",value:35901,description:" "},d.RGBA32UI={name:"RGBA32UI",value:36208,description:" "},d.RGB32UI={name:"RGB32UI",value:36209,description:" "},d.RGBA16UI={name:"RGBA16UI",value:36214,description:" "},d.RGB16UI={name:"RGB16UI",value:36215,description:" "},d.RGBA8UI={name:"RGBA8UI",value:36220,description:" "},d.RGB8UI={name:"RGB8UI",value:36221,description:" "},d.RGBA32I={name:"RGBA32I",value:36226,description:" "},d.RGB32I={name:"RGB32I",value:36227,description:" "},d.RGBA16I={name:"RGBA16I",value:36232,description:" "},d.RGB16I={name:"RGB16I",value:36233,description:" "},d.RGBA8I={name:"RGBA8I",value:36238,description:" "},d.RGB8I={name:"RGB8I",value:36239,description:" "},d.RED_INTEGER={name:"RED_INTEGER",value:36244,description:" "},d.RGB_INTEGER={name:"RGB_INTEGER",value:36248,description:" "},d.RGBA_INTEGER={name:"RGBA_INTEGER",value:36249,description:" "},d.R8={name:"R8",value:33321,description:" "},d.RG8={name:"RG8",value:33323,description:" "},d.R16F={name:"R16F",value:33325,description:" "},d.R32F={name:"R32F",value:33326,description:" "},d.RG16F={name:"RG16F",value:33327,description:" "},d.RG32F={name:"RG32F",value:33328,description:" "},d.R8I={name:"R8I",value:33329,description:" "},d.R8UI={name:"R8UI",value:33330,description:" "},d.R16I={name:"R16I",value:33331,description:" "},d.R16UI={name:"R16UI",value:33332,description:" "},d.R32I={name:"R32I",value:33333,description:" "},d.R32UI={name:"R32UI",value:33334,description:" "},d.RG8I={name:"RG8I",value:33335,description:" "},d.RG8UI={name:"RG8UI",value:33336,description:" "},d.RG16I={name:"RG16I",value:33337,description:" "},d.RG16UI={name:"RG16UI",value:33338,description:" "},d.RG32I={name:"RG32I",value:33339,description:" "},d.RG32UI={name:"RG32UI",value:33340,description:" "},d.R8_SNORM={name:"R8_SNORM",value:36756,description:" "},d.RG8_SNORM={name:"RG8_SNORM",value:36757,description:" "},d.RGB8_SNORM={name:"RGB8_SNORM",value:36758,description:" "},d.RGBA8_SNORM={name:"RGBA8_SNORM",value:36759,description:" "},d.RGB10_A2UI={name:"RGB10_A2UI",value:36975,description:" "},d.TEXTURE_IMMUTABLE_FORMAT={name:"TEXTURE_IMMUTABLE_FORMAT",value:37167,description:" "},d.TEXTURE_IMMUTABLE_LEVELS={name:"TEXTURE_IMMUTABLE_LEVELS",value:33503,description:" "},d.UNSIGNED_INT_2_10_10_10_REV={name:"UNSIGNED_INT_2_10_10_10_REV",value:33640,description:" "},d.UNSIGNED_INT_10F_11F_11F_REV={name:"UNSIGNED_INT_10F_11F_11F_REV",value:35899,description:" "},d.UNSIGNED_INT_5_9_9_9_REV={name:"UNSIGNED_INT_5_9_9_9_REV",value:35902,description:" "},d.FLOAT_32_UNSIGNED_INT_24_8_REV={name:"FLOAT_32_UNSIGNED_INT_24_8_REV",value:36269,description:" "},d.UNSIGNED_INT_24_8={name:"UNSIGNED_INT_24_8",value:34042,description:" "},d.HALF_FLOAT={name:"HALF_FLOAT",value:5131,description:" "},d.RG={name:"RG",value:33319,description:" "},d.RG_INTEGER={name:"RG_INTEGER",value:33320,description:" "},d.INT_2_10_10_10_REV={name:"INT_2_10_10_10_REV",value:36255,description:" "},d.CURRENT_QUERY={name:"CURRENT_QUERY",value:34917,description:" "},d.QUERY_RESULT={name:"QUERY_RESULT",value:34918,description:" "},d.QUERY_RESULT_AVAILABLE={name:"QUERY_RESULT_AVAILABLE",value:34919,description:" "},d.ANY_SAMPLES_PASSED={name:"ANY_SAMPLES_PASSED",value:35887,description:" "},d.ANY_SAMPLES_PASSED_CONSERVATIVE={name:"ANY_SAMPLES_PASSED_CONSERVATIVE",value:36202,description:" "},d.MAX_DRAW_BUFFERS={name:"MAX_DRAW_BUFFERS",value:34852,description:" "},d.DRAW_BUFFER0={name:"DRAW_BUFFER0",value:34853,description:" "},d.DRAW_BUFFER1={name:"DRAW_BUFFER1",value:34854,description:" "},d.DRAW_BUFFER2={name:"DRAW_BUFFER2",value:34855,description:" "},d.DRAW_BUFFER3={name:"DRAW_BUFFER3",value:34856,description:" "},d.DRAW_BUFFER4={name:"DRAW_BUFFER4",value:34857,description:" "},d.DRAW_BUFFER5={name:"DRAW_BUFFER5",value:34858,description:" "},d.DRAW_BUFFER6={name:"DRAW_BUFFER6",value:34859,description:" "},d.DRAW_BUFFER7={name:"DRAW_BUFFER7",value:34860,description:" "},d.DRAW_BUFFER8={name:"DRAW_BUFFER8",value:34861,description:" "},d.DRAW_BUFFER9={name:"DRAW_BUFFER9",value:34862,description:" "},d.DRAW_BUFFER10={name:"DRAW_BUFFER10",value:34863,description:" "},d.DRAW_BUFFER11={name:"DRAW_BUFFER11",value:34864,description:" "},d.DRAW_BUFFER12={name:"DRAW_BUFFER12",value:34865,description:" "},d.DRAW_BUFFER13={name:"DRAW_BUFFER13",value:34866,description:" "},d.DRAW_BUFFER14={name:"DRAW_BUFFER14",value:34867,description:" "},d.DRAW_BUFFER15={name:"DRAW_BUFFER15",value:34868,description:" "},d.MAX_COLOR_ATTACHMENTS={name:"MAX_COLOR_ATTACHMENTS",value:36063,description:" "},d.COLOR_ATTACHMENT1={name:"COLOR_ATTACHMENT1",value:36065,description:" "},d.COLOR_ATTACHMENT2={name:"COLOR_ATTACHMENT2",value:36066,description:" "},d.COLOR_ATTACHMENT3={name:"COLOR_ATTACHMENT3",value:36067,description:" "},d.COLOR_ATTACHMENT4={name:"COLOR_ATTACHMENT4",value:36068,description:" "},d.COLOR_ATTACHMENT5={name:"COLOR_ATTACHMENT5",value:36069,description:" "},d.COLOR_ATTACHMENT6={name:"COLOR_ATTACHMENT6",value:36070,description:" "},d.COLOR_ATTACHMENT7={name:"COLOR_ATTACHMENT7",value:36071,description:" "},d.COLOR_ATTACHMENT8={name:"COLOR_ATTACHMENT8",value:36072,description:" "},d.COLOR_ATTACHMENT9={name:"COLOR_ATTACHMENT9",value:36073,description:" "},d.COLOR_ATTACHMENT10={name:"COLOR_ATTACHMENT10",value:36074,description:" "},d.COLOR_ATTACHMENT11={name:"COLOR_ATTACHMENT11",value:36075,description:" "},d.COLOR_ATTACHMENT12={name:"COLOR_ATTACHMENT12",value:36076,description:" "},d.COLOR_ATTACHMENT13={name:"COLOR_ATTACHMENT13",value:36077,description:" "},d.COLOR_ATTACHMENT14={name:"COLOR_ATTACHMENT14",value:36078,description:" "},d.COLOR_ATTACHMENT15={name:"COLOR_ATTACHMENT15",value:36079,description:" "},d.SAMPLER_3D={name:"SAMPLER_3D",value:35679,description:" "},d.SAMPLER_2D_SHADOW={name:"SAMPLER_2D_SHADOW",value:35682,description:" "},d.SAMPLER_2D_ARRAY={name:"SAMPLER_2D_ARRAY",value:36289,description:" "},d.SAMPLER_2D_ARRAY_SHADOW={name:"SAMPLER_2D_ARRAY_SHADOW",value:36292,description:" "},d.SAMPLER_CUBE_SHADOW={name:"SAMPLER_CUBE_SHADOW",value:36293,description:" "},d.INT_SAMPLER_2D={name:"INT_SAMPLER_2D",value:36298,description:" "},d.INT_SAMPLER_3D={name:"INT_SAMPLER_3D",value:36299,description:" "},d.INT_SAMPLER_CUBE={name:"INT_SAMPLER_CUBE",value:36300,description:" "},d.INT_SAMPLER_2D_ARRAY={name:"INT_SAMPLER_2D_ARRAY",value:36303,description:" "},d.UNSIGNED_INT_SAMPLER_2D={name:"UNSIGNED_INT_SAMPLER_2D",value:36306,description:" "},d.UNSIGNED_INT_SAMPLER_3D={name:"UNSIGNED_INT_SAMPLER_3D",value:36307,description:" "},d.UNSIGNED_INT_SAMPLER_CUBE={name:"UNSIGNED_INT_SAMPLER_CUBE",value:36308,description:" "},d.UNSIGNED_INT_SAMPLER_2D_ARRAY={name:"UNSIGNED_INT_SAMPLER_2D_ARRAY",value:36311,description:" "},d.MAX_SAMPLES={name:"MAX_SAMPLES",value:36183,description:" "},d.SAMPLER_BINDING={name:"SAMPLER_BINDING",value:35097,description:" "},d.PIXEL_PACK_BUFFER={name:"PIXEL_PACK_BUFFER",value:35051,description:" "},d.PIXEL_UNPACK_BUFFER={name:"PIXEL_UNPACK_BUFFER",value:35052,description:" "},d.PIXEL_PACK_BUFFER_BINDING={name:"PIXEL_PACK_BUFFER_BINDING",value:35053,description:" "},d.PIXEL_UNPACK_BUFFER_BINDING={name:"PIXEL_UNPACK_BUFFER_BINDING",value:35055,description:" "},d.COPY_READ_BUFFER={name:"COPY_READ_BUFFER",value:36662,description:" "},d.COPY_WRITE_BUFFER={name:"COPY_WRITE_BUFFER",value:36663,description:" "},d.COPY_READ_BUFFER_BINDING={name:"COPY_READ_BUFFER_BINDING",value:36662,description:" "},d.COPY_WRITE_BUFFER_BINDING={name:"COPY_WRITE_BUFFER_BINDING",value:36663,description:" "},d.FLOAT_MAT2x3={name:"FLOAT_MAT2x3",value:35685,description:" "},d.FLOAT_MAT2x4={name:"FLOAT_MAT2x4",value:35686,description:" "},d.FLOAT_MAT3x2={name:"FLOAT_MAT3x2",value:35687,description:" "},d.FLOAT_MAT3x4={name:"FLOAT_MAT3x4",value:35688,description:" "},d.FLOAT_MAT4x2={name:"FLOAT_MAT4x2",value:35689,description:" "},d.FLOAT_MAT4x3={name:"FLOAT_MAT4x3",value:35690,description:" "},d.UNSIGNED_INT_VEC2={name:"UNSIGNED_INT_VEC2",value:36294,description:" "},d.UNSIGNED_INT_VEC3={name:"UNSIGNED_INT_VEC3",value:36295,description:" "},d.UNSIGNED_INT_VEC4={name:"UNSIGNED_INT_VEC4",value:36296,description:" "},d.UNSIGNED_NORMALIZED={name:"UNSIGNED_NORMALIZED",value:35863,description:" "},d.SIGNED_NORMALIZED={name:"SIGNED_NORMALIZED",value:36764,description:" "},d.VERTEX_ATTRIB_ARRAY_INTEGER={name:"VERTEX_ATTRIB_ARRAY_INTEGER",value:35069,description:" "},d.VERTEX_ATTRIB_ARRAY_DIVISOR={name:"VERTEX_ATTRIB_ARRAY_DIVISOR",value:35070,description:" "},d.TRANSFORM_FEEDBACK_BUFFER_MODE={name:"TRANSFORM_FEEDBACK_BUFFER_MODE",value:35967,description:" "},d.MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS={name:"MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS",value:35968,description:" "},d.TRANSFORM_FEEDBACK_VARYINGS={name:"TRANSFORM_FEEDBACK_VARYINGS",value:35971,description:" "},d.TRANSFORM_FEEDBACK_BUFFER_START={name:"TRANSFORM_FEEDBACK_BUFFER_START",value:35972,description:" "},d.TRANSFORM_FEEDBACK_BUFFER_SIZE={name:"TRANSFORM_FEEDBACK_BUFFER_SIZE",value:35973,description:" "},d.TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN={name:"TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN",value:35976,description:" "},d.MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS={name:"MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS",value:35978,description:" "},d.MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS={name:"MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS",value:35979,description:" "},d.INTERLEAVED_ATTRIBS={name:"INTERLEAVED_ATTRIBS",value:35980,description:" "},d.SEPARATE_ATTRIBS={name:"SEPARATE_ATTRIBS",value:35981,description:" "},d.TRANSFORM_FEEDBACK_BUFFER={name:"TRANSFORM_FEEDBACK_BUFFER",value:35982,description:" "},d.TRANSFORM_FEEDBACK_BUFFER_BINDING={name:"TRANSFORM_FEEDBACK_BUFFER_BINDING",value:35983,description:" "},d.TRANSFORM_FEEDBACK={name:"TRANSFORM_FEEDBACK",value:36386,description:" "},d.TRANSFORM_FEEDBACK_PAUSED={name:"TRANSFORM_FEEDBACK_PAUSED",value:36387,description:" "},d.TRANSFORM_FEEDBACK_ACTIVE={name:"TRANSFORM_FEEDBACK_ACTIVE",value:36388,description:" "},d.TRANSFORM_FEEDBACK_BINDING={name:"TRANSFORM_FEEDBACK_BINDING",value:36389,description:" "},d.FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING={name:"FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING",value:33296,description:" "},d.FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE={name:"FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE",value:33297,description:" "},d.FRAMEBUFFER_ATTACHMENT_RED_SIZE={name:"FRAMEBUFFER_ATTACHMENT_RED_SIZE",value:33298,description:" "},d.FRAMEBUFFER_ATTACHMENT_GREEN_SIZE={name:"FRAMEBUFFER_ATTACHMENT_GREEN_SIZE",value:33299,description:" "},d.FRAMEBUFFER_ATTACHMENT_BLUE_SIZE={name:"FRAMEBUFFER_ATTACHMENT_BLUE_SIZE",value:33300,description:" "},d.FRAMEBUFFER_ATTACHMENT_ALPHA_SIZE={name:"FRAMEBUFFER_ATTACHMENT_ALPHA_SIZE",value:33301,description:" "},d.FRAMEBUFFER_ATTACHMENT_DEPTH_SIZE={name:"FRAMEBUFFER_ATTACHMENT_DEPTH_SIZE",value:33302,description:" "},d.FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE={name:"FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE",value:33303,description:" "},d.FRAMEBUFFER_DEFAULT={name:"FRAMEBUFFER_DEFAULT",value:33304,description:" "},d.DEPTH24_STENCIL8={name:"DEPTH24_STENCIL8",value:35056,description:" "},d.DRAW_FRAMEBUFFER_BINDING={name:"DRAW_FRAMEBUFFER_BINDING",value:36006,description:" "},d.READ_FRAMEBUFFER={name:"READ_FRAMEBUFFER",value:36008,description:" "},d.DRAW_FRAMEBUFFER={name:"DRAW_FRAMEBUFFER",value:36009,description:" "},d.READ_FRAMEBUFFER_BINDING={name:"READ_FRAMEBUFFER_BINDING",value:36010,description:" "},d.RENDERBUFFER_SAMPLES={name:"RENDERBUFFER_SAMPLES",value:36011,description:" "},d.FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER={name:"FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER",value:36052,description:" "},d.FRAMEBUFFER_INCOMPLETE_MULTISAMPLE={name:"FRAMEBUFFER_INCOMPLETE_MULTISAMPLE",value:36182,description:" "},d.UNIFORM_BUFFER={name:"UNIFORM_BUFFER",value:35345,description:" "},d.UNIFORM_BUFFER_BINDING={name:"UNIFORM_BUFFER_BINDING",value:35368,description:" "},d.UNIFORM_BUFFER_START={name:"UNIFORM_BUFFER_START",value:35369,description:" "},d.UNIFORM_BUFFER_SIZE={name:"UNIFORM_BUFFER_SIZE",value:35370,description:" "},d.MAX_VERTEX_UNIFORM_BLOCKS={name:"MAX_VERTEX_UNIFORM_BLOCKS",value:35371,description:" "},d.MAX_FRAGMENT_UNIFORM_BLOCKS={name:"MAX_FRAGMENT_UNIFORM_BLOCKS",value:35373,description:" "},d.MAX_COMBINED_UNIFORM_BLOCKS={name:"MAX_COMBINED_UNIFORM_BLOCKS",value:35374,description:" "},d.MAX_UNIFORM_BUFFER_BINDINGS={name:"MAX_UNIFORM_BUFFER_BINDINGS",value:35375,description:" "},d.MAX_UNIFORM_BLOCK_SIZE={name:"MAX_UNIFORM_BLOCK_SIZE",value:35376,description:" "},d.MAX_COMBINED_VERTEX_UNIFORM_COMPONENTS={name:"MAX_COMBINED_VERTEX_UNIFORM_COMPONENTS",value:35377,description:" "},d.MAX_COMBINED_FRAGMENT_UNIFORM_COMPONENTS={name:"MAX_COMBINED_FRAGMENT_UNIFORM_COMPONENTS",value:35379,description:" "},d.UNIFORM_BUFFER_OFFSET_ALIGNMENT={name:"UNIFORM_BUFFER_OFFSET_ALIGNMENT",value:35380,description:" "},d.ACTIVE_UNIFORM_BLOCKS={name:"ACTIVE_UNIFORM_BLOCKS",value:35382,description:" "},d.UNIFORM_TYPE={name:"UNIFORM_TYPE",value:35383,description:" "},d.UNIFORM_SIZE={name:"UNIFORM_SIZE",value:35384,description:" "},d.UNIFORM_BLOCK_INDEX={name:"UNIFORM_BLOCK_INDEX",value:35386,description:" "},d.UNIFORM_OFFSET={name:"UNIFORM_OFFSET",value:35387,description:" "},d.UNIFORM_ARRAY_STRIDE={name:"UNIFORM_ARRAY_STRIDE",value:35388,description:" "},d.UNIFORM_MATRIX_STRIDE={name:"UNIFORM_MATRIX_STRIDE",value:35389,description:" "},d.UNIFORM_IS_ROW_MAJOR={name:"UNIFORM_IS_ROW_MAJOR",value:35390,description:" "},d.UNIFORM_BLOCK_BINDING={name:"UNIFORM_BLOCK_BINDING",value:35391,description:" "},d.UNIFORM_BLOCK_DATA_SIZE={name:"UNIFORM_BLOCK_DATA_SIZE",value:35392,description:" "},d.UNIFORM_BLOCK_ACTIVE_UNIFORMS={name:"UNIFORM_BLOCK_ACTIVE_UNIFORMS",value:35394,description:" "},d.UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES={name:"UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES",value:35395,description:" "},d.UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER={name:"UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER",value:35396,description:" "},d.UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER={name:"UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER",value:35398,description:" "},d.OBJECT_TYPE={name:"OBJECT_TYPE",value:37138,description:" "},d.SYNC_CONDITION={name:"SYNC_CONDITION",value:37139,description:" "},d.SYNC_STATUS={name:"SYNC_STATUS",value:37140,description:" "},d.SYNC_FLAGS={name:"SYNC_FLAGS",value:37141,description:" "},d.SYNC_FENCE={name:"SYNC_FENCE",value:37142,description:" "},d.SYNC_GPU_COMMANDS_COMPLETE={name:"SYNC_GPU_COMMANDS_COMPLETE",value:37143,description:" "},d.UNSIGNALED={name:"UNSIGNALED",value:37144,description:" "},d.SIGNALED={name:"SIGNALED",value:37145,description:" "},d.ALREADY_SIGNALED={name:"ALREADY_SIGNALED",value:37146,description:" "},d.TIMEOUT_EXPIRED={name:"TIMEOUT_EXPIRED",value:37147,description:" "},d.CONDITION_SATISFIED={name:"CONDITION_SATISFIED",value:37148,description:" "},d.WAIT_FAILED={name:"WAIT_FAILED",value:37149,description:" "},d.SYNC_FLUSH_COMMANDS_BIT={name:"SYNC_FLUSH_COMMANDS_BIT",value:1,description:" "},d.COLOR={name:"COLOR",value:6144,description:" "},d.DEPTH={name:"DEPTH",value:6145,description:" "},d.STENCIL={name:"STENCIL",value:6146,description:" "},d.MIN={name:"MIN",value:32775,description:" "},d.MAX={name:"MAX",value:32776,description:" "},d.DEPTH_COMPONENT24={name:"DEPTH_COMPONENT24",value:33190,description:" "},d.STREAM_READ={name:"STREAM_READ",value:35041,description:" "},d.STREAM_COPY={name:"STREAM_COPY",value:35042,description:" "},d.STATIC_READ={name:"STATIC_READ",value:35045,description:" "},d.STATIC_COPY={name:"STATIC_COPY",value:35046,description:" "},d.DYNAMIC_READ={name:"DYNAMIC_READ",value:35049,description:" "},d.DYNAMIC_COPY={name:"DYNAMIC_COPY",value:35050,description:" "},d.DEPTH_COMPONENT32F={name:"DEPTH_COMPONENT32F",value:36012,description:" "},d.DEPTH32F_STENCIL8={name:"DEPTH32F_STENCIL8",value:36013,description:" "},d.INVALID_INDEX={name:"INVALID_INDEX",value:4294967295,description:" "},d.TIMEOUT_IGNORED={name:"TIMEOUT_IGNORED",value:-1,description:" "},d.MAX_CLIENT_WAIT_TIMEOUT_WEBGL={name:"MAX_CLIENT_WAIT_TIMEOUT_WEBGL",value:37447,description:" "},d.VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE={name:"VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE",value:35070,description:"Describes the frequency divisor used for instanced rendering.",extensionName:"ANGLE_instanced_arrays"},d.UNMASKED_VENDOR_WEBGL={name:"UNMASKED_VENDOR_WEBGL",value:37445,description:"Passed to getParameter to get the vendor string of the graphics driver.",extensionName:"ANGLE_instanced_arrays"},d.UNMASKED_RENDERER_WEBGL={name:"UNMASKED_RENDERER_WEBGL",value:37446,description:"Passed to getParameter to get the renderer string of the graphics driver.",extensionName:"WEBGL_debug_renderer_info"},d.MAX_TEXTURE_MAX_ANISOTROPY_EXT={name:"MAX_TEXTURE_MAX_ANISOTROPY_EXT",value:34047,description:"Returns the maximum available anisotropy.",extensionName:"EXT_texture_filter_anisotropic"},d.TEXTURE_MAX_ANISOTROPY_EXT={name:"TEXTURE_MAX_ANISOTROPY_EXT",value:34046,description:"Passed to texParameter to set the desired maximum anisotropy for a texture.",extensionName:"EXT_texture_filter_anisotropic"},d.COMPRESSED_RGB_S3TC_DXT1_EXT={name:"COMPRESSED_RGB_S3TC_DXT1_EXT",value:33776,description:"A DXT1-compressed image in an RGB image format.",extensionName:"WEBGL_compressed_texture_s3tc"},d.COMPRESSED_RGBA_S3TC_DXT1_EXT={name:"COMPRESSED_RGBA_S3TC_DXT1_EXT",value:33777,description:"A DXT1-compressed image in an RGB image format with a simple on/off alpha value.",extensionName:"WEBGL_compressed_texture_s3tc"},d.COMPRESSED_RGBA_S3TC_DXT3_EXT={name:"COMPRESSED_RGBA_S3TC_DXT3_EXT",value:33778,description:"A DXT3-compressed image in an RGBA image format. Compared to a 32-bit RGBA texture, it offers 4:1 compression.",extensionName:"WEBGL_compressed_texture_s3tc"},d.COMPRESSED_RGBA_S3TC_DXT5_EXT={name:"COMPRESSED_RGBA_S3TC_DXT5_EXT",value:33779,description:"A DXT5-compressed image in an RGBA image format. It also provides a 4:1 compression, but differs to the DXT3 compression in how the alpha compression is done.",extensionName:"WEBGL_compressed_texture_s3tc"},d.COMPRESSED_R11_EAC={name:"COMPRESSED_R11_EAC",value:37488,description:"One-channel (red) unsigned format compression.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_SIGNED_R11_EAC={name:"COMPRESSED_SIGNED_R11_EAC",value:37489,description:"One-channel (red) signed format compression.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_RG11_EAC={name:"COMPRESSED_RG11_EAC",value:37490,description:"Two-channel (red and green) unsigned format compression.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_SIGNED_RG11_EAC={name:"COMPRESSED_SIGNED_RG11_EAC",value:37491,description:"Two-channel (red and green) signed format compression.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_RGB8_ETC2={name:"COMPRESSED_RGB8_ETC2",value:37492,description:"Compresses RBG8 data with no alpha channel.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_RGBA8_ETC2_EAC={name:"COMPRESSED_RGBA8_ETC2_EAC",value:37493,description:"Compresses RGBA8 data. The RGB part is encoded the same as RGB_ETC2, but the alpha part is encoded separately.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_SRGB8_ETC2={name:"COMPRESSED_SRGB8_ETC2",value:37494,description:"Compresses sRBG8 data with no alpha channel.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_SRGB8_ALPHA8_ETC2_EAC={name:"COMPRESSED_SRGB8_ALPHA8_ETC2_EAC",value:37495,description:"Compresses sRGBA8 data. The sRGB part is encoded the same as SRGB_ETC2, but the alpha part is encoded separately.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_RGB8_PUNCHTHROUGH_ALPHA1_ETC2={name:"COMPRESSED_RGB8_PUNCHTHROUGH_ALPHA1_ETC2",value:37496,description:"Similar to RGB8_ETC, but with ability to punch through the alpha channel, which means to make it completely opaque or transparent.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_SRGB8_PUNCHTHROUGH_ALPHA1_ETC2={name:"COMPRESSED_SRGB8_PUNCHTHROUGH_ALPHA1_ETC2",value:37497,description:"Similar to SRGB8_ETC, but with ability to punch through the alpha channel, which means to make it completely opaque or transparent.",extensionName:"WEBGL_compressed_texture_etc"},d.COMPRESSED_RGB_PVRTC_4BPPV1_IMG={name:"COMPRESSED_RGB_PVRTC_4BPPV1_IMG",value:35840,description:"RGB compression in 4-bit mode. One block for each 4×4 pixels.",extensionName:"WEBGL_compressed_texture_pvrtc"},d.COMPRESSED_RGBA_PVRTC_4BPPV1_IMG={name:"COMPRESSED_RGBA_PVRTC_4BPPV1_IMG",value:35842,description:"RGBA compression in 4-bit mode. One block for each 4×4 pixels.",extensionName:"WEBGL_compressed_texture_pvrtc"},d.COMPRESSED_RGB_PVRTC_2BPPV1_IMG={name:"COMPRESSED_RGB_PVRTC_2BPPV1_IMG",value:35841,description:"RGB compression in 2-bit mode. One block for each 8×4 pixels.",extensionName:"WEBGL_compressed_texture_pvrtc"},d.COMPRESSED_RGBA_PVRTC_2BPPV1_IMG={name:"COMPRESSED_RGBA_PVRTC_2BPPV1_IMG",value:35843,description:"RGBA compression in 2-bit mode. One block for each 8×4 pixe",extensionName:"WEBGL_compressed_texture_pvrtc"},d.COMPRESSED_RGB_ETC1_WEBGL={name:"COMPRESSED_RGB_ETC1_WEBGL",value:36196,description:"Compresses 24-bit RGB data with no alpha channel.",extensionName:"WEBGL_compressed_texture_etc1"},d.COMPRESSED_RGB_ATC_WEBGL={name:"COMPRESSED_RGB_ATC_WEBGL",value:35986,description:"Compresses RGB textures with no alpha channel.",extensionName:"WEBGL_compressed_texture_atc"},d.COMPRESSED_RGBA_ATC_EXPLICIT_ALPHA_WEBGL={name:"COMPRESSED_RGBA_ATC_EXPLICIT_ALPHA_WEBGL",value:35986,description:"Compresses RGBA textures using explicit alpha encoding (useful when alpha transitions are sharp).",extensionName:"WEBGL_compressed_texture_atc"},d.COMPRESSED_RGBA_ATC_INTERPOLATED_ALPHA_WEBGL={name:"COMPRESSED_RGBA_ATC_INTERPOLATED_ALPHA_WEBGL",value:34798,description:"Compresses RGBA textures using interpolated alpha encoding (useful when alpha transitions are gradient).",extensionName:"WEBGL_compressed_texture_atc"},d.UNSIGNED_INT_24_8_WEBGL={name:"UNSIGNED_INT_24_8_WEBGL",value:34042,description:"Unsigned integer type for 24-bit depth texture data.",extensionName:"WEBGL_depth_texture"},d.HALF_FLOAT_OES={name:"HALF_FLOAT_OES",value:36193,description:"Half floating-point type (16-bit).",extensionName:"OES_texture_half_float"},d.FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE_EXT={name:"FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE_EXT",value:33297,description:" ",extensionName:"WEBGL_color_buffer_float"},d.UNSIGNED_NORMALIZED_EXT={name:"UNSIGNED_NORMALIZED_EXT",value:35863,description:" ",extensionName:"WEBGL_color_buffer_float"},d.MIN_EXT={name:"MIN_EXT",value:32775,description:"Produces the minimum color components of the source and destination colors.",extensionName:"EXT_blend_minmax"},d.MAX_EXT={name:"MAX_EXT",value:32776,description:"Produces the maximum color components of the source and destination colors.",extensionName:"EXT_blend_minmax"},d.SRGB_EXT={name:"SRGB_EXT",value:35904,description:"Unsized sRGB format that leaves the precision up to the driver.",extensionName:"EXT_sRGB"},d.SRGB_ALPHA_EXT={name:"SRGB_ALPHA_EXT",value:35906,description:"Unsized sRGB format with unsized alpha component.",extensionName:"EXT_sRGB"},d.SRGB8_ALPHA8_EXT={name:"SRGB8_ALPHA8_EXT",value:35907,description:"Sized (8-bit) sRGB and alpha formats.",extensionName:"EXT_sRGB"},d.FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING_EXT={name:"FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING_EXT",value:33296,description:"Returns the framebuffer color encoding.",extensionName:"EXT_sRGB"},d.FRAGMENT_SHADER_DERIVATIVE_HINT_OES={name:"FRAGMENT_SHADER_DERIVATIVE_HINT_OES",value:35723,description:"Indicates the accuracy of the derivative calculation for the GLSL built-in functions: dFdx, dFdy, and fwidth.",extensionName:"OES_standard_derivatives"},d.COLOR_ATTACHMENT0_WEBGL={name:"COLOR_ATTACHMENT0_WEBGL",value:36064,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT1_WEBGL={name:"COLOR_ATTACHMENT1_WEBGL",value:36065,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT2_WEBGL={name:"COLOR_ATTACHMENT2_WEBGL",value:36066,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT3_WEBGL={name:"COLOR_ATTACHMENT3_WEBGL",value:36067,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT4_WEBGL={name:"COLOR_ATTACHMENT4_WEBGL",value:36068,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT5_WEBGL={name:"COLOR_ATTACHMENT5_WEBGL",value:36069,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT6_WEBGL={name:"COLOR_ATTACHMENT6_WEBGL",value:36070,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT7_WEBGL={name:"COLOR_ATTACHMENT7_WEBGL",value:36071,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT8_WEBGL={name:"COLOR_ATTACHMENT8_WEBGL",value:36072,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT9_WEBGL={name:"COLOR_ATTACHMENT9_WEBGL",value:36073,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT10_WEBGL={name:"COLOR_ATTACHMENT10_WEBGL",value:36074,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT11_WEBGL={name:"COLOR_ATTACHMENT11_WEBGL",value:36075,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT12_WEBGL={name:"COLOR_ATTACHMENT12_WEBGL",value:36076,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT13_WEBGL={name:"COLOR_ATTACHMENT13_WEBGL",value:36077,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT14_WEBGL={name:"COLOR_ATTACHMENT14_WEBGL",value:36078,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.COLOR_ATTACHMENT15_WEBGL={name:"COLOR_ATTACHMENT15_WEBGL",value:36079,description:"Framebuffer color attachment point",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER0_WEBGL={name:"DRAW_BUFFER0_WEBGL",value:34853,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER1_WEBGL={name:"DRAW_BUFFER1_WEBGL",value:34854,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER2_WEBGL={name:"DRAW_BUFFER2_WEBGL",value:34855,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER3_WEBGL={name:"DRAW_BUFFER3_WEBGL",value:34856,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER4_WEBGL={name:"DRAW_BUFFER4_WEBGL",value:34857,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER5_WEBGL={name:"DRAW_BUFFER5_WEBGL",value:34858,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER6_WEBGL={name:"DRAW_BUFFER6_WEBGL",value:34859,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER7_WEBGL={name:"DRAW_BUFFER7_WEBGL",value:34860,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER8_WEBGL={name:"DRAW_BUFFER8_WEBGL",value:34861,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER9_WEBGL={name:"DRAW_BUFFER9_WEBGL",value:34862,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER10_WEBGL={name:"DRAW_BUFFER10_WEBGL",value:34863,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER11_WEBGL={name:"DRAW_BUFFER11_WEBGL",value:34864,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER12_WEBGL={name:"DRAW_BUFFER12_WEBGL",value:34865,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER13_WEBGL={name:"DRAW_BUFFER13_WEBGL",value:34866,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER14_WEBGL={name:"DRAW_BUFFER14_WEBGL",value:34867,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.DRAW_BUFFER15_WEBGL={name:"DRAW_BUFFER15_WEBGL",value:34868,description:"Draw buffer",extensionName:"WEBGL_draw_buffers"},d.MAX_COLOR_ATTACHMENTS_WEBGL={name:"MAX_COLOR_ATTACHMENTS_WEBGL",value:36063,description:"Maximum number of framebuffer color attachment points",extensionName:"WEBGL_draw_buffers"},d.MAX_DRAW_BUFFERS_WEBGL={name:"MAX_DRAW_BUFFERS_WEBGL",value:34852,description:"Maximum number of draw buffers",extensionName:"WEBGL_draw_buffers"},d.VERTEX_ARRAY_BINDING_OES={name:"VERTEX_ARRAY_BINDING_OES",value:34229,description:"The bound vertex array object (VAO).",extensionName:"VERTEX_ARRAY_BINDING_OES"},d.QUERY_COUNTER_BITS_EXT={name:"QUERY_COUNTER_BITS_EXT",value:34916,description:"The number of bits used to hold the query result for the given target.",extensionName:"EXT_disjoint_timer_query"},d.CURRENT_QUERY_EXT={name:"CURRENT_QUERY_EXT",value:34917,description:"The currently active query.",extensionName:"EXT_disjoint_timer_query"},d.QUERY_RESULT_EXT={name:"QUERY_RESULT_EXT",value:34918,description:"The query result.",extensionName:"EXT_disjoint_timer_query"},d.QUERY_RESULT_AVAILABLE_EXT={name:"QUERY_RESULT_AVAILABLE_EXT",value:34919,description:"A Boolean indicating whether or not a query result is available.",extensionName:"EXT_disjoint_timer_query"},d.TIME_ELAPSED_EXT={name:"TIME_ELAPSED_EXT",value:35007,description:"Elapsed time (in nanoseconds).",extensionName:"EXT_disjoint_timer_query"},d.TIMESTAMP_EXT={name:"TIMESTAMP_EXT",value:36392,description:"The current time.",extensionName:"EXT_disjoint_timer_query"},d.GPU_DISJOINT_EXT={name:"GPU_DISJOINT_EXT",value:36795,description:"A Boolean indicating whether or not the GPU performed any disjoint operation.",extensionName:"EXT_disjoint_timer_query"},d.zeroMeaningByCommand={getError:"NO_ERROR",blendFunc:"ZERO",blendFuncSeparate:"ZERO",readBuffer:"NONE",getFramebufferAttachmentParameter:"NONE",texParameterf:"NONE",texParameteri:"NONE",drawArrays:"POINTS",drawElements:"POINTS",drawArraysInstanced:"POINTS",drawArraysInstancedAngle:"POINTS",drawBuffers:"POINTS",drawElementsInstanced:"POINTS",drawRangeElements:"POINTS"},d.oneMeaningByCommand={blendFunc:"ONE",blendFuncSeparate:"ONE",drawArrays:"LINES",drawElements:"LINES",drawArraysInstanced:"LINES",drawArraysInstancedAngle:"LINES",drawBuffers:"LINES",drawElementsInstanced:"LINES",drawRangeElements:"LINES"};const m={},p={};!function(){for(const e in d)if(d.hasOwnProperty(e)){const t=d[e];m[t.name]=t,p[t.value]=t}}();class g extends l{get analyserName(){return g.analyserName}appendToAnalysis(e,t){if(!e.commands)return;const n={total:0,totalTriangles:0,totalTriangleStrip:0,totalTriangleFan:0,totalLines:0,totalLineStrip:0,totalLineLoop:0,totalPoints:0};for(const t of e.commands)"drawArrays"===t.name&&t.commandArguments.length>=3||"drawArraysInstanced"===t.name&&t.commandArguments.length>=3||"drawArraysInstancedANGLE"===t.name&&t.commandArguments.length>=3?this.appendToPrimitives(n,t.commandArguments[0],t.commandArguments[2]):"drawElements"===t.name&&t.commandArguments.length>=2||"drawElementsInstanced"===t.name&&t.commandArguments.length>=2||"drawElementsInstancedANGLE"===t.name&&t.commandArguments.length>=2?this.appendToPrimitives(n,t.commandArguments[0],t.commandArguments[1]):"drawRangeElements"===t.name&&t.commandArguments.length>=4&&this.appendToPrimitives(n,t.commandArguments[0],t.commandArguments[3]);t.total=n.total,t.triangles=n.totalTriangles,t.triangleStrip=n.totalTriangleStrip,t.triangleFan=n.totalTriangleFan,t.lines=n.totalLines,t.lineStrip=n.totalLineStrip,t.lineLoop=n.totalLineLoop,t.points=n.totalPoints}appendToPrimitives(e,t,n){t===d.POINTS.value?e.totalPoints+=n:t===d.LINES.value?e.totalLines+=n:t===d.LINE_STRIP.value?e.totalLineStrip+=n:t===d.LINE_LOOP.value?e.totalLineLoop+=n:t===d.TRIANGLES.value?e.totalTriangles+=n:t===d.TRIANGLE_STRIP.value?e.totalTriangleStrip+=n:t===d.TRIANGLE_FAN.value&&(e.totalTriangleFan+=n),e.total+=n}}g.analyserName="Primitives";class f{constructor(e){this.contextInformation=e,this.analysers=[],this.initAnalysers()}appendAnalyses(e){for(const t in this.analysers)this.analysers.hasOwnProperty(t)&&this.analysers[t].appendAnalysis(e)}initAnalysers(){this.analysers.push(new c(this.contextInformation),new h(this.contextInformation),new g(this.contextInformation))}}class E{static getStackTrace(e=0,t=0){const n=[];try{throw new Error("Errorator.")}catch(e){if(e.stack){const t=e.stack.split("\n");for(let e=0,i=t.length;e0;t++)n.shift();for(let e=0;e0;e++)n.pop()}return n}}class v{static getWebGlObjectTag(e){return e[v.SPECTOROBJECTTAGKEY]}static attachWebGlObjectTag(e,t){t.displayText=v.stringifyWebGlObjectTag(t),e[v.SPECTOROBJECTTAGKEY]=t}static stringifyWebGlObjectTag(e){return e?`${e.typeName} - ID: ${e.id}`:"No tag available."}}v.SPECTOROBJECTTAGKEY="__SPECTOR_Object_TAG";class _{constructor(){this.id=0}get type(){return window[this.typeName]||null}tagWebGlObject(e){if(!this.type)return;let t;if(!e)return t;if(t=v.getWebGlObjectTag(e),t)return t;if(e instanceof this.type){const n=this.getNextId();return t={typeName:this.typeName,id:n},v.attachWebGlObjectTag(e,t),t}return t}getNextId(){return this.id++}}class C{constructor(e){this.options=e}createCapture(e,t,n){const i=E.getStackTrace(4,1),r=0===e.name.indexOf("uniform")?this.stringifyUniform(e.arguments):this.stringify(e.arguments,e.result),s={id:t,startTime:e.startTime,commandEndTime:e.endTime,endTime:0,name:e.name,commandArguments:e.arguments,result:e.result,stackTrace:i,status:0,marker:n,text:r};this.transformCapture(s);for(let e=0;e50&&(s.commandArguments[e]="Array Length: "+t.length)}if(s.commandArguments){const e=[];for(let t=0;t0&&(n+=": "+this.stringifyArgs(e).join(", ")),null!=t&&(n+=" -> "+this.stringifyResult(t)),n}stringifyUniform(e){let t=this.spiedCommandName;if(e&&e.length>0){const n=[];n.push(this.stringifyValue(e[0]));for(let t=1;t0&&"number"==typeof s)i.push(null!==(n=null===(t=e[r])||void 0===t?void 0:t.toFixed(0))&&void 0!==n?n:"0");else{const e=this.stringifyValue(s);i.push(e)}}return i}}A.commandName="bufferSubData";class R{static storeOriginFunction(e,t){if(!e)return;if(!e[t])return;const n=this.getOriginFunctionName(t);e[n]||(e[n]=e[t])}static resetOriginFunction(e,t){if(!e)return;if(!e[t])return;const n=this.getOriginFunctionName(t);e[n]&&(e[t]=e[n],delete e[n])}static storePrototypeOriginFunction(e,t){if(!e)return;if(!e.prototype[t])return;const n=this.getOriginFunctionName(t);e.prototype[n]||(e.prototype[n]=e.prototype[t])}static executePrototypeOriginFunction(e,t,n,i){if(!e)return;const r=this.getOriginFunctionName(n);return t.prototype[r]?(e[r]||(e[r]=t.prototype[r]),this.executeFunction(e,r,i)):void 0}static executeOriginFunction(e,t,n){if(!e)return;const i=this.getOriginFunctionName(t);return e[i]?this.executeFunction(e,i,n):void 0}static executeFunction(e,t,n){const i=n;if(void 0===i||0===i.length)return e[t]();switch(i.length){case 1:return e[t](i[0]);case 2:return e[t](i[0],i[1]);case 3:return e[t](i[0],i[1],i[2]);case 4:return e[t](i[0],i[1],i[2],i[3]);case 5:return e[t](i[0],i[1],i[2],i[3],i[4]);case 6:return e[t](i[0],i[1],i[2],i[3],i[4],i[5]);case 7:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6]);case 8:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7]);case 9:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8]);case 10:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9]);case 11:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10]);case 12:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11]);case 13:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12]);case 14:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13]);case 15:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13],i[14]);case 16:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13],i[14],i[15]);case 17:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13],i[14],i[15],i[16]);case 18:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13],i[14],i[15],i[16],i[17]);case 19:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13],i[14],i[15],i[16],i[17],i[18]);case 20:return e[t](i[0],i[1],i[2],i[3],i[4],i[5],i[6],i[7],i[8],i[9],i[10],i[11],i[12],i[13],i[14],i[15],i[16],i[17],i[18],i[19]);default:return e[t].apply(e,i)}}static getOriginFunctionName(e){return this.originFunctionPrefix+e}}R.originFunctionPrefix="__SPECTOR_Origin_";class S extends C{get spiedCommandName(){return S.commandName}stringifyArgs(e){const t=[];if(e.length>0){const n=e[0],i=this.stringifyValue(n);t.push(i)}if(e.length>1){const n=""+e[1];t.push(n)}return e.length>2&&t.push(e[2]),t}}S.commandName="bindAttribLocation";class T extends C{get spiedCommandName(){return T.commandName}stringifyArgs(e){const t=[],n=this.options.context.getParameter(d.READ_FRAMEBUFFER_BINDING.value),i=this.options.tagWebGlObject(n);t.push("READ FROM: "+this.stringifyValue(i));const r=this.options.context.getParameter(d.DRAW_FRAMEBUFFER_BINDING.value),s=this.options.tagWebGlObject(r);t.push("WRITE TO: "+this.stringifyValue(s));for(let n=0;n<8;n++)t.push(e[n]);return(e[8]&d.DEPTH_BUFFER_BIT.value)===d.DEPTH_BUFFER_BIT.value&&t.push(d.DEPTH_BUFFER_BIT.name),(e[8]&d.STENCIL_BUFFER_BIT.value)===d.STENCIL_BUFFER_BIT.value&&t.push(d.STENCIL_BUFFER_BIT.name),(e[8]&d.COLOR_BUFFER_BIT.value)===d.COLOR_BUFFER_BIT.value&&t.push(d.COLOR_BUFFER_BIT.name),t.push(d.stringifyWebGlConstant(e[9],"blitFrameBuffer")),t}}T.commandName="blitFrameBuffer";class b extends C{get spiedCommandName(){return b.commandName}stringifyArgs(e){const t=[];return(e[0]&d.DEPTH_BUFFER_BIT.value)===d.DEPTH_BUFFER_BIT.value&&t.push(d.DEPTH_BUFFER_BIT.name),(e[0]&d.STENCIL_BUFFER_BIT.value)===d.STENCIL_BUFFER_BIT.value&&t.push(d.STENCIL_BUFFER_BIT.name),(e[0]&d.COLOR_BUFFER_BIT.value)===d.COLOR_BUFFER_BIT.value&&t.push(d.COLOR_BUFFER_BIT.name),t}}b.commandName="clear";const w=["lineWidth"];class x extends C{constructor(e,t){super(e),this.internalSpiedCommandName=t,this.isDeprecated=w.indexOf(this.spiedCommandName)>-1}get spiedCommandName(){return this.internalSpiedCommandName}transformCapture(e){this.isDeprecated&&(e.status=50)}}class y extends C{get spiedCommandName(){return y.commandName}stringifyArgs(e){const t=[];return t.push(e[0]),t}}y.commandName="disableVertexAttribArray";class L extends C{get spiedCommandName(){return L.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArrays")),t.push(e[1]+" indices"),t.push(e[2]),t}}L.commandName="drawArrays";class I extends C{get spiedCommandName(){return I.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArraysInstanced")),t.push(e[1]),t.push(e[2]),t.push(e[3]),t}}I.commandName="drawArraysInstanced";class F extends C{get spiedCommandName(){return F.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArraysInstancedANGLE")),t.push(e[1]),t.push(e[2]),t.push(e[3]),t}}F.commandName="drawArraysInstancedANGLE";class N extends C{get spiedCommandName(){return N.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawElements")),t.push(e[1]+" indices"),t.push(d.stringifyWebGlConstant(e[2],"drawElements")),t.push(e[3]),t}}N.commandName="drawElements";class M extends C{get spiedCommandName(){return M.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawElementsInstancedANGLE")),t.push(e[1]+" indices"),t.push(d.stringifyWebGlConstant(e[2],"drawElementsInstancedANGLE")),t.push(e[3]),t.push(e[4]),t}}M.commandName="drawElementsInstancedANGLE";class O extends C{get spiedCommandName(){return O.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawElementsInstanced")),t.push(e[1]+" indices"),t.push(d.stringifyWebGlConstant(e[2],"drawElementsInstanced")),t.push(e[3]),t.push(e[4]),t}}O.commandName="drawElementsInstanced";class B extends C{get spiedCommandName(){return B.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawRangeElements")),t.push(e[1]),t.push(e[2]),t.push(e[3]),t.push(d.stringifyWebGlConstant(e[4],"drawRangeElements")),t.push(e[5]),t}}B.commandName="drawRangeElements";class $ extends C{get spiedCommandName(){return $.commandName}stringifyResult(e){if(e)return`name: ${e.name}, size: ${e.size}, type: ${e.type}`}}$.commandName="getActiveAttrib";class P extends C{get spiedCommandName(){return P.commandName}stringifyResult(e){if(e)return`name: ${e.name}, size: ${e.size}, type: ${e.type}`}}P.commandName="getActiveUniform";class k extends C{get spiedCommandName(){return k.commandName}stringifyResult(e){var t;if(null!=e)return null!==(t=null==e?void 0:e.toFixed(0))&&void 0!==t?t:"0"}}k.commandName="getAttribLocation";class D extends C{get spiedCommandName(){return D.commandName}stringifyResult(e){return e?"true":"false"}}D.commandName="getExtension";class U extends C{get spiedCommandName(){return U.commandName}stringifyResult(e){if(!e)return"null";const t=v.getWebGlObjectTag(e);return t?t.displayText:e}}U.commandName="getParameter";class G extends C{get spiedCommandName(){return G.commandName}stringifyResult(e){if(e)return`min: ${e.rangeMin}, max: ${e.rangeMax}, precision: ${e.precision}`}}G.commandName="getShaderPrecisionFormat";class W extends C{get spiedCommandName(){return W.commandName}stringifyResult(e){if(e)return`name: ${e.name}, size: ${e.size}, type: ${e.type}`}}W.commandName="getTransformFeedbackVarying";class V extends C{get spiedCommandName(){return V.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"multiDrawArraysInstancedBaseInstanceWEBGL")),t.push(`drawCount=${e[9]}`),t.push(e[2]),t.push(e[4]),t.push(e[6]),t.push(e[8]),t}}V.commandName="multiDrawArraysInstancedBaseInstanceWEBGL";class H extends C{get spiedCommandName(){return H.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArrays")),t.push(`drawCount=${e[7]}`),t.push(e[2]),t.push(e[4]),t.push(e[6]),t}}H.commandName="multiDrawArraysInstancedWEBGL";class X extends C{get spiedCommandName(){return X.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArrays")),t.push(`drawCount=${e[5]}`),t.push(e[2]),t.push(e[4]),t}}X.commandName="multiDrawArraysWEBGL";class z extends C{get spiedCommandName(){return z.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArrays")),t.push(d.stringifyWebGlConstant(e[3],"drawArrays")),t.push(`drawCount=${e[11]}`),t.push(e[2]),t.push(e[4]),t.push(e[6]),t.push(e[8]),t.push(e[10]),t}}z.commandName="multiDrawElementsInstancedBaseVertexBaseInstanceWEBGL";class K extends C{get spiedCommandName(){return K.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArrays")),t.push(d.stringifyWebGlConstant(e[3],"drawArrays")),t.push(`drawCount=${e[8]}`),t.push(e[2]),t.push(e[5]),t.push(e[7]),t}}K.commandName="multiDrawElementsInstancedWEBGL";class j extends C{get spiedCommandName(){return j.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArrays")),t.push(d.stringifyWebGlConstant(e[3],"drawArrays")),t.push(`drawCount=${e[6]}`),t.push(e[2]),t.push(e[5]),t}}j.commandName="multiDrawElementsWEBGL";class Y extends C{get spiedCommandName(){return Y.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawArraysInstanced")),t.push(e[1]),t.push(e[2]),t.push(e[3]),t.push(`baseInstance = ${e[4]}`),t}}Y.commandName="drawArraysInstancedBaseInstanceWEBGL";class q extends C{get spiedCommandName(){return q.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"drawElementsInstanced")),t.push(e[1]+" indices"),t.push(d.stringifyWebGlConstant(e[2],"drawElementsInstanced")),t.push(e[3]),t.push(e[4]),t.push(`baseVertex = ${e[5]}`),t.push(`baseInstance = ${e[6]}`),t}}q.commandName="drawElementsInstancedBaseVertexBaseInstanceWEBGL";class Z extends C{get spiedCommandName(){return Z.commandName}stringifyArgs(e){var t,n;const i=[];for(let r=0;r<4;r++)i.push(null!==(n=null===(t=e[r])||void 0===t?void 0:t.toFixed(0))&&void 0!==n?n:"0");return i}}function Q(e){return null==e?"":`${e.toFixed(0)} (0b${(e>>>0).toString(2)})`}Z.commandName="scissor";class J extends C{get spiedCommandName(){return J.commandName}stringifyArgs(e){const t=[];return t.push(Q(e[0])),t}}J.commandName="stencilMask";class ee extends C{get spiedCommandName(){return ee.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"stencilMaskSeparate")),t.push(Q(e[1])),t}}ee.commandName="stencilMaskSeparate";class te extends C{get spiedCommandName(){return te.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"stencilFunc")),t.push(Q(e[1])),t.push(Q(e[2])),t}}te.commandName="stencilFunc";class ne extends C{get spiedCommandName(){return ne.commandName}stringifyArgs(e){const t=[];return t.push(d.stringifyWebGlConstant(e[0],"stencilFuncSeparate")),t.push(d.stringifyWebGlConstant(e[1],"stencilFuncSeparate")),t.push(Q(e[2])),t.push(Q(e[3])),t}}ne.commandName="stencilFuncSeparate";class ie extends C{get spiedCommandName(){return ie.commandName}stringifyArgs(e){const t=[];return t.push(e[0]),t.push(e[1]),t.push(d.stringifyWebGlConstant(e[2],"vertexAttribPointer")),t.push(e[3]),t.push(e[4]),t.push(e[5]),t}}ie.commandName="vertexAttribPointer";class re extends C{get spiedCommandName(){return re.commandName}stringifyArgs(e){const t=[];for(let n=0;n<4;n++)t.push(e[n].toFixed(0));return t}}re.commandName="viewport";class se extends C{get spiedCommandName(){return se.commandName}stringifyArgs(e){const t=[];return t.push(e[0]),t}}se.commandName="enableVertexAttribArray";class oe{constructor(e){this.spiedCommandName=e.spiedCommandName,this.spiedCommandRunningContext=e.spiedCommandRunningContext,this.spiedCommand=this.spiedCommandRunningContext[this.spiedCommandName],R.storeOriginFunction(this.spiedCommandRunningContext,this.spiedCommandName),this.callback=e.callback,this.commandOptions={context:e.context,contextVersion:e.contextVersion,extensions:e.extensions,toggleCapture:e.toggleCapture},this.initCustomCommands(),this.initCommand()}spy(){this.spiedCommandRunningContext[this.spiedCommandName]=this.overloadedCommand}unSpy(){this.spiedCommandRunningContext[this.spiedCommandName]=this.spiedCommand}createCapture(e,t,n){return this.command.createCapture(e,t,n)}initCommand(){oe.customCommandsConstructors[this.spiedCommandName]?this.command=oe.customCommandsConstructors[this.spiedCommandName](this.commandOptions):this.command=new x(this.commandOptions,this.spiedCommandName),this.overloadedCommand=this.getSpy()}getSpy(){const e=this;return function(){const t=a.now,n=R.executeOriginFunction(e.spiedCommandRunningContext,e.spiedCommandName,arguments),i=a.now,r={name:e.spiedCommandName,arguments,result:n,startTime:t,endTime:i};return e.callback(e,r),n}}initCustomCommands(){oe.customCommandsConstructors||(oe.customCommandsConstructors={[S.commandName]:e=>new S(e),[T.commandName]:e=>new T(e),[A.commandName]:e=>new A(e),[b.commandName]:e=>new b(e),[y.commandName]:e=>new y(e),[L.commandName]:e=>new L(e),[I.commandName]:e=>new I(e),[F.commandName]:e=>new F(e),[N.commandName]:e=>new N(e),[O.commandName]:e=>new O(e),[M.commandName]:e=>new M(e),[B.commandName]:e=>new B(e),[$.commandName]:e=>new $(e),[P.commandName]:e=>new P(e),[k.commandName]:e=>new k(e),[D.commandName]:e=>new D(e),[U.commandName]:e=>new U(e),[G.commandName]:e=>new G(e),[W.commandName]:e=>new W(e),[V.commandName]:e=>new V(e),[H.commandName]:e=>new H(e),[X.commandName]:e=>new X(e),[z.commandName]:e=>new z(e),[K.commandName]:e=>new K(e),[j.commandName]:e=>new j(e),[Y.commandName]:e=>new Y(e),[q.commandName]:e=>new q(e),[Z.commandName]:e=>new Z(e),[J.commandName]:e=>new J(e),[ee.commandName]:e=>new ee(e),[te.commandName]:e=>new te(e),[ne.commandName]:e=>new ne(e),[ie.commandName]:e=>new ie(e),[re.commandName]:e=>new re(e),[se.commandName]:e=>new se(e)})}}class ae{constructor(e){this.options=e,this.context=e.context,this.contextVersion=e.contextVersion,this.extensions=e.extensions,this.toggleCapture=e.toggleCapture,this.consumeCommands=this.getConsumeCommands(),this.changeCommandsByState=this.getChangeCommandsByState(),this.commandNameToStates=this.getCommandNameToStates()}get requireStartAndStopStates(){return!0}startCapture(e,t,n){return this.quickCapture=t,this.fullCapture=n,this.capturedCommandsByState={},e&&this.requireStartAndStopStates&&(this.currentState={},this.readFromContextNoSideEffects()),this.copyCurrentStateToPrevious(),this.currentState={},this.previousState}stopCapture(){return this.requireStartAndStopStates&&this.readFromContextNoSideEffects(),this.analyse(void 0),this.currentState}registerCallbacks(e){for(const t in this.changeCommandsByState)if(this.changeCommandsByState.hasOwnProperty(t))for(const n of this.changeCommandsByState[t])e[n]=e[n]||[],e[n].push(this.onChangeCommand.bind(this));for(const t of this.consumeCommands)e[t]=e[t]||[],e[t].push(this.onConsumeCommand.bind(this))}getStateData(){return this.currentState}getConsumeCommands(){return[]}getChangeCommandsByState(){return{}}copyCurrentStateToPrevious(){this.currentState&&(this.previousState=this.currentState)}onChangeCommand(e){const t=this.commandNameToStates[e.name];for(const n of t){if(!this.isValidChangeCommand(e,n))return;this.capturedCommandsByState[n]=this.capturedCommandsByState[n]||[],this.capturedCommandsByState[n].push(e)}}isValidChangeCommand(e,t){return!0}onConsumeCommand(e){this.isValidConsumeCommand(e)&&(this.readFromContextNoSideEffects(),this.analyse(e),this.storeCommandIds(),e[this.stateName]=this.currentState,this.startCapture(!1,this.quickCapture,this.fullCapture))}isValidConsumeCommand(e){return this.lastCommandName=null==e?void 0:e.name,!0}analyse(e){for(const t in this.capturedCommandsByState)if(this.capturedCommandsByState.hasOwnProperty(t)){const n=this.capturedCommandsByState[t],i=n.length-1;if(i>=0)if(e){for(let t=0;t1&&this.parameters.push(this.getWebgl2Parameters());const e={};for(let t=1;t<=this.contextVersion&&!(t>this.parameters.length);t++)if(this.parameters[t-1])for(const n of this.parameters[t-1])if(n.changeCommands)for(const t of n.changeCommands)e[n.constant.name]=e[n.constant.name]||[],e[n.constant.name].push(t);return e}readFromContext(){for(let e=1;e<=this.contextVersion&&!(e>this.parameters.length);e++)for(const t of this.parameters[e-1]){const e=this.readParameterFromContext(t);if(null==e){const n=this.stringifyParameterValue(e,t);this.currentState[t.constant.name]=n;continue}const n=v.getWebGlObjectTag(e);if(n)this.currentState[t.constant.name]=n;else{const n=this.stringifyParameterValue(e,t);this.currentState[t.constant.name]=n}}}readParameterFromContext(e){return e.constant.extensionName&&!this.extensions[e.constant.extensionName]?`Extension ${e.constant.extensionName} is unavailable.`:this.context.getParameter(e.constant.value)}stringifyParameterValue(e,t){if(null===e)return"null";if(void 0===e)return"undefined";if(30===t.returnType)return Q(e);if("number"==typeof e&&d.isWebGlConstant(e)){if(20===t.returnType){const n=t.changeCommands&&t.changeCommands[0]||"";return d.stringifyWebGlConstant(e,n)}return e}if(e.length&&"string"!=typeof e){const t=[];for(let n=0;n1?i=this.context.getFramebufferAttachmentParameter(t,n,d.FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE.value):this.context.getFramebufferAttachmentParameter(t,n,d.FRAMEBUFFER_ATTACHMENT_OBJECT_NAME.value)===d.RENDERBUFFER.value&&(i=e.getRenderbufferParameter(e.RENDERBUFFER,e.RENDERBUFFER_STENCIL_SIZE))):i=this.readParameterFromContext({constant:d.STENCIL_BITS}),this.currentState[d.STENCIL_BITS.name]=""+i}isValidChangeCommand(e,t){return"enable"===e.name||"disable"===e.name?e.commandArguments[0]===d.STENCIL_TEST.value:"stencilOp"===e.name||"stencilOpSeparate"===e.name?Ce.stencilOpStates.indexOf(e.commandArguments[0])>0:"stencilFunc"===e.name||"stencilFuncSeparate"===e.name?Ce.stencilFuncStates.indexOf(e.commandArguments[0])>0:"stencilMask"!==e.name&&"stencilMaskSeparate"!==e.name||Ce.stencilMaskStates.indexOf(e.commandArguments[0])>0}getConsumeCommands(){return u}isStateEnable(e,t){return this.context.isEnabled(d.STENCIL_TEST.value)}}Ce.stateName="StencilState",Ce.stencilOpStates=[d.STENCIL_BACK_FAIL.value,d.STENCIL_BACK_PASS_DEPTH_FAIL.value,d.STENCIL_BACK_PASS_DEPTH_PASS.value,d.STENCIL_FAIL.value,d.STENCIL_PASS_DEPTH_FAIL.value,d.STENCIL_PASS_DEPTH_PASS.value],Ce.stencilFuncStates=[d.STENCIL_BACK_FUNC.value,d.STENCIL_BACK_REF.value,d.STENCIL_BACK_VALUE_MASK.value,d.STENCIL_FUNC.value,d.STENCIL_REF.value,d.STENCIL_VALUE_MASK.value],Ce.stencilMaskStates=[d.STENCIL_BACK_WRITEMASK.value,d.STENCIL_WRITEMASK.value];class Ae{static isSupportedCombination(e,t,n){return e=e||d.UNSIGNED_BYTE.value,((t=t||d.RGBA.value)===d.RGB.value||t===d.RGBA.value)&&(n===d.RGB.value||n===d.RGBA.value||n===d.RGBA8.value||n===d.RGBA16F.value||n===d.RGBA32F.value||n===d.RGB16F.value||n===d.RGB32F.value||n===d.R11F_G11F_B10F.value||n===d.SRGB8.value||n===d.SRGB8_ALPHA8.value)&&this.isSupportedComponentType(e)}static readPixels(e,t,n,i,r,s){e.getError(),s===d.UNSIGNED_NORMALIZED.value&&(s=d.UNSIGNED_BYTE.value);const o=i*r*4;let a;if(s===d.UNSIGNED_BYTE.value?a=new Uint8Array(o):(s=d.FLOAT.value,a=new Float32Array(o)),e.readPixels(t,n,i,r,e.RGBA,s,a),e.getError())return;if(s===d.UNSIGNED_BYTE.value)return a;const l=new Uint8Array(i*r*4);for(let e=0;e1){const e=this.context.getParameter(d.MAX_DRAW_BUFFERS.value);for(let n=0;n1?this.context.getFramebufferAttachmentParameter(a,n.value,d.FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE.value):d.UNSIGNED_BYTE.value;l===d.RENDERBUFFER.value?this.readFrameBufferAttachmentFromRenderBuffer(e,t,n,i,r,s,o,a,u,c):l===d.TEXTURE.value&&this.readFrameBufferAttachmentFromTexture(e,t,n,i,r,s,o,a,u,c)}readFrameBufferAttachmentFromRenderBuffer(e,t,n,i,r,s,o,a,l,c){let u=0,h=0;if(c.__SPECTOR_Object_CustomData){const e=c.__SPECTOR_Object_CustomData;if(s=e.width,o=e.height,u=e.samples,h=e.internalFormat,!u&&!Ae.isSupportedCombination(l,d.RGBA.value,h))return}else s+=i,o+=r;if(i=r=0,u){const a=e,c=e.createRenderbuffer(),u=e.getParameter(e.RENDERBUFFER_BINDING);e.bindRenderbuffer(e.RENDERBUFFER,c),e.renderbufferStorage(e.RENDERBUFFER,h,s,o),e.bindRenderbuffer(e.RENDERBUFFER,u),e.bindFramebuffer(d.FRAMEBUFFER.value,this.captureFrameBuffer),e.framebufferRenderbuffer(d.FRAMEBUFFER.value,d.COLOR_ATTACHMENT0.value,d.RENDERBUFFER.value,c);const m=a.getParameter(a.READ_FRAMEBUFFER_BINDING),p=a.getParameter(a.DRAW_FRAMEBUFFER_BINDING);a.bindFramebuffer(a.READ_FRAMEBUFFER,t),a.bindFramebuffer(a.DRAW_FRAMEBUFFER,this.captureFrameBuffer),a.blitFramebuffer(0,0,s,o,0,0,s,o,e.COLOR_BUFFER_BIT,e.NEAREST),a.bindFramebuffer(d.FRAMEBUFFER.value,this.captureFrameBuffer),a.bindFramebuffer(a.READ_FRAMEBUFFER,m),a.bindFramebuffer(a.DRAW_FRAMEBUFFER,p),this.context.checkFramebufferStatus(d.FRAMEBUFFER.value)===d.FRAMEBUFFER_COMPLETE.value&&this.getCapture(e,n.name,i,r,s,o,0,0,l),e.bindFramebuffer(d.FRAMEBUFFER.value,t),e.deleteRenderbuffer(c)}else e.bindFramebuffer(d.FRAMEBUFFER.value,this.captureFrameBuffer),e.framebufferRenderbuffer(d.FRAMEBUFFER.value,d.COLOR_ATTACHMENT0.value,d.RENDERBUFFER.value,c),this.context.checkFramebufferStatus(d.FRAMEBUFFER.value)===d.FRAMEBUFFER_COMPLETE.value&&this.getCapture(e,n.name,i,r,s,o,0,0,l),e.bindFramebuffer(d.FRAMEBUFFER.value,t)}readFrameBufferAttachmentFromTexture(e,t,n,i,r,s,o,a,l,c){let u=0;this.contextVersion>1&&(u=this.context.getFramebufferAttachmentParameter(a,n.value,d.FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER.value));const h=this.context.getFramebufferAttachmentParameter(a,n.value,d.FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL.value),m=this.context.getFramebufferAttachmentParameter(a,n.value,d.FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE.value);m>0?p[m].name:d.TEXTURE_2D.name;let g=!1,f=l;if(c.__SPECTOR_Object_CustomData){const e=c.__SPECTOR_Object_CustomData;if(s=e.width,o=e.height,void 0!==e.type&&(f=e.type),g=e.target===d.TEXTURE_2D_ARRAY.name,!Ae.isSupportedCombination(e.type,e.format,e.internalFormat))return}else s+=i,o+=r;i=r=0,e.bindFramebuffer(d.FRAMEBUFFER.value,this.captureFrameBuffer),u>0||g?e.framebufferTextureLayer(d.FRAMEBUFFER.value,d.COLOR_ATTACHMENT0.value,c,h,u):e.framebufferTexture2D(d.FRAMEBUFFER.value,d.COLOR_ATTACHMENT0.value,m||d.TEXTURE_2D.value,c,h),this.context.checkFramebufferStatus(d.FRAMEBUFFER.value)===d.FRAMEBUFFER_COMPLETE.value&&this.getCapture(e,n.name,i,r,s,o,m,u,f),e.bindFramebuffer(d.FRAMEBUFFER.value,t)}getCapture(e,t,n,i,r,o,a,l,c){r=Math.floor(r),o=Math.floor(o);const u={attachmentName:t,src:null,textureCubeMapFace:a?p[a].name:null,textureLayer:l};if(!this.quickCapture)try{const t=Ae.readPixels(e,n,i,r,o,c);if(t){this.workingCanvas.width=r,this.workingCanvas.height=o;const e=this.workingContext2D.createImageData(r,o);if(e.data.set(t),this.workingContext2D.putImageData(e,0,0),this.fullCapture)this.captureCanvas.width=this.workingCanvas.width,this.captureCanvas.height=this.workingCanvas.height;else{const e=r/o;e<1?(this.captureCanvas.width=Re.captureBaseSize*e,this.captureCanvas.height=Re.captureBaseSize):e>1?(this.captureCanvas.width=Re.captureBaseSize,this.captureCanvas.height=Re.captureBaseSize/e):(this.captureCanvas.width=Re.captureBaseSize,this.captureCanvas.height=Re.captureBaseSize)}this.captureCanvas.width=Math.max(this.captureCanvas.width,1),this.captureCanvas.height=Math.max(this.captureCanvas.height,1),this.captureContext2D.globalCompositeOperation="copy",this.captureContext2D.scale(1,-1),this.captureContext2D.translate(0,-this.captureCanvas.height),this.captureContext2D.drawImage(this.workingCanvas,0,0,r,o,0,0,this.captureCanvas.width,this.captureCanvas.height),this.captureContext2D.setTransform(1,0,0,1,0,0),this.captureContext2D.globalCompositeOperation="source-over",u.src=this.captureCanvas.toDataURL()}}catch(e){s.warn("Spector can not capture the visual state: "+e)}this.currentState.Attachments.push(u)}analyse(e){}}Re.stateName="VisualState",Re.captureBaseSize=256;class Se{constructor(e){this.context=e.context,this.captureFrameBuffer=e.context.createFramebuffer(),this.workingCanvas=document.createElement("canvas"),this.workingContext2D=this.workingCanvas.getContext("2d"),this.captureCanvas=document.createElement("canvas"),this.captureContext2D=this.captureCanvas.getContext("2d"),this._setSmoothing(!0)}appendTextureState(e,t,n=null,i){if(!t)return;const r=t.__SPECTOR_Object_CustomData;if(r&&(this.fullCapture=i,r.type&&(e.textureType=this.getWebGlConstant(r.type)),r.format&&(e.format=this.getWebGlConstant(r.format)),r.internalFormat&&(e.internalFormat=this.getWebGlConstant(r.internalFormat)),e.width=r.width,e.height=r.height,r.depth&&(e.depth=r.depth),n)){const i="NEAREST"===e.samplerMagFilter||"NEAREST"===e.magFilter;e.visual=this.getTextureVisualState(n,t,r,i)}}getTextureVisualState(e,t,n,i){try{const r=this.context,s={};if(!Ae.isSupportedCombination(n.type,n.format,n.internalFormat))return s;const o=this.context.getParameter(d.FRAMEBUFFER_BINDING.value);r.bindFramebuffer(d.FRAMEBUFFER.value,this.captureFrameBuffer);try{const o=0,a=n.width,l=n.height;if(e===d.TEXTURE_3D&&n.depth){const e=r;for(let c=0;c2&&c2&&c1?(this.captureCanvas.width=Re.captureBaseSize,this.captureCanvas.height=Re.captureBaseSize/e):(this.captureCanvas.width=Re.captureBaseSize,this.captureCanvas.height=Re.captureBaseSize)}return this.captureCanvas.width=Math.max(this.captureCanvas.width,1),this.captureCanvas.height=Math.max(this.captureCanvas.height,1),this.captureContext2D.globalCompositeOperation="copy",this.captureContext2D.scale(1,-1),this.captureContext2D.translate(0,-this.captureCanvas.height),this._setSmoothing(!o),this.captureContext2D.drawImage(this.workingCanvas,0,0,i,r,0,0,this.captureCanvas.width,this.captureCanvas.height),this.captureContext2D.setTransform(1,0,0,1,0,0),this.captureContext2D.globalCompositeOperation="source-over",this.captureCanvas.toDataURL()}catch(e){}}getWebGlConstant(e){const t=p[e];return t?t.name:e+""}_setSmoothing(e){this.captureContext2D.imageSmoothingEnabled=e,this.captureContext2D.mozImageSmoothingEnabled=e,this.captureContext2D.oImageSmoothingEnabled=e,this.captureContext2D.webkitImageSmoothingEnabled=e,this.captureContext2D.msImageSmoothingEnabled=e}}Se.captureBaseSize=64,Se.cubeMapFaces=[d.TEXTURE_CUBE_MAP_POSITIVE_X,d.TEXTURE_CUBE_MAP_POSITIVE_Y,d.TEXTURE_CUBE_MAP_POSITIVE_Z,d.TEXTURE_CUBE_MAP_NEGATIVE_X,d.TEXTURE_CUBE_MAP_NEGATIVE_Y,d.TEXTURE_CUBE_MAP_NEGATIVE_Z];class Te{constructor(e){this.context=e.context}getUboValue(e,t,n,i){const r=Te.uboTypes[i];if(!r)return;const s=new r.arrayBufferView(n*r.lengthMultiplier),o=this.context,a=o.getIndexedParameter(d.UNIFORM_BUFFER_BINDING.value,e);if(a){const n=o.getIndexedParameter(d.UNIFORM_BUFFER_START.value,e),i=o.getParameter(d.UNIFORM_BUFFER_BINDING.value);try{o.bindBuffer(d.UNIFORM_BUFFER.value,a),o.getBufferSubData(d.UNIFORM_BUFFER.value,n+t,s)}catch(e){return}i&&o.bindBuffer(d.UNIFORM_BUFFER.value,i)}return Array.prototype.slice.call(s)}}Te.uboTypes={[d.BOOL.value]:{arrayBufferView:Uint8Array,lengthMultiplier:1},[d.BOOL_VEC2.value]:{arrayBufferView:Uint8Array,lengthMultiplier:2},[d.BOOL_VEC3.value]:{arrayBufferView:Uint8Array,lengthMultiplier:3},[d.BOOL_VEC4.value]:{arrayBufferView:Uint8Array,lengthMultiplier:4},[d.INT.value]:{arrayBufferView:Int32Array,lengthMultiplier:1},[d.INT_VEC2.value]:{arrayBufferView:Int32Array,lengthMultiplier:2},[d.INT_VEC3.value]:{arrayBufferView:Int32Array,lengthMultiplier:3},[d.INT_VEC4.value]:{arrayBufferView:Int32Array,lengthMultiplier:4},[d.UNSIGNED_INT.value]:{arrayBufferView:Uint32Array,lengthMultiplier:1},[d.UNSIGNED_INT_VEC2.value]:{arrayBufferView:Uint32Array,lengthMultiplier:2},[d.UNSIGNED_INT_VEC3.value]:{arrayBufferView:Uint32Array,lengthMultiplier:3},[d.UNSIGNED_INT_VEC4.value]:{arrayBufferView:Uint32Array,lengthMultiplier:4},[d.FLOAT.value]:{arrayBufferView:Float32Array,lengthMultiplier:1},[d.FLOAT_VEC2.value]:{arrayBufferView:Float32Array,lengthMultiplier:2},[d.FLOAT_VEC3.value]:{arrayBufferView:Float32Array,lengthMultiplier:3},[d.FLOAT_VEC4.value]:{arrayBufferView:Float32Array,lengthMultiplier:4},[d.FLOAT_MAT2.value]:{arrayBufferView:Float32Array,lengthMultiplier:4},[d.FLOAT_MAT2x3.value]:{arrayBufferView:Float32Array,lengthMultiplier:6},[d.FLOAT_MAT2x4.value]:{arrayBufferView:Float32Array,lengthMultiplier:8},[d.FLOAT_MAT3.value]:{arrayBufferView:Float32Array,lengthMultiplier:9},[d.FLOAT_MAT3x2.value]:{arrayBufferView:Float32Array,lengthMultiplier:6},[d.FLOAT_MAT3x4.value]:{arrayBufferView:Float32Array,lengthMultiplier:12},[d.FLOAT_MAT4.value]:{arrayBufferView:Float32Array,lengthMultiplier:16},[d.FLOAT_MAT4x2.value]:{arrayBufferView:Float32Array,lengthMultiplier:8},[d.FLOAT_MAT4x3.value]:{arrayBufferView:Float32Array,lengthMultiplier:12},[d.SAMPLER_2D.value]:{arrayBufferView:Uint8Array,lengthMultiplier:1},[d.SAMPLER_CUBE.value]:{arrayBufferView:Uint8Array,lengthMultiplier:1}};class be extends _{get typeName(){return"WebGLBuffer"}}class we extends _{get typeName(){return"WebGLFramebuffer"}}class xe extends _{get typeName(){return"WebGLProgram"}static saveInGlobalStore(e){const t=v.getWebGlObjectTag(e);t&&(this.store[t.id]=e)}static getFromGlobalStore(e){return this.store[e]}static updateInGlobalStore(e,t){if(!t)return;const n=this.getFromGlobalStore(e);if(!n)return;const i=v.getWebGlObjectTag(n);i&&(v.attachWebGlObjectTag(t,i),this.store[i.id]=t)}}xe.store={};class ye extends _{get typeName(){return"WebGLQuery"}}class Le extends _{get typeName(){return"WebGLRenderbuffer"}}class Ie extends _{get typeName(){return"WebGLSampler"}}class Fe extends _{get typeName(){return"WebGLShader"}}class Ne extends _{get typeName(){return"WebGLSync"}}class Me extends _{get typeName(){return"WebGLTexture"}}class Oe extends _{get typeName(){return"WebGLTransformFeedback"}}class Be extends _{get typeName(){return"WebGLUniformLocation"}}class $e extends _{get typeName(){return"WebGLVertexArrayObject"}}class Pe{static getProgramData(e,t){const n={LINK_STATUS:e.getProgramParameter(t,d.LINK_STATUS.value),VALIDATE_STATUS:e.getProgramParameter(t,d.VALIDATE_STATUS.value)},i=e.getAttachedShaders(t),r=new Array(2);let s=0;for(const t of i){const n=this.readShaderFromContext(e,t);s+=n.source.length,n.shaderType===d.FRAGMENT_SHADER.name?r[1]=n:r[0]=n}return{programStatus:n,shaders:r,length:s}}static readShaderFromContext(e,t){const n=e.getShaderSource(t),i=e.getExtension("WEBGL_debug_shaders"),r=i?i.getTranslatedShaderSource(t):null,s=e.getShaderParameter(t,d.SHADER_TYPE.value)===d.FRAGMENT_SHADER.value;let o=t&&t.__SPECTOR_Metadata&&t.__SPECTOR_Metadata.name?t.__SPECTOR_Metadata.name:this.readNameFromShaderSource(n);return o||(o=s?"Fragment":"Vertex"),{COMPILE_STATUS:e.getShaderParameter(t,d.COMPILE_STATUS.value),shaderType:s?d.FRAGMENT_SHADER.name:d.VERTEX_SHADER.name,name:o,source:n,translatedSource:r}}static readNameFromShaderSource(e){try{let t,n="";const i=/#define[\s]+SHADER_NAME[\s]+([\S]+)(\n|$)/gi;if(t=i.exec(e),null!==t&&(t.index===i.lastIndex&&i.lastIndex++,n=t[1]),""===n){const i=/#define[\s]+SHADER_NAME_B64[\s]+([\S]+)(\n|$)/gi;t=i.exec(e),null!==t&&(t.index===i.lastIndex&&i.lastIndex++,n=t[1]),n&&(n=decodeURIComponent(atob(n)))}return n}catch(e){return null}}}class ke extends ae{constructor(e){super(e),this.drawCallTextureInputState=new Se(e),this.drawCallUboInputState=new Te(e)}get stateName(){return ke.stateName}get requireStartAndStopStates(){return!1}getConsumeCommands(){return u}getChangeCommandsByState(){return{}}readFromContext(){var e,t;const n=this.context.getParameter(d.CURRENT_PROGRAM.value);if(!n)return;this.currentState.frameBuffer=this.readFrameBufferFromContext();const r=n.__SPECTOR_Object_CustomData?n.__SPECTOR_Object_CustomData:Pe.getProgramData(this.context,n);if(this.currentState.programStatus=Object.assign({},r.programStatus),this.currentState.programStatus.program=this.getSpectorData(n),this.currentState.programStatus.RECOMPILABLE=i.isBuildableProgram(n),this.currentState.programStatus.RECOMPILABLE&&xe.saveInGlobalStore(n),this.currentState.shaders=r.shaders,(null===(e=this.lastCommandName)||void 0===e?void 0:e.indexOf("Elements"))>=0){const e=this.context.getParameter(this.context.ELEMENT_ARRAY_BUFFER_BINDING);e&&(this.currentState.elementArray={},this.currentState.elementArray.arrayBuffer=this.getSpectorData(e))}const s=this.context.getProgramParameter(n,d.ACTIVE_ATTRIBUTES.value);this.currentState.attributes=[];for(let e=0;e1){const e=this.context.getProgramParameter(n,d.ACTIVE_UNIFORM_BLOCKS.value);this.currentState.uniformBlocks=[];for(let t=0;t1){const e=this.context;t.colorAttachments=[];const n=e.getParameter(d.MAX_DRAW_BUFFERS.value);for(let e=0;e1&&(i.alphaSize=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_ALPHA_SIZE.value),i.blueSize=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_BLUE_SIZE.value),i.encoding=this.getWebGlConstant(this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING.value)),i.componentType=this.getWebGlConstant(this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE.value)),i.depthSize=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_DEPTH_SIZE.value),i.greenSize=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_GREEN_SIZE.value),i.redSize=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_RED_SIZE.value),i.stencilSize=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE.value),n===d.TEXTURE.value&&(i.textureLayer=this.context.getFramebufferAttachmentParameter(t,e,d.FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER.value))),i}readAttributeFromContext(e,t){const n=this.context.getActiveAttrib(e,t),i=this.context.getAttribLocation(e,n.name);if(-1===i)return{name:n.name,size:n.size,type:this.getWebGlConstant(n.type),location:-1};const r=this.context.getVertexAttrib(i,d.CURRENT_VERTEX_ATTRIB.value),s=this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_BUFFER_BINDING.value),o={name:n.name,size:n.size,type:this.getWebGlConstant(n.type),location:i,offsetPointer:this.context.getVertexAttribOffset(i,d.VERTEX_ATTRIB_ARRAY_POINTER.value),bufferBinding:this.getSpectorData(s),enabled:this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_ENABLED.value),arraySize:this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_SIZE.value),stride:this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_STRIDE.value),arrayType:this.getWebGlConstant(this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_TYPE.value)),normalized:this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_NORMALIZED.value),vertexAttrib:Array.prototype.slice.call(r)};return this.extensions[d.VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE.extensionName]?o.divisor=this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE.value):this.contextVersion>1&&(o.integer=this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_INTEGER.value),o.divisor=this.context.getVertexAttrib(i,d.VERTEX_ATTRIB_ARRAY_DIVISOR.value)),this.appendBufferCustomData(o,s),o}readUniformFromContext(e,t){const n=this.context.getActiveUniform(e,t),i=this.context.getUniformLocation(e,n.name);if(i){if(n.size>1&&n.name&&n.name.indexOf("[0]")===n.name.length-3){const t=[];for(let i=0;i1){i.baseLevel=this.context.getTexParameter(t.value,d.TEXTURE_BASE_LEVEL.value),i.immutable=this.context.getTexParameter(t.value,d.TEXTURE_IMMUTABLE_FORMAT.value),i.immutableLevels=this.context.getTexParameter(t.value,d.TEXTURE_IMMUTABLE_LEVELS.value),i.maxLevel=this.context.getTexParameter(t.value,d.TEXTURE_MAX_LEVEL.value);const e=this.context.getParameter(d.SAMPLER_BINDING.value);if(e){i.sampler=this.getSpectorData(e);const t=this.context;i.samplerMaxLod=t.getSamplerParameter(e,d.TEXTURE_MAX_LOD.value),i.samplerMinLod=t.getSamplerParameter(e,d.TEXTURE_MIN_LOD.value),i.samplerCompareFunc=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_COMPARE_FUNC.value)),i.samplerCompareMode=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_COMPARE_MODE.value)),i.samplerWrapS=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_WRAP_S.value)),i.samplerWrapT=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_WRAP_T.value)),i.samplerWrapR=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_WRAP_R.value)),i.samplerMagFilter=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_MAG_FILTER.value)),i.samplerMinFilter=this.getWebGlConstant(t.getSamplerParameter(e,d.TEXTURE_MIN_FILTER.value))}else i.maxLod=this.context.getTexParameter(t.value,d.TEXTURE_MAX_LOD.value),i.minLod=this.context.getTexParameter(t.value,d.TEXTURE_MIN_LOD.value),i.compareFunc=this.getWebGlConstant(this.context.getTexParameter(t.value,d.TEXTURE_COMPARE_FUNC.value)),i.compareMode=this.getWebGlConstant(this.context.getTexParameter(t.value,d.TEXTURE_COMPARE_MODE.value)),i.wrapR=this.getWebGlConstant(this.context.getTexParameter(t.value,d.TEXTURE_WRAP_R.value))}const r=this.getTextureStorage(t);if(r){const e=this.quickCapture?null:t;this.drawCallTextureInputState.appendTextureState(i,r,e,this.fullCapture)}return this.context.activeTexture(n),i}getTextureStorage(e){return e===d.TEXTURE_2D?this.context.getParameter(d.TEXTURE_BINDING_2D.value):e===d.TEXTURE_CUBE_MAP?this.context.getParameter(d.TEXTURE_BINDING_CUBE_MAP.value):e===d.TEXTURE_3D?this.context.getParameter(d.TEXTURE_BINDING_3D.value):e===d.TEXTURE_2D_ARRAY?this.context.getParameter(d.TEXTURE_BINDING_2D_ARRAY.value):void 0}readUniformsFromContextIntoState(e,t,n,i){const r=this.context,s=r.getActiveUniforms(e,t,d.UNIFORM_TYPE.value),o=r.getActiveUniforms(e,t,d.UNIFORM_SIZE.value),a=r.getActiveUniforms(e,t,d.UNIFORM_BLOCK_INDEX.value),l=r.getActiveUniforms(e,t,d.UNIFORM_OFFSET.value),c=r.getActiveUniforms(e,t,d.UNIFORM_ARRAY_STRIDE.value),u=r.getActiveUniforms(e,t,d.UNIFORM_MATRIX_STRIDE.value),h=r.getActiveUniforms(e,t,d.UNIFORM_IS_ROW_MAJOR.value);for(let d=0;d-1&&(t.blockName=r.getActiveUniformBlockName(e,t.blockIndice)),t.offset=l[d],t.arrayStride=c[d],t.matrixStride=u[d],t.rowMajor=h[d],t.blockIndice>-1){const e=i[a[d]].bindingPoint;t.value=this.drawCallUboInputState.getUboValue(e,t.offset,t.size,s[d])}}}readTransformFeedbackFromContext(e,t){const n=this.context,i=n.getTransformFeedbackVarying(e,t),r=n.getIndexedParameter(d.TRANSFORM_FEEDBACK_BUFFER_BINDING.value,t),s={name:i.name,size:i.size,type:this.getWebGlConstant(i.type),buffer:this.getSpectorData(r),bufferSize:n.getIndexedParameter(d.TRANSFORM_FEEDBACK_BUFFER_SIZE.value,t),bufferStart:n.getIndexedParameter(d.TRANSFORM_FEEDBACK_BUFFER_START.value,t)};return this.appendBufferCustomData(s,r),s}readUniformBlockFromContext(e,t){const n=this.context,i=n.getActiveUniformBlockParameter(e,t,d.UNIFORM_BLOCK_BINDING.value),r=n.getIndexedParameter(d.UNIFORM_BUFFER_BINDING.value,i),s={name:n.getActiveUniformBlockName(e,t),bindingPoint:i,size:n.getActiveUniformBlockParameter(e,t,d.UNIFORM_BLOCK_DATA_SIZE.value),activeUniformCount:n.getActiveUniformBlockParameter(e,t,d.UNIFORM_BLOCK_ACTIVE_UNIFORMS.value),vertex:n.getActiveUniformBlockParameter(e,t,d.UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER.value),fragment:n.getActiveUniformBlockParameter(e,t,d.UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER.value),buffer:this.getSpectorData(r)};return this.appendBufferCustomData(s,r),s}appendBufferCustomData(e,t){if(t){const n=t.__SPECTOR_Object_CustomData;n&&(n.usage&&(e.bufferUsage=this.getWebGlConstant(n.usage)),e.bufferLength=n.length,n.offset&&(e.bufferOffset=n.offset),n.sourceLength&&(e.bufferSourceLength=n.sourceLength))}}getWebGlConstant(e){const t=p[e];return t?t.name:e}}ke.stateName="DrawCall",ke.samplerTypes={[d.SAMPLER_2D.value]:d.TEXTURE_2D,[d.SAMPLER_CUBE.value]:d.TEXTURE_CUBE_MAP,[d.SAMPLER_3D.value]:d.TEXTURE_3D,[d.SAMPLER_2D_SHADOW.value]:d.TEXTURE_2D,[d.SAMPLER_2D_ARRAY.value]:d.TEXTURE_2D_ARRAY,[d.SAMPLER_2D_ARRAY_SHADOW.value]:d.TEXTURE_2D_ARRAY,[d.SAMPLER_CUBE_SHADOW.value]:d.TEXTURE_CUBE_MAP,[d.INT_SAMPLER_2D.value]:d.TEXTURE_2D,[d.INT_SAMPLER_3D.value]:d.TEXTURE_3D,[d.INT_SAMPLER_CUBE.value]:d.TEXTURE_CUBE_MAP,[d.INT_SAMPLER_2D_ARRAY.value]:d.TEXTURE_2D_ARRAY,[d.UNSIGNED_INT_SAMPLER_2D.value]:d.TEXTURE_2D,[d.UNSIGNED_INT_SAMPLER_3D.value]:d.TEXTURE_3D,[d.UNSIGNED_INT_SAMPLER_CUBE.value]:d.TEXTURE_CUBE_MAP,[d.UNSIGNED_INT_SAMPLER_2D_ARRAY.value]:d.TEXTURE_2D_ARRAY};class De{constructor(e){this.contextInformation=e,this.stateTrackers=[],this.onCommandCapturedCallbacks={},this.initStateTrackers()}startCapture(e,t,n){for(const i of this.stateTrackers){const r=i.startCapture(!0,t,n);i.requireStartAndStopStates&&(e.initState[i.stateName]=r)}}stopCapture(e){for(const t of this.stateTrackers){const n=t.stopCapture();t.requireStartAndStopStates&&(e.endState[t.stateName]=n)}}captureState(e){const t=this.onCommandCapturedCallbacks[e.name];if(t)for(const n of t)n(e)}initStateTrackers(){this.stateTrackers.push(new ce(this.contextInformation),new ue(this.contextInformation),new he(this.contextInformation),new de(this.contextInformation),new me(this.contextInformation),new pe(this.contextInformation),new ge(this.contextInformation),new fe(this.contextInformation),new Ee(this.contextInformation),new ve(this.contextInformation),new _e(this.contextInformation),new Ce(this.contextInformation),new Re(this.contextInformation),new ke(this.contextInformation));for(const e of this.stateTrackers)e.registerCallbacks(this.onCommandCapturedCallbacks)}}class Ue{constructor(e){this.options=e,this.createCommandNames=this.getCreateCommandNames(),this.updateCommandNames=this.getUpdateCommandNames(),this.deleteCommandNames=this.getDeleteCommandNames(),this.startTime=a.now,this.memoryPerSecond={},this.totalMemory=0,this.frameMemory=0,this.capturing=!1,Ue.initializeByteSizeFormat()}static initializeByteSizeFormat(){this.byteSizePerInternalFormat||(this.byteSizePerInternalFormat={[d.R8.value]:1,[d.R16F.value]:2,[d.R32F.value]:4,[d.R8UI.value]:1,[d.RG8.value]:2,[d.RG16F.value]:4,[d.RG32F.value]:8,[d.ALPHA.value]:1,[d.RGB.value]:3,[d.RGBA.value]:4,[d.LUMINANCE.value]:1,[d.LUMINANCE_ALPHA.value]:2,[d.DEPTH_COMPONENT.value]:1,[d.DEPTH_STENCIL.value]:2,[d.SRGB_EXT.value]:3,[d.SRGB_ALPHA_EXT.value]:4,[d.RGB8.value]:3,[d.SRGB8.value]:3,[d.RGB565.value]:2,[d.R11F_G11F_B10F.value]:4,[d.RGB9_E5.value]:2,[d.RGB16F.value]:6,[d.RGB32F.value]:12,[d.RGB8UI.value]:3,[d.RGBA8.value]:4,[d.RGB5_A1.value]:2,[d.RGBA16F.value]:8,[d.RGBA32F.value]:16,[d.RGBA8UI.value]:4,[d.COMPRESSED_R11_EAC.value]:4,[d.COMPRESSED_SIGNED_R11_EAC.value]:4,[d.COMPRESSED_RG11_EAC.value]:4,[d.COMPRESSED_SIGNED_RG11_EAC.value]:4,[d.COMPRESSED_RGB8_ETC2.value]:4,[d.COMPRESSED_RGBA8_ETC2_EAC.value]:4,[d.COMPRESSED_SRGB8_ETC2.value]:4,[d.COMPRESSED_SRGB8_ALPHA8_ETC2_EAC.value]:4,[d.COMPRESSED_RGB8_PUNCHTHROUGH_ALPHA1_ETC2.value]:4,[d.COMPRESSED_SRGB8_PUNCHTHROUGH_ALPHA1_ETC2.value]:4,[d.COMPRESSED_RGB_S3TC_DXT1_EXT.value]:.5,[d.COMPRESSED_RGBA_S3TC_DXT3_EXT.value]:1,[d.COMPRESSED_RGBA_S3TC_DXT5_EXT.value]:1,[d.COMPRESSED_RGB_PVRTC_4BPPV1_IMG.value]:.5,[d.COMPRESSED_RGBA_PVRTC_4BPPV1_IMG.value]:.5,[d.COMPRESSED_RGB_PVRTC_2BPPV1_IMG.value]:.25,[d.COMPRESSED_RGBA_PVRTC_2BPPV1_IMG.value]:.25,[d.COMPRESSED_RGB_ETC1_WEBGL.value]:.5,[d.COMPRESSED_RGB_ATC_WEBGL.value]:.5,[d.COMPRESSED_RGBA_ATC_EXPLICIT_ALPHA_WEBGL.value]:1,[d.COMPRESSED_RGBA_ATC_INTERPOLATED_ALPHA_WEBGL.value]:1})}registerCallbacks(e){for(const t of this.createCommandNames)e[t]=e[t]||[],e[t].push(this.createWithoutSideEffects.bind(this));for(const t of this.updateCommandNames)e[t]=e[t]||[],e[t].push(this.updateWithoutSideEffects.bind(this));for(const t of this.deleteCommandNames)e[t]=e[t]||[],e[t].push(this.deleteWithoutSideEffects.bind(this))}startCapture(){this.frameMemory=0,this.capturing=!0}stopCapture(){this.frameMemory=0,this.capturing=!1}appendRecordedInformation(e){e.frameMemory[this.objectName]=this.frameMemory,e.memory[this.objectName]=this.memoryPerSecond}create(e){}createWithoutSideEffects(e){this.options.toggleCapture(!1),this.create(e),this.options.toggleCapture(!0)}updateWithoutSideEffects(e){if(!e||0===e.arguments.length)return;this.options.toggleCapture(!1);const t=e.arguments[0],n=this.getBoundInstance(t);if(!n)return void this.options.toggleCapture(!0);if(!v.getWebGlObjectTag(n))return void this.options.toggleCapture(!0);const i=this.getWebGlConstant(t),r=this.update(e,i,n);this.changeMemorySize(r),this.options.toggleCapture(!0)}deleteWithoutSideEffects(e){if(!e||!e.arguments||e.arguments.length<1)return;const t=e.arguments[0];if(!t)return;this.options.toggleCapture(!1);const n=this.delete(t);this.changeMemorySize(-n),this.options.toggleCapture(!0)}changeMemorySize(e){this.totalMemory+=e,this.capturing&&(this.frameMemory+=e);const t=a.now-this.startTime,n=Math.round(t/1e3);this.memoryPerSecond[n]=this.totalMemory}getWebGlConstant(e){const t=p[e];return t?t.name:e+""}getByteSizeForInternalFormat(e){return Ue.byteSizePerInternalFormat[e]||4}}class Ge extends Ue{get objectName(){return"Buffer"}getCreateCommandNames(){return["createBuffer"]}getUpdateCommandNames(){return["bufferData"]}getDeleteCommandNames(){return["deleteBuffer"]}getBoundInstance(e){const t=this.options.context;return e===d.ARRAY_BUFFER.value?t.getParameter(d.ARRAY_BUFFER_BINDING.value):e===d.ELEMENT_ARRAY_BUFFER.value?t.getParameter(d.ELEMENT_ARRAY_BUFFER_BINDING.value):e===d.COPY_READ_BUFFER.value?t.getParameter(d.COPY_READ_BUFFER_BINDING.value):e===d.COPY_WRITE_BUFFER.value?t.getParameter(d.COPY_WRITE_BUFFER_BINDING.value):e===d.TRANSFORM_FEEDBACK_BUFFER.value?t.getParameter(d.TRANSFORM_FEEDBACK_BUFFER_BINDING.value):e===d.UNIFORM_BUFFER.value?t.getParameter(d.UNIFORM_BUFFER_BINDING.value):e===d.PIXEL_PACK_BUFFER.value?t.getParameter(d.PIXEL_PACK_BUFFER_BINDING.value):e===d.PIXEL_UNPACK_BUFFER.value?t.getParameter(d.PIXEL_UNPACK_BUFFER_BINDING.value):void 0}delete(e){const t=e.__SPECTOR_Object_CustomData;return t?t.length:0}update(e,t,n){const i=this.getCustomData(t,e);if(!i)return 0;const r=n.__SPECTOR_Object_CustomData?n.__SPECTOR_Object_CustomData.length:0;return n.__SPECTOR_Object_CustomData=i,i.length-r}getCustomData(e,t){const n=this.getLength(t);return t.arguments.length>=4?{target:e,length:n,usage:t.arguments[2],offset:t.arguments[3],sourceLength:t.arguments[1]?t.arguments[1].length:-1}:3===t.arguments.length?{target:e,length:n,usage:t.arguments[2]}:void 0}getLength(e){const t=e.arguments[1],n=e.arguments[3],i=e.arguments[4];if("number"==typeof t)return t;if("number"==typeof i&&i>0)return i;const r=t.byteLength||t.length||0;return"number"==typeof n&&n>0?r-n:r}}class We extends Ue{get objectName(){return"Renderbuffer"}getCreateCommandNames(){return["createRenderbuffer"]}getUpdateCommandNames(){return["renderbufferStorage","renderbufferStorageMultisample"]}getDeleteCommandNames(){return["deleteRenderbuffer"]}getBoundInstance(e){const t=this.options.context;if(e===d.RENDERBUFFER.value)return t.getParameter(d.RENDERBUFFER_BINDING.value)}delete(e){const t=e.__SPECTOR_Object_CustomData;return t?t.length:0}update(e,t,n){const i=this.getCustomData(e,t);if(!i)return 0;const r=n.__SPECTOR_Object_CustomData?n.__SPECTOR_Object_CustomData.length:0;return i.length=i.width*i.height*this.getByteSizeForInternalFormat(i.internalFormat),n.__SPECTOR_Object_CustomData=i,i.length-r}getCustomData(e,t){return 4===e.arguments.length?{target:t,internalFormat:e.arguments[1],width:e.arguments[2],height:e.arguments[3],length:0,samples:0}:{target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],length:0,samples:e.arguments[1]}}}class Ve extends Ue{get objectName(){return"Texture2d"}getCreateCommandNames(){return["createTexture"]}getUpdateCommandNames(){return["texImage2D","compressedTexImage2D","texStorage2D"]}getDeleteCommandNames(){return["deleteTexture"]}getBoundInstance(e){const t=this.options.context;return e===d.TEXTURE_2D.value?t.getParameter(d.TEXTURE_BINDING_2D.value):e===d.TEXTURE_CUBE_MAP_POSITIVE_X.value||e===d.TEXTURE_CUBE_MAP_POSITIVE_Y.value||e===d.TEXTURE_CUBE_MAP_POSITIVE_Z.value||e===d.TEXTURE_CUBE_MAP_NEGATIVE_X.value||e===d.TEXTURE_CUBE_MAP_NEGATIVE_Y.value||e===d.TEXTURE_CUBE_MAP_NEGATIVE_Z.value?t.getParameter(d.TEXTURE_BINDING_CUBE_MAP.value):void 0}delete(e){const t=e.__SPECTOR_Object_CustomData;return t?t.target===d.TEXTURE_2D_ARRAY.name||t.target===d.TEXTURE_3D.name?0:t.length:0}update(e,t,n){const i=this.getCustomData(e,t,n);if(!i)return 0;const r=n.__SPECTOR_Object_CustomData?n.__SPECTOR_Object_CustomData.length:0;if(i.isCompressed){if(e.arguments.length>=7){const t=e.arguments[6];i.length="number"==typeof t?t:null==t?void 0:t.byteLength}}else{const e="TEXTURE_2D"===t?1:6;let n=i.internalFormat;n===d.RGBA.value&&(i.type===d.FLOAT.value&&(n=d.RGBA32F.value),i.type===d.HALF_FLOAT_OES.value&&(n=d.RGBA16F.value)),i.length=i.width*i.height*e*this.getByteSizeForInternalFormat(n)}return i.length=0|i.length,n.__SPECTOR_Object_CustomData=i,i.length-r}getCustomData(e,t,n){return"texImage2D"===e.name?this.getTexImage2DCustomData(e,t,n):"compressedTexImage2D"===e.name?this.getCompressedTexImage2DCustomData(e,t,n):"texStorage2D"===e.name?this.getTexStorage2DCustomData(e,t,n):void 0}getTexStorage2DCustomData(e,t,n){let i;return 5===e.arguments.length&&(i={target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],length:0,isCompressed:!1}),i}getCompressedTexImage2DCustomData(e,t,n){if(0!==e.arguments[1])return;let i;return e.arguments.length>=7&&(i={target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],length:0,isCompressed:!0}),i}getTexImage2DCustomData(e,t,n){if(0!==e.arguments[1])return;let i;return e.arguments.length>=8?i={target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],format:e.arguments[6],type:e.arguments[7],length:0,isCompressed:!1}:6===e.arguments.length&&(i={target:t,internalFormat:e.arguments[2],width:e.arguments[5].width,height:e.arguments[5].height,format:e.arguments[3],type:e.arguments[4],length:0,isCompressed:!1}),i}}class He extends Ue{get objectName(){return"Texture3d"}getCreateCommandNames(){return["createTexture"]}getUpdateCommandNames(){return["texImage3D","compressedTexImage3D","texStorage3D"]}getDeleteCommandNames(){return["deleteTexture"]}getBoundInstance(e){const t=this.options.context;return e===d.TEXTURE_2D_ARRAY.value?t.getParameter(d.TEXTURE_BINDING_2D_ARRAY.value):e===d.TEXTURE_3D.value?t.getParameter(d.TEXTURE_BINDING_3D.value):void 0}delete(e){const t=e.__SPECTOR_Object_CustomData;return t?t.target!==d.TEXTURE_2D_ARRAY.name&&t.target!==d.TEXTURE_3D.name?0:t.length:0}update(e,t,n){if(e.arguments.length>=2&&0!==e.arguments[1])return 0;const i=this.getCustomData(e,t,n);if(!i)return 0;const r=n.__SPECTOR_Object_CustomData?n.__SPECTOR_Object_CustomData.length:0;if(i.isCompressed){if(e.arguments.length>=7){const t=e.arguments[6];i.length="number"==typeof t?t:null==t?void 0:t.byteLength}}else i.length=i.width*i.height*i.depth*this.getByteSizeForInternalFormat(i.internalFormat);return i.length=0|i.length,n.__SPECTOR_Object_CustomData=i,i.length-r}getCustomData(e,t,n){return"texImage3D"===e.name?this.getTexImage3DCustomData(e,t,n):"compressedTexImage3D"===e.name?this.getCompressedTexImage3DCustomData(e,t,n):"texStorage3D"===e.name?this.getTexStorage3DCustomData(e,t,n):void 0}getTexStorage3DCustomData(e,t,n){let i;return 6===e.arguments.length&&(i={target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],depth:e.arguments[5],length:0,isCompressed:!1}),i}getCompressedTexImage3DCustomData(e,t,n){if(0!==e.arguments[1])return;let i;return e.arguments.length>=8&&(i={target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],depth:e.arguments[5],length:0,isCompressed:!0}),i}getTexImage3DCustomData(e,t,n){if(0!==e.arguments[1])return;let i;return e.arguments.length>=9&&(i={target:t,internalFormat:e.arguments[2],width:e.arguments[3],height:e.arguments[4],depth:e.arguments[5],format:e.arguments[7],type:e.arguments[8],length:0,isCompressed:!1}),i}}class Xe extends Ue{get objectName(){return"Program"}getCreateCommandNames(){return["createProgram"]}getUpdateCommandNames(){return["linkProgram"]}getDeleteCommandNames(){return["deleteProgram"]}getBoundInstance(e){return e}delete(e){const t=e.__SPECTOR_Object_CustomData;return t?t.length:0}update(e,t,n){if(e.arguments.length>=1&&!e.arguments[0])return 0;const i=this.getCustomData(n);if(!i)return 0;const r=n.__SPECTOR_Object_CustomData?n.__SPECTOR_Object_CustomData.length:0;return n.__SPECTOR_Object_CustomData=i,i.length-r}getCustomData(e){const t=this.options.context;return Pe.getProgramData(t,e)}}class ze{constructor(e){this.contextInformation=e,this.onCommandCallbacks={},this.recorders=[],this.initRecorders()}recordCommand(e){const t=this.onCommandCallbacks[e.name];if(t)for(const n of t)n(e)}startCapture(){for(const e of this.recorders)e.startCapture()}stopCapture(){for(const e of this.recorders)e.stopCapture()}appendRecordedInformation(e){for(const t of this.recorders)t.appendRecordedInformation(e)}initRecorders(){this.recorders.push(new Ge(this.contextInformation),new We(this.contextInformation),new Ve(this.contextInformation),new He(this.contextInformation),new Xe(this.contextInformation));for(const e of this.recorders)e.registerCallbacks(this.onCommandCallbacks)}}class Ke{constructor(e){this.contextInformation=e,this.webGlObjects=[],this.initWebglObjects()}tagWebGlObjects(e){for(const t of this.webGlObjects){for(let n=0;n0&&this.currentCapture.commands.length===this.maxCommands&&this.onMaxCommand.trigger(this)}}spyContext(e){const t=[];for(const n in e)n&&t.push(n);for(let n=0;n{this.spyRequestAnimationFrame("requestAnimationFrame",e.display)})}spyRequestAnimationFrame(e,t){const n=this;R.storeOriginFunction(t,e),t[e]=function(){const i=arguments[0],r=n.getCallback(n,i,()=>{n.spiedScope[e](i)});return R.executeOriginFunction(t,e,[r])}}spySetTimer(e){const t=this,n=this.spiedScope,i="setTimeout"===e;R.storeOriginFunction(n,e),n[e]=function(){const r=arguments[0],s=arguments[1],o=Array.prototype.slice.call(arguments);return Qe.setTimerCommonValues.indexOf(s)>-1&&(o[0]=t.getCallback(t,r,i?()=>{n[e](r)}:null)),R.executeOriginFunction(n,e,o)}}getCallback(e,t,n=null){return function(){const i=a.now;if(e.lastFrame=++e.lastFrame%e.speedRatio,e.willPlayNextFrame||e.speedRatio&&!e.lastFrame){e.onFrameStart.trigger(e);try{t.apply(e.spiedScope,arguments)}catch(t){e.onError.trigger(t)}e.lastSixtyFramesCurrentIndex=(e.lastSixtyFramesCurrentIndex+1)%Qe.fpsWindowSize,e.lastSixtyFramesDuration[e.lastSixtyFramesCurrentIndex]=i-e.lastSixtyFramesPreviousStart,e.onFrameEnd.trigger(e),e.willPlayNextFrame=!1}else n&&n();e.lastSixtyFramesPreviousStart=i}}}Qe.requestAnimationFrameFunctions=["requestAnimationFrame","msRequestAnimationFrame","webkitRequestAnimationFrame","mozRequestAnimationFrame","oRequestAnimationFrame"],Qe.setTimerFunctions=["setTimeout","setInterval"],Qe.setTimerCommonValues=[0,15,16,33,32,40],Qe.fpsWindowSize=60;class Je{constructor(e){this.canvas=e,this.onContextRequested=new o,this.init()}init(){const e=this,t=function(){const t=this instanceof HTMLCanvasElement?HTMLCanvasElement:OffscreenCanvas,n=e.canvas?R.executeOriginFunction(this,"getContext",arguments):R.executePrototypeOriginFunction(this,t,"getContext",arguments);if(arguments.length>0){const e=arguments[0];if("webgl"!==e&&"experimental-webgl"!==e&&"webgl2"!==e&&"experimental-webgl2"!==e)return n}if(n){const t=Array.prototype.slice.call(arguments),i="webgl2"===t[0]||"experimental-webgl2"===t[0]?2:1;e.onContextRequested.trigger({context:n,contextVersion:i})}return n};this.canvas?(R.storeOriginFunction(this.canvas,"getContext"),this.canvas.getContext=t):(R.storePrototypeOriginFunction(HTMLCanvasElement,"getContext"),HTMLCanvasElement.prototype.getContext=t,"undefined"!=typeof OffscreenCanvas&&(R.storePrototypeOriginFunction(OffscreenCanvas,"getContext"),OffscreenCanvas.prototype.getContext=t))}}var et=n(72),tt=n.n(et),nt=n(825),it=n.n(nt),rt=n(659),st=n.n(rt),ot=n(56),at=n.n(ot),lt=n(540),ct=n.n(lt),ut=n(113),ht=n.n(ut),dt=n(25),mt={};mt.styleTagTransform=ht(),mt.setAttributes=at(),mt.insert=st().bind(null,"html"),mt.domAPI=it(),mt.insertStyleElement=ct(),tt()(dt.A,mt),dt.A&&dt.A.locals&&dt.A.locals;class pt{constructor(e,t){this.placeHolder=e,this.stateStore=t}compose(e){const t=this.stateStore.getStatesToProcess();let n=!1;for(const e in t)if(t.hasOwnProperty(e)){const i=t[e],r=this.stateStore.getLastOperation(i),s=this.stateStore.getComponentInstance(i),o=this.stateStore.getData(i);s.render(o,i,r),n=!0}if(!n)return;const i=this.stateStore.getLastOperation(e);this.composeInContainer(this.placeHolder,Number.MAX_VALUE,e,i)}composeChildren(e,t){if(!t)return;const n=this.stateStore.getChildrenIds(e);let i=0;for(let e=0;e0}add(e,t){const n=this.getNewId();return this.pendingOperation[n]=n,this.store[n]={data:e,id:n,parent:null,children:[],componentInstance:t,lastOperation:20},n}update(e,t){this.store[e],this.pendingOperation[e]=e,this.store[e].data=t,this.store[e].lastOperation=40}addChild(e,t,n){const i=this.store[e],r=this.add(t,n);this.pendingOperation[r]=r;const s=this.store[r];return s.parent=i,i.children.push(s),r}insertChildAt(e,t,n,i){const r=this.store[e],s=this.add(n,i);this.pendingOperation[s]=s;const o=this.store[s];return o.parent=r,t>=r.children.length?r.children.push(o):t>=0?r.children.splice(t,0,o):r.children.unshift(o),s}removeChildById(e,t){const n=this.store[e];for(let i=n.children.length-1;i>=0;i--)if(n.children[i].id===t){this.removeChildAt(e,i);break}}removeChildAt(e,t){const n=this.store[e];let i;t>n.children.length-1?(i=n.children[n.children.length-1],n.children[n.children.length-1].parent=null,n.children.splice(n.children.length-1,1)):t>=0?(i=n.children[t],n.children[t].parent=null,n.children.splice(t,1)):(i=n.children[0],n.children[0].parent=null,n.children.splice(0,1)),i.parent=null,this.remove(i.id)}remove(e){const t=this.store[e];t.parent?(this.store[t.parent.id],this.removeChildById(t.parent.id,e)):(this.removeChildren(e),this.store[e].lastOperation=50,this.pendingOperation[e]=e)}removeChildren(e){const t=this.store[e];for(;t.children.length;)this.remove(t.children[0].id)}getStatesToProcess(){return this.pendingOperation}flushPendingOperations(){for(const e in this.pendingOperation)this.pendingOperation[e]&&(50===this.store[e].lastOperation?delete this.store[e]:this.store[e].lastOperation=0);this.pendingOperation={}}getNewId(){return++this.idGenerator}}class ft{constructor(e){this.component=e}render(e,t,n){0!==n&&(50!==n?this.domNode=this.component.render(e,t):this.removeNode())}composeInContainer(e,t,n){if(50===n)return this.removeNode(),null;const i=this.cachedCurrentChildrenContainer;if(0===n)return i;const r=this.domNode,s=r.getAttribute("childrencontainer")?r:r.querySelector("[childrenContainer]");if(s&&i){const e=i.children;for(;e.length>0;)s.appendChild(e[0])}if(this.cachedCurrentChildrenContainer=s,t>=e.children.length)e.appendChild(r),this.cachedCurrentDomNode&&40===n&&(this.cachedCurrentDomNode.remove?this.cachedCurrentDomNode.remove():this.cachedCurrentDomNode.parentNode&&this.cachedCurrentDomNode.parentNode.removeChild(this.cachedCurrentDomNode));else{const i=e.children[t];e.insertBefore(r,i),40===n&&e.removeChild(i)}return this.cachedCurrentDomNode=this.domNode,s}removeNode(){this.domNode&&this.domNode.parentElement&&(this.domNode.remove?this.domNode.remove():this.domNode.parentNode&&this.domNode.parentNode.removeChild(this.domNode)),this.cachedCurrentDomNode&&this.cachedCurrentDomNode.parentElement&&(this.cachedCurrentDomNode.remove?this.cachedCurrentDomNode.remove():this.cachedCurrentDomNode.parentNode&&this.cachedCurrentDomNode.parentNode.removeChild(this.cachedCurrentDomNode))}}ft.idGenerator=0;class Et{constructor(e){this.stateStore=new gt,this.compositor=new pt(e,this.stateStore),this.willRender=!1,this.rootStateId=-1}addRootState(e,t,n=!1){const i=new ft(t),r=this.stateStore.add(e,i);return this.rootStateId=r,this.setForRender(n),r}addChildState(e,t,n,i=!1){const r=this.insertChildState(e,t,Number.MAX_VALUE,n);return this.setForRender(i),r}insertChildState(e,t,n,i,r=!1){const s=new ft(i),o=this.stateStore.insertChildAt(e,n,t,s);return this.setForRender(r),o}updateState(e,t,n=!1){this.stateStore.update(e,t),this.setForRender(n)}removeState(e,t=!1){this.stateStore.remove(e),this.setForRender(t)}removeChildrenStates(e,t=!1){this.stateStore.removeChildren(e),this.setForRender(t)}getState(e){return this.stateStore.getData(e)}getGenericState(e){return this.getState(e)}getChildrenState(e){return this.stateStore.getChildrenIds(e).map(t=>this.stateStore.getData(e))}getChildrenGenericState(e){return this.getChildrenState(e)}hasChildren(e){return this.stateStore.hasChildren(e)}updateAllChildrenState(e,t){const n=this.stateStore.getChildrenIds(e);for(const e of n){const n=this.getGenericState(e);t(n),this.updateState(e,n)}}updateAllChildrenGenericState(e,t){this.updateAllChildrenState(e,t)}setForRender(e){this.willRender||(this.willRender=!0,e?this.compose():setTimeout(this.compose.bind(this),Et.REFRESHRATEINMILLISECONDS))}compose(){this.willRender=!1,this.compositor.compose(this.rootStateId),this.stateStore.flushPendingOperations()}}Et.REFRESHRATEINMILLISECONDS=100;class vt{constructor(){this.dummyTextGeneratorElement=document.createElement("div")}createFromHtml(e){const t=document.createElement("div");return t.innerHTML=e,t.firstElementChild}htmlTemplate(e,...t){const n=e.raw;let i="";return t.forEach((e,t)=>{let r=n[t];Array.isArray(e)&&(e=e.join("")),r&&r.length>0&&"$"===r[r.length-1]?r=r.slice(0,-1):e=this.htmlEscape(e),i+=r,i+=e}),i+=n[n.length-1],i}htmlEscape(e){return null==e||0===e.length?e:(this.dummyTextGeneratorElement.innerText=e,this.dummyTextGeneratorElement.innerHTML)}}class _t extends vt{constructor(){super(),this.events={}}addEventListener(e,t,n=null){return this.events[e]?this.events[e].add(t,n):-1}removeEventListener(e,t){this.events[e]&&this.events[e].remove(t)}renderElementFromTemplate(e,t,n){const i=this.createFromHtml(e);return this.bindCommands(i,t,n),i}bindCommands(e,t,n){e.getAttribute("commandname")&&this.bindCommand(e,t,n);const i=e.querySelectorAll("[commandName]");for(let e=0;e +
+
+
+ ${e.logText} +
+ `;return this.renderElementFromTemplate(n,e,t)}}class At extends _t{constructor(){super(),this.onCanvasSelected=this.createEvent("onCanvasSelected")}render(e,t){const n=document.createElement("li"),i=document.createElement("span");return i.innerText=`Id: ${e.id} - Size: ${e.width}*${e.height}`,n.appendChild(i),this.mapEventListener(n,"click","onCanvasSelected",e,t),n}}class Rt extends _t{constructor(){super(),this.onCaptureRequested=this.createEvent("onCaptureRequested"),this.onPlayRequested=this.createEvent("onPlayRequested"),this.onPauseRequested=this.createEvent("onPauseRequested"),this.onPlayNextFrameRequested=this.createEvent("onPlayNextFrameRequested")}render(e,t){const n=this.htmlTemplate` +
+
+
+ $${e?'
\n
':'
\n
\n
\n
'} +
`;return this.renderElementFromTemplate(n,e,t)}}class St extends _t{constructor(){super(),this.onCanvasSelection=this.createEvent("onCanvasSelection")}render(e,t){const n=this.htmlTemplate` +
+ + ${e.currentCanvasInformation?`${e.currentCanvasInformation.id} (${e.currentCanvasInformation.width}*${e.currentCanvasInformation.height})`:"Choose Canvas..."} + +
    +
    `;return this.renderElementFromTemplate(n,e,t)}}class Tt extends _t{render(e,t){const n=document.createElement("span");return n.className="fpsCounterComponent",n.innerText=e.toFixed(2)+" Fps",n}}class bt{constructor(e={}){this.options=e,this.rootPlaceHolder=e.rootPlaceHolder||document.body,this.mvx=new Et(this.rootPlaceHolder),this.isTrackingCanvas=!1,this.onCanvasSelected=new o,this.onCaptureRequested=new o,this.onPauseRequested=new o,this.onPlayRequested=new o,this.onPlayNextFrameRequested=new o,this.captureMenuComponent=new Ct,this.canvasListComponent=new St,this.canvasListItemComponent=new At,this.actionsComponent=new Rt,this.fpsCounterComponent=new Tt,this.rootStateId=this.mvx.addRootState({visible:!0,logLevel:r.info,logText:bt.SelectCanvasHelpText,logVisible:!this.options.hideLog},this.captureMenuComponent),this.canvasListStateId=this.mvx.addChildState(this.rootStateId,{currentCanvasInformation:null,showList:!1},this.canvasListComponent),this.actionsStateId=this.mvx.addChildState(this.rootStateId,!0,this.actionsComponent),this.fpsStateId=this.mvx.addChildState(this.rootStateId,0,this.fpsCounterComponent),this.actionsComponent.onCaptureRequested.add(()=>{const e=this.getSelectedCanvasInformation();e&&this.updateMenuStateLog(r.info,bt.PleaseWaitHelpText,!0),setTimeout(()=>{this.onCaptureRequested.trigger(e)},200)}),this.actionsComponent.onPauseRequested.add(()=>{this.onPauseRequested.trigger(this.getSelectedCanvasInformation()),this.mvx.updateState(this.actionsStateId,!1)}),this.actionsComponent.onPlayRequested.add(()=>{this.onPlayRequested.trigger(this.getSelectedCanvasInformation()),this.mvx.updateState(this.actionsStateId,!0)}),this.actionsComponent.onPlayNextFrameRequested.add(()=>{this.onPlayNextFrameRequested.trigger(this.getSelectedCanvasInformation())}),this.canvasListComponent.onCanvasSelection.add(e=>{this.mvx.updateState(this.canvasListStateId,{currentCanvasInformation:null,showList:!e.state.showList}),this.updateMenuStateLog(r.info,bt.SelectCanvasHelpText),this.onCanvasSelected.trigger(null),this.isTrackingCanvas&&this.trackPageCanvases(),e.state.showList?this.showMenuStateLog():this.hideMenuStateLog()}),this.canvasListItemComponent.onCanvasSelected.add(e=>{this.mvx.updateState(this.canvasListStateId,{currentCanvasInformation:e.state,showList:!1}),this.onCanvasSelected.trigger(e.state),this.updateMenuStateLog(r.info,bt.ActionsHelpText),this.showMenuStateLog()})}getSelectedCanvasInformation(){return this.mvx.getGenericState(this.canvasListStateId).currentCanvasInformation}trackPageCanvases(){if(this.isTrackingCanvas=!0,document.body){const e=document.body.querySelectorAll("canvas");this.updateCanvasesList(e)}}updateCanvasesList(e){this.updateCanvasesListInformationInternal(e,e=>({id:e.id,width:e.width,height:e.height,ref:e}))}updateCanvasesListInformation(e){this.updateCanvasesListInformationInternal(e,e=>({id:e.id,width:e.width,height:e.height,ref:e.ref}))}display(){this.updateMenuStateVisibility(!0)}hide(){this.updateMenuStateVisibility(!1)}captureComplete(e){e?this.updateMenuStateLog(r.error,e):this.updateMenuStateLog(r.info,bt.ActionsHelpText)}setFPS(e){this.mvx.updateState(this.fpsStateId,e)}updateCanvasesListInformationInternal(e,t){this.mvx.removeChildrenStates(this.canvasListStateId);const n=[];for(let i=0;i +
    + Drag files here to open a previously saved capture. +
    +
      + `,i=this.renderElementFromTemplate(n,e,t),r=i.querySelector(".openCaptureFile");return r.addEventListener("dragenter",e=>(this.drag(e),!1),!1),r.addEventListener("dragover",e=>(this.drag(e),!1),!1),r.addEventListener("drop",e=>{this.drop(e)},!1),i}drag(e){e.stopPropagation(),e.preventDefault()}drop(e){e.stopPropagation(),e.preventDefault(),this.loadFiles(e)}loadFiles(e){let t=null;if(e&&e.dataTransfer&&e.dataTransfer.files&&(t=e.dataTransfer.files),e&&e.target&&e.target.files&&(t=e.target.files),t&&t.length>0)for(let e=0;e{s.error("Error while reading file: "+n.name+e)},i.onload=e=>{try{const t=JSON.parse(e.target.result);this.onCaptureLoaded.trigger(t)}catch(e){s.error("Error while reading file: "+n.name+e)}},i.readAsText(n)}}}}class Lt extends _t{constructor(){super(),this.onCaptureSelected=this.createEvent("onCaptureSelected"),this.onSaveRequested=this.createEvent("onSaveRequested")}render(e,t){const n=document.createElement("li");if(e.active&&(n.className="active"),e.capture.endState.VisualState.Attachments)for(const t of e.capture.endState.VisualState.Attachments){const e=document.createElement("img");e.src=encodeURI(t.src),n.appendChild(e)}else{const t=document.createElement("span");t.innerText=e.capture.endState.VisualState.FrameBufferStatus,n.appendChild(t)}const i=document.createElement("span");i.innerText=new Date(e.capture.startTime).toTimeString().split(" ")[0],n.appendChild(i);const r=document.createElement("a");return r.href="#",r.className="captureListItemSave",this.mapEventListener(r,"click","onSaveRequested",e,t,!1,!0),i.appendChild(r),this.mapEventListener(n,"click","onCaptureSelected",e,t),n}}class It extends _t{render(e,t){const n=this.htmlTemplate` +
      +
        +
        `;return this.renderElementFromTemplate(n,e,t)}}class Ft{static scrollIntoView(e){const t=e.getBoundingClientRect();let n=e.parentElement;for(;n&&n.clientHeight===n.offsetHeight;)n=n.parentElement;if(!n)return;const i=n.getBoundingClientRect();t.topi.bottom&&e.scrollIntoView(!1)}}class Nt extends _t{constructor(){super(),this.onVisualStateSelected=this.createEvent("onVisualStateSelected")}render(e,t){const n=document.createElement("li");if(e.active&&(n.className="active",setTimeout(()=>{Ft.scrollIntoView(n)},1)),e.VisualState.Attachments)for(const t of e.VisualState.Attachments){if(!t.src)continue;const i=document.createElement("img");if(i.src=encodeURI(t.src),n.appendChild(i),e.VisualState.Attachments.length>1){const e=document.createElement("span");e.innerText=t.attachmentName,n.appendChild(e)}if(t.textureLayer){const e=document.createElement("span");e.innerText="Layer: "+t.textureLayer,n.appendChild(e)}if(t.textureCubeMapFace){const e=document.createElement("span");e.innerText=t.textureCubeMapFace,n.appendChild(e)}}else{const t=document.createElement("span");t.innerText=e.VisualState.FrameBufferStatus,n.appendChild(t)}const i=document.createElement("span");return i.innerText=e.VisualState.FrameBuffer?"Frame buffer: "+e.VisualState.FrameBuffer.__SPECTOR_Object_TAG.id:"Canvas frame buffer",n.appendChild(i),this.mapEventListener(n,"click","onVisualStateSelected",e,t),n}}class Mt extends _t{render(e,t){const n=this.htmlTemplate` +
        +
          +
          `;return this.renderElementFromTemplate(n,e,t)}}class Ot extends _t{constructor(){super(),this.onCommandSelected=this.createEvent("onCommandSelected"),this.onVertexSelected=this.createEvent("onVertexSelected"),this.onFragmentSelected=this.createEvent("onFragmentSelected")}render(e,t){const n=document.createElement("li");let i="unknown";switch(e.capture.status){case 50:i="deprecated";break;case 10:i="unused";break;case 20:i="disabled";break;case 30:i="redundant";break;case 40:i="valid"}if(e.capture.VisualState&&(n.className=" drawCall"),e.active&&(n.className=" active",setTimeout(()=>{Ft.scrollIntoView(n)},1)),e.capture.marker){const t=document.createElement("span");t.className=i+" marker important",t.innerText=e.capture.marker+" ",t.style.fontWeight="1000",n.appendChild(t)}if("LOG"===e.capture.name){const t=document.createElement("span");t.className=i+" marker important",t.innerText=e.capture.text+" ",t.style.fontWeight="1000",n.appendChild(t)}else{const t=document.createElement("span");let r=e.capture.text;r=r.replace(e.capture.name,`${e.capture.name}`),t.innerHTML=r,n.appendChild(t)}if(e.capture.VisualState&&"clear"!==e.capture.name)try{const i=e.capture.DrawCall.shaders[0],r=e.capture.DrawCall.shaders[1],s=document.createElement("a");s.innerText=i.name,s.href="#",n.appendChild(s),this.mapEventListener(s,"click","onVertexSelected",e,t);const o=document.createElement("a");o.innerText=r.name,o.href="#",n.appendChild(o),this.mapEventListener(o,"click","onFragmentSelected",e,t)}catch(e){}return this.mapEventListener(n,"click","onCommandSelected",e,t),n}}class Bt extends _t{render(e,t){const n=this.htmlTemplate` +
          +
          `;return this.renderElementFromTemplate(n,e,t)}}class $t extends _t{render(e,t){const n=this.htmlTemplate` +
          +
          `;return this.renderElementFromTemplate(n,e,t)}}class Pt extends _t{render(e,t){const n=this.htmlTemplate` +
          +
          ${e?e.replace(/([A-Z])/g," $1").trim():""}
          +
            +
            `;return this.renderElementFromTemplate(n,e,t)}}class kt extends _t{render(e,t){const n=this.htmlTemplate` +
          • ${e.key}: ${e.value}
          • `;return this.renderElementFromTemplate(n,e,t)}}class Dt extends _t{render(e,t){const n=this.htmlTemplate` +
          • ${e.key}
          • `;return this.renderElementFromTemplate(n,e,t)}}class Ut extends _t{render(e,t){const n=this.htmlTemplate` +
          • ${e.key}: + ${e.value} (Open help page) + +
          • `;return this.renderElementFromTemplate(n,e,t)}}class Gt extends _t{render(e,t){const n=document.createElement("div");if(n.className="jsonVisualStateItemComponent",e.Attachments)for(const t of e.Attachments){if(!t.src)continue;const i=document.createElement("img");if(i.src=encodeURI(t.src),n.appendChild(i),e.Attachments.length>1){const e=document.createElement("span");e.innerText=t.attachmentName,n.appendChild(e)}}else{const t=document.createElement("span");t.innerText=e.FrameBufferStatus,n.appendChild(t)}const i=document.createElement("span");return i.innerText=e.FrameBuffer?e.FrameBuffer.__SPECTOR_Object_TAG.displayText:"Canvas frame buffer",n.appendChild(i),n}}class Wt extends _t{constructor(){super(),this.onCapturesClicked=this.createEvent("onCapturesClicked"),this.onCommandsClicked=this.createEvent("onCommandsClicked"),this.onInformationClicked=this.createEvent("onInformationClicked"),this.onInitStateClicked=this.createEvent("onInitStateClicked"),this.onEndStateClicked=this.createEvent("onEndStateClicked"),this.onCloseClicked=this.createEvent("onCloseClicked"),this.onSearchTextChanged=this.createEvent("onSearchTextChanged"),this.onSearchTextCleared=this.createEvent("onSearchTextCleared")}render(e,t){const n=this.htmlTemplate``,i=this.renderElementFromTemplate(n,e,t),r=i.querySelector(".resultViewMenuOpen"),s=i.querySelectorAll("li:not(.resultViewMenuSmall)");return r.addEventListener("click",e=>{if("true"===r.getAttribute("open")){r.setAttribute("open","false");for(let e=0;e',e,t)}}class Ht extends _t{render(e,t){const n=this.htmlTemplate` +
            +
            `;return this.renderElementFromTemplate(n,e,t)}}var Xt,zt,Kt=(Xt={program:function(e){return Kt(e.program)+Kt(e.wsEnd)},segment:function(e){return Kt(e.blocks)},text:function(e){return Kt(e.text)},literal:function(e){return Kt(e.wsStart)+Kt(e.literal)+Kt(e.wsEnd)},identifier:function(e){return Kt(e.identifier)+Kt(e.wsEnd)},binary:function(e){return Kt(e.left)+Kt(e.operator)+Kt(e.right)},group:function(e){return Kt(e.lp)+Kt(e.expression)+Kt(e.rp)},unary:function(e){return Kt(e.operator)+Kt(e.expression)},unary_defined:function(e){return Kt(e.operator)+Kt(e.lp)+Kt(e.identifier)+Kt(e.rp)},int_constant:function(e){return Kt(e.token)+Kt(e.wsEnd)},elseif:function(e){return Kt(e.token)+Kt(e.expression)+Kt(e.wsEnd)+Kt(e.body)},if:function(e){return Kt(e.token)+Kt(e.expression)+Kt(e.wsEnd)+Kt(e.body)},ifdef:function(e){return Kt(e.token)+Kt(e.identifier)+Kt(e.wsEnd)+Kt(e.body)},ifndef:function(e){return Kt(e.token)+Kt(e.identifier)+Kt(e.wsEnd)+Kt(e.body)},else:function(e){return Kt(e.token)+Kt(e.wsEnd)+Kt(e.body)},error:function(e){return Kt(e.error)+Kt(e.message)+Kt(e.wsEnd)},undef:function(e){return Kt(e.undef)+Kt(e.identifier)+Kt(e.wsEnd)},define:function(e){return Kt(e.wsStart)+Kt(e.define)+Kt(e.identifier)+Kt(e.body)+Kt(e.wsEnd)},define_arguments:function(e){return Kt(e.wsStart)+Kt(e.define)+Kt(e.identifier)+Kt(e.lp)+Kt(e.args)+Kt(e.rp)+Kt(e.body)+Kt(e.wsEnd)},conditional:function(e){return Kt(e.wsStart)+Kt(e.ifPart)+Kt(e.elseIfParts)+Kt(e.elsePart)+Kt(e.endif)+Kt(e.wsEnd)},version:function(e){return Kt(e.version)+Kt(e.value)+Kt(e.profile)+Kt(e.wsEnd)},pragma:function(e){return Kt(e.pragma)+Kt(e.body)+Kt(e.wsEnd)},line:function(e){return Kt(e.line)+Kt(e.value)+Kt(e.wsEnd)},extension:function(e){return Kt(e.extension)+Kt(e.name)+Kt(e.colon)+Kt(e.behavior)+Kt(e.wsEnd)}},zt=function(e){return"string"==typeof e?e:null==e?"":Array.isArray(e)?e.map(zt).join(""):e.type in Xt?Xt[e.type](e):"NO GENERATOR FOR ".concat(e.type)+e});const jt=Kt;var Yt=function(){return Yt=Object.assign||function(e){for(var t,n=1,i=arguments.length;ns.length)throw new Error("'".concat(t,"': Too many arguments for macro"));if(c.length>":return t(n)>>t(i);case"<":return t(n)":return t(n)>t(i);case"<=":return t(n)<=t(i);case">=":return t(n)>=t(i);case"==":return t(n)==t(i);case"!=":return t(n)!=t(i);case"&":return t(n)&t(i);case"^":return t(n)^t(i);case"|":return t(n)|t(i);case"&&":return t(n)&&t(i);case"||":return t(n)||t(i);default:throw new Error("Preprocessing error: Unknown binary operator ".concat(r))}},unary:function(e,t){switch(e.operator.literal){case"+":return t(e.expression);case"-":return-1*t(e.expression);case"!":return!t(e.expression);case"~":return~t(e.expression);default:throw new Error("Preprocessing error: Unknown unary operator ".concat(e.operator.literal))}}},i=function(e){var t=n[e.type];if(!t)throw new Error("No evaluate() evaluator for ".concat(e.type));return t(e,i)},i(e);var n,i},rn=function(e,t){var n=!1,i=function(e,r,s,o,a){var l;if(!n){var c=t[e.type],u=function(e,t,n,i,r){return{node:e,parent:t,parentPath:n,key:i,index:r,stop:function(){this.stopped=!0},skip:function(){this.skipped=!0},remove:function(){this.removed=!0},replaceWith:function(e){this.replaced=e},findParent:function(e){return n?e(n)?n:n.findParent(e):n}}}(e,r,s,o,a),h=r;if(null==c?void 0:c.enter){if(c.enter(u),u.removed){if(!o||!r)throw new Error("Asked to remove ".concat(e," but no parent key was present in ").concat(r));return"number"==typeof a?h[o].splice(a,1):h[o]=null,u}if(u.replaced){if(!o||!r)throw new Error("Asked to remove ".concat(e," but no parent key was present in ").concat(r));"number"==typeof a?h[o].splice(a,1,u.replaced):h[o]=u.replaced}if(u.skipped)return u}if(u.stopped)n=!0;else if(u.replaced){var d=u.replaced;i(d,r,s,o,a)}else Object.entries(e).filter(function(e){return e[0],function(e){return function(e){return!!(null==e?void 0:e.type)}(e)||Array.isArray(e)}(e[1])}).forEach(function(t){var r=t[0],s=t[1];if(Array.isArray(s))for(var o=0,a=0;o-at?e:(t-=e.length,e+(n+=n.repeat(t)).slice(0,t))}function ln(e,t){var n,i={},r=(t=void 0!==t?t:{}).grammarSource,s={start:Sn},o=Sn,a="<<",l=">>",c="<=",u=">=",h="==",d="!=",m="&&",p="||",g="(",f=")",E=",",v="!",_="-",C="~",A="+",R="*",S="/",T="%",b="<",w=">",x="|",y="^",L="&",I=":",F="#",N="define",M="line",O="undef",B="error",$="pragma",P="defined",k="if",D="ifdef",U="ifndef",G="elif",W="else",V="endif",H="version",X="extension",z="0",K="//",j="/*",Y="*/",q=/^[A-Za-z_]/,Z=/^[A-Za-z_0-9]/,Q=/^[uU]/,J=/^[1-9]/,ee=/^[0-7]/,te=/^[xX]/,ne=/^[0-9a-fA-F]/,ie=/^[0-9]/,re=/^[\n\r]/,se=/^[^\n\r]/,oe=/^[ \t]/,ae=En("<<",!1),le=En(">>",!1),ce=En("<=",!1),ue=En(">=",!1),he=En("==",!1),de=En("!=",!1),me=En("&&",!1),pe=En("||",!1),ge=En("(",!1),fe=En(")",!1),Ee=En(",",!1),ve=En("!",!1),_e=En("-",!1),Ce=En("~",!1),Ae=En("+",!1),Re=En("*",!1),Se=En("/",!1),Te=En("%",!1),be=En("<",!1),we=En(">",!1),xe=En("|",!1),ye=En("^",!1),Le=En("&",!1),Ie=En(":",!1),Fe=En("#",!1),Ne=En("define",!1),Me=(En("include",!1),En("line",!1)),Oe=En("undef",!1),Be=En("error",!1),$e=En("pragma",!1),Pe=En("defined",!1),ke=En("if",!1),De=En("ifdef",!1),Ue=En("ifndef",!1),Ge=En("elif",!1),We=En("else",!1),Ve=En("endif",!1),He=En("version",!1),Xe=En("extension",!1),ze=vn([["A","Z"],["a","z"],"_"],!1,!1),Ke=vn([["A","Z"],["a","z"],"_",["0","9"]],!1,!1),je=_n("number"),Ye=vn(["u","U"],!1,!1),qe=vn([["1","9"]],!1,!1),Ze=En("0",!1),Qe=vn([["0","7"]],!1,!1),Je=vn(["x","X"],!1,!1),et=vn([["0","9"],["a","f"],["A","F"]],!1,!1),tt=vn([["0","9"]],!1,!1),nt=_n("control line"),it=vn(["\n","\r"],!1,!1),rt=_n("token string"),st=vn(["\n","\r"],!0,!1),ot=_n("text"),at=_n("if"),lt=_n("primary expression"),ct=_n("unary expression"),ut=_n("multiplicative expression"),ht=_n("additive expression"),dt=_n("shift expression"),mt=_n("relational expression"),pt=_n("equality expression"),gt=_n("and expression"),ft=_n("exclusive or expression"),Et=_n("inclusive or expression"),vt=_n("logical and expression"),_t=_n("logical or expression"),Ct=_n("constant expression"),At=_n("whitespace or comment"),Rt=En("//",!1),St=En("/*",!1),Tt=En("*/",!1),bt={type:"any"},wt=_n("whitespace"),xt=vn([" ","\t"],!1,!1),yt=function(e,t){return Ei("program",{program:e.blocks,wsEnd:t})},Lt=function(e,t){return Ei("int_constant",{token:e,wsEnd:t})},It=function(e,t){return Ei("literal",{literal:e,wsEnd:t})},Ft=function(e){return"#"},Nt=function(e,t,n){return Ei("literal",{literal:t,wsStart:e,wsEnd:n})},Mt=function(e,t){return Ei("identifier",{identifier:e,wsEnd:t})},Ot=function(e){return Ei("identifier",{identifier:e})},Bt=function(e){return Ei("text",{text:e.join("")})},$t=function(e){return Ei("segment",{blocks:e})},Pt=function(e,t,n,i,r){return[i,...r.flat()]},kt=function(e,t,n,i,r,s){return Ei("define_arguments",{define:e,identifier:t,lp:n,args:i||[],rp:r,body:s})},Dt=function(e,t,n){return Ei("define",{define:e,identifier:t,body:n})},Ut=function(e,t){return Ei("line",{line:e,value:t})},Gt=function(e,t){return Ei("undef",{undef:e,identifier:t})},Wt=function(e,t){return Ei("error",{error:e,message:t})},Vt=function(e,t){return Ei("pragma",{pragma:e,body:t})},Ht=function(e,t,n){return Ei("version",{version:e,value:t,profile:n})},Xt=function(e,t,n,i){return Ei("extension",{extension:e,name:t,colon:n,behavior:i})},zt=function(e,t){return{...e,wsEnd:t}},Kt=function(e,t,n){return{...e,body:n,wsEnd:t}},jt=function(e,t,n,i,r){return Ei("elseif",{token:t,expression:n,wsEnd:i,body:r})},Yt=function(e,t,n,i,r){return Ei("else",{token:n,wsEnd:i,body:r})},qt=function(e,t,n,i,r){return Ei("conditional",{ifPart:e,elseIfParts:t,elsePart:n,endif:i,wsEnd:r})},Zt=function(e,t){return Ei("ifdef",{token:e,identifier:t})},Qt=function(e,t){return Ei("ifndef",{token:e,identifier:t})},Jt=function(e,t){return Ei("if",{token:e,expression:t})},en=function(e,t,n){return Ei("group",{lp:e,expression:t,rp:n})},tn=function(e,t,n,i){return Ei("unary_defined",{operator:e,lp:t,identifier:n,rp:i})},nn=function(e,t){return Ei("unary",{operator:e,expression:t})},rn=function(e,t){return Ci(e,t)},sn=function(e,t){return _i(e,t)},an=function(e,t,n){return vi(t,n)},ln=function(e,t){return vi(e,t.flat())},cn=function(e){return e},un=function(e){return e},hn=0,dn=[{line:1,column:1}],mn=0,pn=[],gn=0,fn={};if("startRule"in t){if(!(t.startRule in s))throw new Error("Can't start parsing from rule \""+t.startRule+'".');o=s[t.startRule]}function En(e,t){return{type:"literal",text:e,ignoreCase:t}}function vn(e,t,n){return{type:"class",parts:e,inverted:t,ignoreCase:n}}function _n(e){return{type:"other",description:e}}function Cn(t){var n,i=dn[t];if(i)return i;for(n=t-1;!dn[n];)n--;for(i={line:(i=dn[n]).line,column:i.column};nmn&&(mn=hn,pn=[]),pn.push(e))}function Sn(){var e,t=76*hn+0,n=fn[t];return n?(hn=n.nextPos,n.result):(e=function(){var e,t,n,r=76*hn+1,s=fn[r];return s?(hn=s.nextPos,s.result):(e=hn,(t=Qn())!==i?(n=mi(),e=yt(t,n)):(hn=e,e=i),fn[r]={nextPos:hn,result:e},e)}(),fn[t]={nextPos:hn,result:e},e)}function Tn(){var t,n,r,s=76*hn+3,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===a?(n=a,hn+=2):(n=i,0===gn&&Rn(ae)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function bn(){var t,n,r,s=76*hn+4,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===l?(n=l,hn+=2):(n=i,0===gn&&Rn(le)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function wn(){var t,n,r,s=76*hn+5,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===c?(n=c,hn+=2):(n=i,0===gn&&Rn(ce)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function xn(){var t,n,r,s=76*hn+6,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===u?(n=u,hn+=2):(n=i,0===gn&&Rn(ue)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function yn(){var t,n,r,s=76*hn+7,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===h?(n=h,hn+=2):(n=i,0===gn&&Rn(he)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Ln(){var t,n,r,s=76*hn+8,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===d?(n=d,hn+=2):(n=i,0===gn&&Rn(de)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function In(){var t,n,r,s=76*hn+9,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===m?(n=m,hn+=2):(n=i,0===gn&&Rn(me)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Fn(){var t,n,r,s=76*hn+10,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,e.substr(hn,2)===p?(n=p,hn+=2):(n=i,0===gn&&Rn(pe)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Nn(){var t,n,r,s=76*hn+11,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,40===e.charCodeAt(hn)?(n=g,hn++):(n=i,0===gn&&Rn(ge)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Mn(){var t,n,r,s=76*hn+12,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,41===e.charCodeAt(hn)?(n=f,hn++):(n=i,0===gn&&Rn(fe)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function On(){var t,n,r,s=76*hn+13,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,44===e.charCodeAt(hn)?(n=E,hn++):(n=i,0===gn&&Rn(Ee)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Bn(){var t,n,r,s=76*hn+15,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,45===e.charCodeAt(hn)?(n=_,hn++):(n=i,0===gn&&Rn(_e)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function $n(){var t,n,r,s=76*hn+17,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,43===e.charCodeAt(hn)?(n=A,hn++):(n=i,0===gn&&Rn(Ae)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Pn(){var t,n,r,s=76*hn+18,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,42===e.charCodeAt(hn)?(n=R,hn++):(n=i,0===gn&&Rn(Re)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function kn(){var t,n,r,s=76*hn+19,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,47===e.charCodeAt(hn)?(n=S,hn++):(n=i,0===gn&&Rn(Se)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Dn(){var t,n,r,s=76*hn+20,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,37===e.charCodeAt(hn)?(n=T,hn++):(n=i,0===gn&&Rn(Te)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Un(){var t,n,r,s=76*hn+21,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,60===e.charCodeAt(hn)?(n=b,hn++):(n=i,0===gn&&Rn(be)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Gn(){var t,n,r,s=76*hn+22,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,62===e.charCodeAt(hn)?(n=w,hn++):(n=i,0===gn&&Rn(we)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Wn(){var t,n,r,s=76*hn+23,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,124===e.charCodeAt(hn)?(n=x,hn++):(n=i,0===gn&&Rn(xe)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Vn(){var t,n,r,s=76*hn+24,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,94===e.charCodeAt(hn)?(n=y,hn++):(n=i,0===gn&&Rn(ye)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Hn(){var t,n,r,s=76*hn+25,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,38===e.charCodeAt(hn)?(n=L,hn++):(n=i,0===gn&&Rn(Le)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function Xn(){var t,n,r,s=76*hn+27,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,n=hn,35===e.charCodeAt(hn)?(r=F,hn++):(r=i,0===gn&&Rn(Fe)),(n=r!==i?e.substring(n,hn):r)!==i?(r=mi(),t=Ft(r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}function zn(){var t,n,r,s,o,a,l=76*hn+28,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,6)===N?(a=N,hn+=6):(a=i,0===gn&&Rn(Ne)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}function Kn(){var t,n,r,s,o,a,l=76*hn+38,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,4)===G?(a=G,hn+=4):(a=i,0===gn&&Rn(Ge)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}function jn(){var t,n,r,s,o,a,l=76*hn+43,c=fn[l];if(c)return hn=c.nextPos,c.result;if(t=hn,n=hn,r=hn,q.test(e.charAt(hn))?(s=e.charAt(hn),hn++):(s=i,0===gn&&Rn(ze)),s!==i){for(o=[],Z.test(e.charAt(hn))?(a=e.charAt(hn),hn++):(a=i,0===gn&&Rn(Ke));a!==i;)o.push(a),Z.test(e.charAt(hn))?(a=e.charAt(hn),hn++):(a=i,0===gn&&Rn(Ke));r=s=[s,o]}else hn=r,r=i;return(n=r!==i?e.substring(n,hn):r)!==i?(r=mi(),t=Mt(n,r)):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t}function Yn(){var t,n,r,s,o=76*hn+45,a=fn[o];return a?(hn=a.nextPos,a.result):(gn++,t=hn,n=hn,r=function(){var t,n,r,s,o,a=76*hn+47,l=fn[a];if(l)return hn=l.nextPos,l.result;if(t=hn,n=hn,J.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(qe)),r!==i){for(s=[],o=Zn();o!==i;)s.push(o),o=Zn();n=r=[r,s]}else hn=n,n=i;return t=n!==i?e.substring(t,hn):n,fn[a]={nextPos:hn,result:t},t}(),r!==i?((s=qn())===i&&(s=null),n=r=[r,s]):(hn=n,n=i),(t=n!==i?e.substring(t,hn):n)===i&&(t=hn,n=hn,r=function(){var t,n,r,s,o=76*hn+48,a=fn[o];if(a)return hn=a.nextPos,a.result;if(t=hn,48===e.charCodeAt(hn)?(n=z,hn++):(n=i,0===gn&&Rn(Ze)),n!==i){for(r=[],ee.test(e.charAt(hn))?(s=e.charAt(hn),hn++):(s=i,0===gn&&Rn(Qe));s!==i;)r.push(s),ee.test(e.charAt(hn))?(s=e.charAt(hn),hn++):(s=i,0===gn&&Rn(Qe));t=n=[n,r]}else hn=t,t=i;return fn[o]={nextPos:hn,result:t},t}(),r!==i?((s=qn())===i&&(s=null),n=r=[r,s]):(hn=n,n=i),(t=n!==i?e.substring(t,hn):n)===i&&(t=hn,n=hn,r=function(){var t,n,r,s,o,a=76*hn+49,l=fn[a];if(l)return hn=l.nextPos,l.result;if(t=hn,48===e.charCodeAt(hn)?(n=z,hn++):(n=i,0===gn&&Rn(Ze)),n!==i)if(te.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(Je)),r!==i){for(s=[],ne.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(et));o!==i;)s.push(o),ne.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(et));t=n=[n,r,s]}else hn=t,t=i;else hn=t,t=i;return fn[a]={nextPos:hn,result:t},t}(),r!==i?((s=qn())===i&&(s=null),n=r=[r,s]):(hn=n,n=i),t=n!==i?e.substring(t,hn):n)),gn--,t===i&&(n=i,0===gn&&Rn(je)),fn[o]={nextPos:hn,result:t},t)}function qn(){var t,n=76*hn+46,r=fn[n];return r?(hn=r.nextPos,r.result):(Q.test(e.charAt(hn))?(t=e.charAt(hn),hn++):(t=i,0===gn&&Rn(Ye)),fn[n]={nextPos:hn,result:t},t)}function Zn(){var t,n=76*hn+50,r=fn[n];return r?(hn=r.nextPos,r.result):(ie.test(e.charAt(hn))?(t=e.charAt(hn),hn++):(t=i,0===gn&&Rn(tt)),fn[n]={nextPos:hn,result:t},t)}function Qn(){var e,t,n,r,s,o=76*hn+51,a=fn[o];if(a)return hn=a.nextPos,a.result;if(hn,t=[],(n=Jn())===i){if(n=hn,r=[],(s=ti())!==i)for(;s!==i;)r.push(s),s=ti();else r=i;r!==i&&(r=Bt(r)),n=r}if(n!==i){for(;n!==i;)if(t.push(n),(n=Jn())===i){if(n=hn,r=[],(s=ti())!==i)for(;s!==i;)r.push(s),s=ti();else r=i;r!==i&&(r=Bt(r)),n=r}}else t=i;return t!==i&&(t=$t(t)),e=t,fn[o]={nextPos:hn,result:e},e}function Jn(){var t,n,r,s,o,a,l,c,u,h,d,m=76*hn+52,p=fn[m];if(p)return hn=p.nextPos,p.result;if(gn++,t=function(){var t,n,r,s,o,a,l,c,u=76*hn+55,h=fn[u];if(h)return hn=h.nextPos,h.result;if(t=hn,n=hn,r=function(){var t,n,r,s=76*hn+56,o=fn[s];return o?(hn=o.nextPos,o.result):(gn++,t=hn,n=function(){var t,n,r,s,o,a,l=76*hn+36,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,5)===D?(a=D,hn+=5):(a=i,0===gn&&Rn(De)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),n!==i&&(r=jn())!==i?t=Zt(n,r):(hn=t,t=i),t===i&&(t=hn,n=function(){var t,n,r,s,o,a,l=76*hn+37,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,6)===U?(a=U,hn+=6):(a=i,0===gn&&Rn(Ue)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),n!==i&&(r=jn())!==i?t=Qt(n,r):(hn=t,t=i),t===i&&(t=hn,n=function(){var t,n,r,s,o,a,l=76*hn+35,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,2)===k?(a=k,hn+=2):(a=i,0===gn&&Rn(ke)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),n!==i?((r=di())===i&&(r=null),t=Jt(n,r)):(hn=t,t=i))),gn--,t===i&&(n=i,0===gn&&Rn(at)),fn[s]={nextPos:hn,result:t},t)}(),r!==i?(re.test(e.charAt(hn))?(s=e.charAt(hn),hn++):(s=i,0===gn&&Rn(it)),s!==i?((o=Qn())===i&&(o=null),n=Kt(r,s,o)):(hn=n,n=i)):(hn=n,n=i),n!==i){for(r=[],s=hn,(o=Kn())!==i&&(a=di())!==i?(re.test(e.charAt(hn))?(l=e.charAt(hn),hn++):(l=i,0===gn&&Rn(it)),l!==i?((c=Qn())===i&&(c=null),s=jt(n,o,a,l,c)):(hn=s,s=i)):(hn=s,s=i);s!==i;)r.push(s),s=hn,(o=Kn())!==i&&(a=di())!==i?(re.test(e.charAt(hn))?(l=e.charAt(hn),hn++):(l=i,0===gn&&Rn(it)),l!==i?((c=Qn())===i&&(c=null),s=jt(n,o,a,l,c)):(hn=s,s=i)):(hn=s,s=i);s=hn,o=function(){var t,n,r,s,o,a,l=76*hn+39,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,4)===W?(a=W,hn+=4):(a=i,0===gn&&Rn(We)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),o!==i?(re.test(e.charAt(hn))?(a=e.charAt(hn),hn++):(a=i,0===gn&&Rn(it)),a!==i?((l=Qn())===i&&(l=null),s=Yt(n,r,o,a,l)):(hn=s,s=i)):(hn=s,s=i),s===i&&(s=null),o=function(){var t,n,r,s,o,a,l=76*hn+40,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,5)===V?(a=V,hn+=5):(a=i,0===gn&&Rn(Ve)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),o!==i?(re.test(e.charAt(hn))?(a=e.charAt(hn),hn++):(a=i,0===gn&&Rn(it)),a===i&&(a=null),t=qt(n,r,s,o,a)):(hn=t,t=i)}else hn=t,t=i;return fn[u]={nextPos:hn,result:t},t}(),t===i){if(t=hn,n=hn,(r=zn())!==i)if(s=function(){var t,n,r,s,o,a,l=76*hn+44,c=fn[l];if(c)return hn=c.nextPos,c.result;if(hn,n=hn,r=hn,q.test(e.charAt(hn))?(s=e.charAt(hn),hn++):(s=i,0===gn&&Rn(ze)),s!==i){for(o=[],Z.test(e.charAt(hn))?(a=e.charAt(hn),hn++):(a=i,0===gn&&Rn(Ke));a!==i;)o.push(a),Z.test(e.charAt(hn))?(a=e.charAt(hn),hn++):(a=i,0===gn&&Rn(Ke));r=s=[s,o]}else hn=r,r=i;return(n=r!==i?e.substring(n,hn):r)!==i&&(n=Ot(n)),t=n,fn[l]={nextPos:hn,result:t},t}(),s!==i)if((o=Nn())!==i){if(a=hn,(l=jn())!==i){for(c=[],u=hn,(h=On())!==i&&(d=jn())!==i?u=h=[h,d]:(hn=u,u=i);u!==i;)c.push(u),u=hn,(h=On())!==i&&(d=jn())!==i?u=h=[h,d]:(hn=u,u=i);a=Pt(r,s,o,l,c)}else hn=a,a=i;a===i&&(a=null),(l=Mn())!==i?((c=ei())===i&&(c=null),n=kt(r,s,o,a,l,c)):(hn=n,n=i)}else hn=n,n=i;else hn=n,n=i;else hn=n,n=i;if(n===i&&(n=hn,(r=zn())!==i&&(s=jn())!==i?((o=ei())===i&&(o=null),n=Dt(r,s,o)):(hn=n,n=i),n===i)){if(n=hn,r=function(){var t,n,r,s,o,a,l=76*hn+30,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,4)===M?(a=M,hn+=4):(a=i,0===gn&&Rn(Me)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),r!==i){if(s=hn,o=[],(a=Zn())!==i)for(;a!==i;)o.push(a),a=Zn();else o=i;(s=o!==i?e.substring(s,hn):o)!==i?n=Ut(r,s):(hn=n,n=i)}else hn=n,n=i;n===i&&(n=hn,r=function(){var t,n,r,s,o,a,l=76*hn+31,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,5)===O?(a=O,hn+=5):(a=i,0===gn&&Rn(Oe)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),r!==i&&(s=jn())!==i?n=Gt(r,s):(hn=n,n=i),n===i&&(n=hn,r=function(){var t,n,r,s,o,a,l=76*hn+32,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,5)===B?(a=B,hn+=5):(a=i,0===gn&&Rn(Be)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),r!==i&&(s=ei())!==i?n=Wt(r,s):(hn=n,n=i),n===i&&(n=hn,r=function(){var t,n,r,s,o,a,l=76*hn+33,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,6)===$?(a=$,hn+=6):(a=i,0===gn&&Rn($e)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),r!==i&&(s=ei())!==i?n=Vt(r,s):(hn=n,n=i),n===i&&(n=hn,r=function(){var t,n,r,s,o,a,l=76*hn+41,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,7)===H?(a=H,hn+=7):(a=i,0===gn&&Rn(He)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),r!==i&&(s=Yn())!==i?((o=ei())===i&&(o=null),n=Ht(r,s,o)):(hn=n,n=i),n===i&&(n=hn,r=function(){var t,n,r,s,o,a,l=76*hn+42,c=fn[l];return c?(hn=c.nextPos,c.result):(t=hn,n=mi(),r=hn,s=hn,(o=Xn())!==i?(e.substr(hn,9)===X?(a=X,hn+=9):(a=i,0===gn&&Rn(Xe)),a!==i?s=o=[o,a]:(hn=s,s=i)):(hn=s,s=i),(r=s!==i?e.substring(r,hn):s)!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[l]={nextPos:hn,result:t},t)}(),r!==i&&(s=jn())!==i?(o=function(){var t,n,r,s=76*hn+26,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,58===e.charCodeAt(hn)?(n=I,hn++):(n=i,0===gn&&Rn(Ie)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}(),o!==i&&(a=ei())!==i?n=Xt(r,s,o,a):(hn=n,n=i)):(hn=n,n=i))))))}n!==i?(re.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(it)),r===i&&(r=null),t=zt(n,r)):(hn=t,t=i)}return gn--,t===i&&(n=i,0===gn&&Rn(nt)),fn[m]={nextPos:hn,result:t},t}function ei(){var t,n,r,s=76*hn+53,o=fn[s];if(o)return hn=o.nextPos,o.result;if(gn++,t=hn,n=[],se.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(st)),r!==i)for(;r!==i;)n.push(r),se.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(st));else n=i;return t=n!==i?e.substring(t,hn):n,gn--,t===i&&(n=i,0===gn&&Rn(rt)),fn[s]={nextPos:hn,result:t},t}function ti(){var t,n,r,s,o,a,l=76*hn+54,c=fn[l];if(c)return hn=c.nextPos,c.result;if(gn++,t=hn,n=hn,r=hn,gn++,s=hn,(o=gi())===i&&(o=null),35===e.charCodeAt(hn)?(a=F,hn++):(a=i,0===gn&&Rn(Fe)),a!==i?s=o=[o,a]:(hn=s,s=i),gn--,s===i?r=void 0:(hn=r,r=i),r!==i){if(s=[],se.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(st)),o!==i)for(;o!==i;)s.push(o),se.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(st));else s=i;s!==i?(re.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(it)),o===i&&(o=null),n=r=[r,s,o]):(hn=n,n=i)}else hn=n,n=i;return n===i&&(re.test(e.charAt(hn))?(n=e.charAt(hn),hn++):(n=i,0===gn&&Rn(it))),t=n!==i?e.substring(t,hn):n,gn--,t===i&&(n=i,0===gn&&Rn(ot)),fn[l]={nextPos:hn,result:t},t}function ni(){var t,n,r,s,o,a=76*hn+58,l=fn[a];return l?(hn=l.nextPos,l.result):(gn++,t=hn,n=function(){var t,n,r,s,o=76*hn+34,a=fn[o];return a?(hn=a.nextPos,a.result):(t=hn,n=mi(),e.substr(hn,7)===P?(r=P,hn+=7):(r=i,0===gn&&Rn(Pe)),r!==i&&(s=fi())!==i?t=Nt(n,r,s):(hn=t,t=i),fn[o]={nextPos:hn,result:t},t)}(),n!==i?((r=Nn())===i&&(r=null),(s=jn())!==i?((o=Mn())===i&&(o=null),t=tn(n,r,s,o)):(hn=t,t=i)):(hn=t,t=i),t===i&&(t=hn,(n=$n())===i&&(n=Bn())===i&&(n=function(){var t,n,r,s=76*hn+14,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,33===e.charCodeAt(hn)?(n=v,hn++):(n=i,0===gn&&Rn(ve)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}(),n===i&&(n=function(){var t,n,r,s=76*hn+16,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,126===e.charCodeAt(hn)?(n=C,hn++):(n=i,0===gn&&Rn(Ce)),n!==i?(r=mi(),t=It(n,r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}())),n!==i&&(r=ni())!==i?t=nn(n,r):(hn=t,t=i),t===i&&(t=function(){var e,t,n,r,s=76*hn+57,o=fn[s];return o?(hn=o.nextPos,o.result):(gn++,e=function(){var e,t,n,r=76*hn+2,s=fn[r];return s?(hn=s.nextPos,s.result):(e=hn,(t=Yn())!==i?(n=mi(),e=Lt(t,n)):(hn=e,e=i),fn[r]={nextPos:hn,result:e},e)}(),e===i&&(e=hn,(t=Nn())!==i&&(n=di())!==i&&(r=Mn())!==i?e=en(t,n,r):(hn=e,e=i),e===i&&(e=jn())),gn--,e===i&&(t=i,0===gn&&Rn(lt)),fn[s]={nextPos:hn,result:e},e)}())),gn--,t===i&&(n=i,0===gn&&Rn(ct)),fn[a]={nextPos:hn,result:t},t)}function ii(){var e,t,n,r,s,o,a=76*hn+59,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=ni())!==i){for(n=[],r=hn,(s=Pn())===i&&(s=kn())===i&&(s=Dn()),s!==i&&(o=ni())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=Pn())===i&&(s=kn())===i&&(s=Dn()),s!==i&&(o=ni())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(ut)),fn[a]={nextPos:hn,result:e},e}function ri(){var e,t,n,r,s,o,a=76*hn+60,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=ii())!==i){for(n=[],r=hn,(s=$n())===i&&(s=Bn()),s!==i&&(o=ii())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=$n())===i&&(s=Bn()),s!==i&&(o=ii())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(ht)),fn[a]={nextPos:hn,result:e},e}function si(){var e,t,n,r,s,o,a=76*hn+61,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=ri())!==i){for(n=[],r=hn,(s=bn())===i&&(s=Tn()),s!==i&&(o=ri())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=bn())===i&&(s=Tn()),s!==i&&(o=ri())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(dt)),fn[a]={nextPos:hn,result:e},e}function oi(){var e,t,n,r,s,o,a=76*hn+62,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=si())!==i){for(n=[],r=hn,(s=wn())===i&&(s=xn())===i&&(s=Un())===i&&(s=Gn()),s!==i&&(o=si())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=wn())===i&&(s=xn())===i&&(s=Un())===i&&(s=Gn()),s!==i&&(o=si())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(mt)),fn[a]={nextPos:hn,result:e},e}function ai(){var e,t,n,r,s,o,a=76*hn+63,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=oi())!==i){for(n=[],r=hn,(s=yn())===i&&(s=Ln()),s!==i&&(o=oi())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=yn())===i&&(s=Ln()),s!==i&&(o=oi())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(pt)),fn[a]={nextPos:hn,result:e},e}function li(){var e,t,n,r,s,o,a=76*hn+64,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=ai())!==i){for(n=[],r=hn,(s=Hn())!==i&&(o=ai())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=Hn())!==i&&(o=ai())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(gt)),fn[a]={nextPos:hn,result:e},e}function ci(){var e,t,n,r,s,o,a=76*hn+65,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=li())!==i){for(n=[],r=hn,(s=Vn())!==i&&(o=li())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=Vn())!==i&&(o=li())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(ft)),fn[a]={nextPos:hn,result:e},e}function ui(){var e,t,n,r,s,o,a=76*hn+66,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=ci())!==i){for(n=[],r=hn,(s=Wn())!==i&&(o=ci())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=Wn())!==i&&(o=ci())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(Et)),fn[a]={nextPos:hn,result:e},e}function hi(){var e,t,n,r,s,o,a=76*hn+67,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=ui())!==i){for(n=[],r=hn,(s=In())!==i&&(o=ui())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=In())!==i&&(o=ui())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(vt)),fn[a]={nextPos:hn,result:e},e}function di(){var e,t=76*hn+69,n=fn[t];return n?(hn=n.nextPos,n.result):(gn++,e=function(){var e,t,n,r,s,o,a=76*hn+68,l=fn[a];if(l)return hn=l.nextPos,l.result;if(gn++,e=hn,(t=hi())!==i){for(n=[],r=hn,(s=Fn())!==i&&(o=hi())!==i?r=s=[s,o]:(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=Fn())!==i&&(o=hi())!==i?r=s=[s,o]:(hn=r,r=i);e=rn(t,n)}else hn=e,e=i;return gn--,e===i&&(t=i,0===gn&&Rn(_t)),fn[a]={nextPos:hn,result:e},e}(),gn--,e===i&&0===gn&&Rn(Ct),fn[t]={nextPos:hn,result:e},e)}function mi(){var e,t,n,r,s,o,a=76*hn+70,l=fn[a];if(l)return hn=l.nextPos,l.result;for(gn++,hn,(t=gi())===i&&(t=null),n=[],r=hn,(s=pi())!==i?((o=gi())===i&&(o=null),r=s=[s,o]):(hn=r,r=i);r!==i;)n.push(r),r=hn,(s=pi())!==i?((o=gi())===i&&(o=null),r=s=[s,o]):(hn=r,r=i);return e=sn(t,n),gn--,t=i,0===gn&&Rn(At),fn[a]={nextPos:hn,result:e},e}function pi(){var t,n,r,s,o,a,l=76*hn+71,c=fn[l];if(c)return hn=c.nextPos,c.result;if(t=function(){var t,n,r,s,o,a=76*hn+72,l=fn[a];if(l)return hn=l.nextPos,l.result;if(t=hn,n=hn,e.substr(hn,2)===K?(r=K,hn+=2):(r=i,0===gn&&Rn(Rt)),r!==i){for(s=[],se.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(st));o!==i;)s.push(o),se.test(e.charAt(hn))?(o=e.charAt(hn),hn++):(o=i,0===gn&&Rn(st));n=r=[r,s]}else hn=n,n=i;return t=n!==i?e.substring(t,hn):n,fn[a]={nextPos:hn,result:t},t}(),t===i)if(t=hn,n=function(){var t,n,r,s,o,a,l,c=76*hn+73,u=fn[c];if(u)return hn=u.nextPos,u.result;if(t=hn,n=hn,e.substr(hn,2)===j?(r=j,hn+=2):(r=i,0===gn&&Rn(St)),r!==i){for(s=[],o=hn,a=hn,gn++,e.substr(hn,2)===Y?(l=Y,hn+=2):(l=i,0===gn&&Rn(Tt)),gn--,l===i?a=void 0:(hn=a,a=i),a!==i?(e.length>hn?(l=e.charAt(hn),hn++):(l=i,0===gn&&Rn(bt)),l!==i?o=cn(l):(hn=o,o=i)):(hn=o,o=i);o!==i;)s.push(o),o=hn,a=hn,gn++,e.substr(hn,2)===Y?(l=Y,hn+=2):(l=i,0===gn&&Rn(Tt)),gn--,l===i?a=void 0:(hn=a,a=i),a!==i?(e.length>hn?(l=e.charAt(hn),hn++):(l=i,0===gn&&Rn(bt)),l!==i?o=cn(l):(hn=o,o=i)):(hn=o,o=i);e.substr(hn,2)===Y?(o=Y,hn+=2):(o=i,0===gn&&Rn(Tt)),o!==i?n=r=[r,s,o]:(hn=n,n=i)}else hn=n,n=i;return t=n!==i?e.substring(t,hn):n,fn[c]={nextPos:hn,result:t},t}(),n!==i){for(r=[],s=hn,(o=gi())!==i&&(a=pi())!==i?s=an(n,o,a):(hn=s,s=i);s!==i;)r.push(s),s=hn,(o=gi())!==i&&(a=pi())!==i?s=an(n,o,a):(hn=s,s=i);t=ln(n,r)}else hn=t,t=i;return fn[l]={nextPos:hn,result:t},t}function gi(){var t,n,r,s=76*hn+74,o=fn[s];if(o)return hn=o.nextPos,o.result;if(gn++,t=hn,n=[],oe.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(xt)),r!==i)for(;r!==i;)n.push(r),oe.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(xt));else n=i;return t=n!==i?e.substring(t,hn):n,gn--,t===i&&(n=i,0===gn&&Rn(wt)),fn[s]={nextPos:hn,result:t},t}function fi(){var t,n,r,s=76*hn+75,o=fn[s];return o?(hn=o.nextPos,o.result):(t=hn,n=hn,gn++,Z.test(e.charAt(hn))?(r=e.charAt(hn),hn++):(r=i,0===gn&&Rn(Ke)),gn--,r===i?n=void 0:(hn=n,n=i),n!==i?(r=mi(),t=un(r)):(hn=t,t=i),fn[s]={nextPos:hn,result:t},t)}e=function(e,t){return void 0===t&&(t={}),e.replace(/\\[\n\r]/g,"")}(e);const Ei=(e,t)=>({type:e,...t}),vi=(...e)=>e.flat().filter(e=>null!=e&&""!==e&&0!==e.length),_i=(...e)=>{return(t=vi(e)).length>1?t:t[0];var t},Ci=(...e)=>e.flat().reduce((e,[t,n])=>({type:"binary",operator:t,left:e,right:n}));if((n=o())!==i&&hn===e.length)return n;throw n!==i&&hn0){for(t=1,n=1;t +
            + +
            + $${this.htmlTemplate`
            ${o}
            `} +
            +

            + + +

            +
            + `,l=this.renderElementFromTemplate(a.replace(/
            /g,"\n"),e,t);this.editor=ace.edit(l.querySelector(".sourceCodeComponent")),this.editor.setTheme("ace/theme/monokai"),this.editor.getSession().setMode("ace/mode/glsl"),this.editor.setShowPrintMargin(!1);let c=-1;return this.editor.setReadOnly(!e.editable&&!e.translated),this.editor.getSession().on("change",n=>{-1!==c&&clearTimeout(c),c=setTimeout(()=>{this._triggerCompilation(this.editor,e,l,t)},1500)}),l}_triggerCompilation(e,t,n,i){t.fragment?t.sourceFragment=e.getValue():t.sourceVertex=e.getValue(),this.triggerEvent("onSourceCodeChanged",n,t,i)}_beautify(e,t=0){let n="";for(let e=0;ee.trim()+"\n")).replace(/\s*([*+-/=><\s]*=)\s*/g,e=>" "+e.trim()+" ")).replace(/\s*(,)\s*/g,e=>e.trim()+" ")).replace(/\n[ \t]+/g,"\n")).replace(/\n/g,"\n"+n)).replace(/\s+$/g,"")).replace(/\n+$/g,"");else{const i=e.substr(0,s).trim(),r=e.substr(o+1,e.length).trim(),l=e.substr(s+1,o-s-1).trim();a=(""===i?n+"{":this._beautify(i,t)+" {\n")+this._beautify(l,t+1)+"\n"+n+"}\n"+this._beautify(r,t),a=a.replace(/\s*\n+\s*;/g,";")}return a=a.replace(cn.semicolonReplacementKeyRegex,";"),a=a.replace(cn.openCurlyReplacementKeyRegex,"{"),a=a.replace(cn.closeCurlyReplacementKeyRegex,"}"),a}_adaptComments(e){let t=!1,n=!1;for(let i=0;i-1&&0===o?this._getBracket(e,n+1):{firstIteration:n,lastIteration:o}}_indentIfdef(e){let t=0;const n=e.split("\n");for(let e=0;e`;return this.renderElementFromTemplate(n,e,t)}}class hn{static getMDNLink(e){const t=hn.WebGL2Functions[e];if(t)return hn.WebGL2RootUrl+t;const n=hn.WebGLFunctions[e];if(n)return hn.WebGLRootUrl+n;const i=hn.AngleInstancedArraysExtFunctions[e];return i?hn.AngleInstancedArraysExtRootUrl+i:hn.WebGLRootUrl+e}}hn.WebGL2RootUrl="https://developer.mozilla.org/en-US/docs/Web/API/WebGL2RenderingContext/",hn.WebGLRootUrl="https://developer.mozilla.org/en-US/docs/Web/API/WebGLRenderingContext/",hn.AngleInstancedArraysExtRootUrl="https://developer.mozilla.org/en-US/docs/Web/API/ANGLE_instanced_arrays/",hn.WebGL2Functions={beginQuery:"beginQuery",beginTransformFeedback:"beginTransformFeedback",bindBufferBase:"bindBufferBase",bindBufferRange:"bindBufferRange",bindSampler:"bindSampler",bindTransformFeedback:"bindTransformFeedback",bindVertexArray:"bindVertexArray",blitFramebuffer:"blitFramebuffer",clearBufferfv:"clearBuffer",clearBufferiv:"clearBuffer",clearBufferuiv:"clearBuffer",clearBufferfi:"clearBuffer",clientWaitSync:"clientWaitSync",compressedTexImage3D:"compressedTexImage3D",compressedTexSubImage3D:"compressedTexSubImage3D",copyBufferSubData:"copyBufferSubData",copyTexSubImage3D:"copyTexSubImage3D",createQuery:"createQuery",createSampler:"createSampler",createTransformFeedback:"createTransformFeedback",createVertexArray:"createVertexArray",deleteQuery:"deleteQuery",deleteSampler:"deleteSampler",deleteSync:"deleteSync",deleteTransformFeedback:"deleteTransformFeedback",deleteVertexArray:"deleteVertexArray",drawArraysInstanced:"drawArraysInstanced",drawBuffers:"drawBuffers",drawElementsInstanced:"drawElementsInstanced",drawRangeElements:"drawRangeElements",endQuery:"endQuery",endTransformFeedback:"endTransformFeedback",fenceSync:"fenceSync",framebufferTextureLayer:"framebufferTextureLayer",getActiveUniformBlockName:"getActiveUniformBlockName",getActiveUniformBlockParameter:"getActiveUniformBlockParameter",getActiveUniforms:"getActiveUniforms",getBufferSubData:"getBufferSubData",getFragDataLocation:"getFragDataLocation",getIndexedParameter:"getIndexedParameter",getInternalformatParameter:"getInternalformatParameter",getQuery:"getQuery",getQueryParameter:"getQueryParameter",getSamplerParameter:"getSamplerParameter",getSyncParameter:"getSyncParameter",getTransformFeedbackVarying:"getTransformFeedbackVarying",getUniformBlockIndex:"getUniformBlockIndex",getUniformIndices:"getUniformIndices",invalidateFramebuffer:"invalidateFramebuffer",invalidateSubFramebuffer:"invalidateSubFramebuffer",isQuery:"isQuery",isSampler:"isSampler",isSync:"isSync",isTransformFeedback:"isTransformFeedback",isVertexArray:"isVertexArray",pauseTransformFeedback:"pauseTransformFeedback",readBuffer:"readBuffer",renderbufferStorageMultisample:"renderbufferStorageMultisample",resumeTransformFeedback:"resumeTransformFeedback",samplerParameteri:"samplerParameter",samplerParameterf:"samplerParameter",texImage3D:"texImage3D",texStorage2D:"texStorage2D",texStorage3D:"texStorage3D",texSubImage3D:"texSubImage3D",transformFeedbackVaryings:"transformFeedbackVaryings",uniform1ui:"uniform",uniform2ui:"uniform",uniform3ui:"uniform",uniform4ui:"uniform",uniform1fv:"uniform",uniform2fv:"uniform",uniform3fv:"uniform",uniform4fv:"uniform",uniform1iv:"uniform",uniform2iv:"uniform",uniform3iv:"uniform",uniform4iv:"uniform",uniform1uiv:"uniform",uniform2uiv:"uniform",uniform3uiv:"uniform",uniform4uiv:"uniform",uniformBlockBinding:"uniformBlockBinding",uniformMatrix2fv:"uniformMatrix",uniformMatrix3x2fv:"uniformMatrix",uniformMatrix4x2fv:"uniformMatrix",uniformMatrix2x3fv:"uniformMatrix",uniformMatrix3fv:"uniformMatrix",uniformMatrix4x3fv:"uniformMatrix",uniformMatrix2x4fv:"uniformMatrix",uniformMatrix3x4fv:"uniformMatrix",uniformMatrix4fv:"uniformMatrix",vertexAttribDivisor:"vertexAttribDivisor",vertexAttribI4i:"vertexAttribI",vertexAttribI4ui:"vertexAttribI",vertexAttribI4iv:"vertexAttribI",vertexAttribI4uiv:"vertexAttribI",vertexAttribIPointer:"vertexAttribIPointer",waitSync:"waitSync"},hn.WebGLFunctions={uniform1f:"uniform",uniform1fv:"uniform",uniform1i:"uniform",uniform1iv:"uniform",uniform2f:"uniform",uniform2fv:"uniform",uniform2i:"uniform",uniform2iv:"uniform",uniform3f:"uniform",uniform3i:"uniform",uniform3iv:"uniform",uniform4f:"uniform",uniform4fv:"uniform",uniform4i:"uniform",uniform4iv:"uniform",uniformMatrix2fv:"uniformMatrix",uniformMatrix3fv:"uniformMatrix",uniformMatrix4fv:"uniformMatrix",vertexAttrib1f:"vertexAttrib",vertexAttrib2f:"vertexAttrib",vertexAttrib3f:"vertexAttrib",vertexAttrib4f:"vertexAttrib",vertexAttrib1fv:"vertexAttrib",vertexAttrib2fv:"vertexAttrib",vertexAttrib3fv:"vertexAttrib",vertexAttrib4fv:"vertexAttrib"},hn.AngleInstancedArraysExtFunctions={drawArraysInstancedANGLE:"drawArraysInstancedANGLE",drawElementsInstancedANGLE:"drawElementsInstancedANGLE",vertexAttribDivisorANGLE:"vertexAttribDivisorANGLE"};class dn{constructor(e=null){this.rootPlaceHolder=e,this.onSourceCodeChanged=new o,this.rootPlaceHolder=this.rootPlaceHolder||document.body,this.mvx=new Et(this.rootPlaceHolder),this.searchText="",this.currentCommandId=-1,this.visible=!1,this.commandCount=0,this.commandListStateId=-1,this.commandDetailStateId=-1,this.currentCaptureStateId=-1,this.currentCommandStateId=-1,this.currentVisualStateId=-1,this.visualStateListStateId=-1,this.initVisualStateId=-1,this.sourceCodeComponentStateId=-1,this.captureListComponent=new yt,this.captureListItemComponent=new Lt,this.visualStateListComponent=new It,this.visualStateListItemComponent=new Nt,this.commandListComponent=new Mt,this.commandListItemComponent=new Ot,this.commandDetailComponent=new Bt,this.jsonContentComponent=new $t,this.jsonGroupComponent=new Pt,this.jsonItemComponent=new kt,this.jsonImageItemComponent=new Dt,this.jsonHelpItemComponent=new Ut,this.jsonVisualStateItemComponent=new Gt,this.resultViewMenuComponent=new Wt,this.resultViewContentComponent=new Vt,this.resultViewComponent=new Ht,this.sourceCodeComponent=new cn,this.informationColumnComponent=new un,this.rootStateId=this.mvx.addRootState(null,this.resultViewComponent),this.menuStateId=this.mvx.addChildState(this.rootStateId,null,this.resultViewMenuComponent),this.contentStateId=this.mvx.addChildState(this.rootStateId,null,this.resultViewContentComponent),this.captureListStateId=this.mvx.addChildState(this.rootStateId,!1,this.captureListComponent),this.initKeyboardEvents(),this.initMenuComponent(),this.captureListComponent.onCaptureLoaded.add(e=>{this.addCapture(e)}),this.captureListItemComponent.onCaptureSelected.add(e=>{this.selectCapture(e.stateId)}),this.captureListItemComponent.onSaveRequested.add(e=>{this.saveCapture(e.state.capture)}),this.visualStateListItemComponent.onVisualStateSelected.add(e=>{this.selectVisualState(e.stateId)}),this.commandListItemComponent.onCommandSelected.add(e=>{this.selectCommand(e.stateId)}),this.commandListItemComponent.onVertexSelected.add(e=>{this.selectCommand(e.stateId),this.openShader(!1)}),this.commandListItemComponent.onFragmentSelected.add(e=>{this.selectCommand(e.stateId),this.openShader(!0)}),this.sourceCodeComponent.onSourceCodeCloseClicked.add(()=>{this.displayCurrentCapture()}),this.sourceCodeComponent.onTranslatedVertexSourceClicked.add(e=>{const t=this.mvx.getGenericState(this.sourceCodeComponentStateId);t.fragment=!1,t.translated=!0,this.mvx.updateState(this.sourceCodeComponentStateId,t)}),this.sourceCodeComponent.onTranslatedFragmentSourceClicked.add(e=>{const t=this.mvx.getGenericState(this.sourceCodeComponentStateId);t.fragment=!0,t.translated=!0,this.mvx.updateState(this.sourceCodeComponentStateId,t)}),this.sourceCodeComponent.onVertexSourceClicked.add(e=>{const t=this.mvx.getGenericState(this.sourceCodeComponentStateId);t.fragment=!1,t.translated=!1,this.mvx.updateState(this.sourceCodeComponentStateId,t)}),this.sourceCodeComponent.onFragmentSourceClicked.add(e=>{const t=this.mvx.getGenericState(this.sourceCodeComponentStateId);t.fragment=!0,t.translated=!1,this.mvx.updateState(this.sourceCodeComponentStateId,t)}),this.sourceCodeComponent.onSourceCodeChanged.add(e=>{this.onSourceCodeChanged.trigger({programId:e.state.programId,sourceFragment:e.state.sourceFragment,sourceVertex:e.state.sourceVertex,translatedSourceFragment:e.state.translatedSourceFragment,translatedSourceVertex:e.state.translatedSourceVertex})}),this.sourceCodeComponent.onBeautifyChanged.add(e=>{const t=this.mvx.getGenericState(this.sourceCodeComponentStateId);t.beautify=e.sender.checked,this.mvx.updateState(this.sourceCodeComponentStateId,t)}),this.sourceCodeComponent.onPreprocessChanged.add(e=>{const t=this.mvx.getGenericState(this.sourceCodeComponentStateId);t.preprocessed=e.sender.checked,this.mvx.updateState(this.sourceCodeComponentStateId,t)}),this.updateViewState()}saveCapture(e){const t=JSON.stringify(e,null,4),n=new Blob([t],{type:"octet/stream"}),i="capture "+new Date(e.startTime).toTimeString().split(" ")[0]+".json";if(navigator.msSaveBlob)navigator.msSaveBlob(n,i);else{const e=document.createElement("a"),t=window.URL.createObjectURL(n);e.setAttribute("href",t),e.setAttribute("download",i),e.click()}}selectCapture(e){this.currentCommandId=-1,this.currentCaptureStateId=e,this.displayCurrentCapture()}selectCommand(e){this.currentCommandStateId=e,this.currentVisualStateId=this.displayCurrentCommand(),this.displayCurrentVisualState()}selectVisualState(e){this.currentVisualStateId=e,this.currentCommandStateId=this.displayCurrentVisualState(),this.displayCurrentCommand()}display(){this.visible=!0,this.updateViewState()}hide(){this.visible=!1,this.updateViewState()}addCapture(e){const t=this.mvx.insertChildState(this.captureListStateId,{capture:e,active:!1},0,this.captureListItemComponent);return this.selectCapture(t),t}showSourceCodeError(e){this.sourceCodeComponent.showError(e)}initKeyboardEvents(){this.rootPlaceHolder.addEventListener("keydown",e=>{40===this.mvx.getGenericState(this.menuStateId).status&&(38===e.keyCode?(e.preventDefault(),e.stopPropagation(),this.selectPreviousCommand()):40===e.keyCode?(e.preventDefault(),e.stopPropagation(),this.selectNextCommand()):33===e.keyCode?(e.preventDefault(),e.stopPropagation(),this.selectPreviousVisualState()):34===e.keyCode&&(e.preventDefault(),e.stopPropagation(),this.selectNextVisualState()))})}openShader(e){this.mvx.removeChildrenStates(this.contentStateId);const t=this.mvx.getGenericState(this.currentCommandStateId);this.sourceCodeComponentStateId=this.mvx.addChildState(this.contentStateId,{programId:t.capture.DrawCall.programStatus.program.__SPECTOR_Object_TAG.id,nameVertex:t.capture.DrawCall.shaders[0].name,nameFragment:t.capture.DrawCall.shaders[1].name,sourceVertex:t.capture.DrawCall.shaders[0].source,sourceFragment:t.capture.DrawCall.shaders[1].source,translatedSourceVertex:t.capture.DrawCall.shaders[0].translatedSource,translatedSourceFragment:t.capture.DrawCall.shaders[1].translatedSource,fragment:e,translated:!1,editable:t.capture.DrawCall.programStatus.RECOMPILABLE,beautify:!0},this.sourceCodeComponent),this.commandDetailStateId=this.mvx.addChildState(this.contentStateId,null,this.commandDetailComponent),this.displayCurrentCommandDetail(t)}selectPreviousCommand(){const e=this.mvx.getGenericState(this.currentCommandStateId);e.previousCommandStateId<0||this.selectCommand(e.previousCommandStateId)}selectNextCommand(){const e=this.mvx.getGenericState(this.currentCommandStateId);e.nextCommandStateId<0||this.selectCommand(e.nextCommandStateId)}selectPreviousVisualState(){const e=this.mvx.getGenericState(this.currentVisualStateId);e.previousVisualStateId<0||this.selectVisualState(e.previousVisualStateId)}selectNextVisualState(){const e=this.mvx.getGenericState(this.currentVisualStateId);e.nextVisualStateId<0||this.selectVisualState(e.nextVisualStateId)}initMenuComponent(){this.mvx.updateState(this.menuStateId,{status:0,searchText:this.searchText,commandCount:0}),this.resultViewMenuComponent.onCloseClicked.add(e=>{this.hide()}),this.resultViewMenuComponent.onCapturesClicked.add(e=>{this.displayCaptures()}),this.resultViewMenuComponent.onCommandsClicked.add(e=>{this.displayCurrentCapture()}),this.resultViewMenuComponent.onInformationClicked.add(e=>{this.displayInformation()}),this.resultViewMenuComponent.onInitStateClicked.add(e=>{this.displayInitState()}),this.resultViewMenuComponent.onEndStateClicked.add(e=>{this.displayEndState()}),this.resultViewMenuComponent.onSearchTextChanged.add(e=>{this.search(e.sender.value)}),this.resultViewMenuComponent.onSearchTextCleared.add(e=>{this.mvx.updateState(this.menuStateId,{status:e.state.status,searchText:"",commandCount:e.state.commandCount}),this.search("")})}onCaptureRelatedAction(e){const t=this.mvx.getGenericState(this.currentCaptureStateId);return this.commandCount=t.capture.commands.length,this.mvx.removeChildrenStates(this.contentStateId),this.mvx.updateState(this.menuStateId,{status:e,searchText:this.searchText,commandCount:this.commandCount}),this.mvx.getGenericState(this.captureListStateId)&&this.mvx.updateState(this.captureListStateId,!1),t.capture}displayCaptures(){this.mvx.updateState(this.menuStateId,{status:0,searchText:this.searchText,commandCount:this.commandCount}),this.mvx.updateState(this.captureListStateId,!0)}displayInformation(){const e=this.onCaptureRelatedAction(10),t=this.mvx.addChildState(this.contentStateId,!0,this.informationColumnComponent),n=this.mvx.addChildState(this.contentStateId,!1,this.informationColumnComponent),i=this.mvx.addChildState(t,null,this.jsonContentComponent);this.displayJSONGroup(i,"Canvas",e.canvas),this.displayJSONGroup(i,"Context",e.context);const r=this.mvx.addChildState(n,null,this.jsonContentComponent);for(const t of e.analyses)"Primitives"===t.analyserName?this.displayJSONGroup(r,"Vertices count",t):this.displayJSONGroup(r,t.analyserName,t);this.displayJSONGroup(r,"Frame Memory Changes",e.frameMemory),this.displayJSONGroup(r,"Total Memory (seconds since application start: bytes)",e.memory)}displayJSON(e,t){t.VisualState&&this.mvx.addChildState(e,t.VisualState,this.jsonVisualStateItemComponent);for(const n in t){if("VisualState"===n||"analyserName"===n||"source"===n||"translatedSource"===n)continue;const i=t[n];if("visual"===n)for(const n in i)i.hasOwnProperty(n)&&i[n]&&this.mvx.addChildState(e,{key:n,value:i[n],pixelated:"NEAREST"===t.samplerMagFilter||"NEAREST"===t.magFilter},this.jsonImageItemComponent);else{const t=this.getJSONAsString(e,n,i);if(null==t)continue;if(this.toFilter(n)&&this.toFilter(i))continue;this.mvx.addChildState(e,{key:n,value:t},this.jsonItemComponent)}i&&i.__SPECTOR_Metadata&&this.displayJSONGroup(e,"Metadata",i.__SPECTOR_Metadata)}}getJSONAsString(e,t,n){if(null===n)return"null";if(void 0===n)return"undefined";if("number"==typeof n)return Math.floor(n)===n?n.toFixed(0):n.toFixed(4);if("string"==typeof n)return n;if("boolean"==typeof n)return n?"true":"false";if(0===n.length)return"Empty Array";if(n.length){const i=[];for(let r=0;r(e.active=!1,e)),this.mvx.updateState(this.currentCaptureStateId,{capture:e,active:!0}),this.createVisualStates(e),this.commandListStateId=this.mvx.addChildState(this.contentStateId,null,this.commandListComponent),this.commandDetailStateId=this.mvx.addChildState(this.contentStateId,null,this.commandDetailComponent),this.createCommands(e)}displayCurrentCommand(){if(40!==this.mvx.getGenericState(this.menuStateId).status)return-1;const e=this.mvx.getGenericState(this.currentCommandStateId),t=e.capture;return this.currentCommandId=t.id,this.mvx.updateAllChildrenGenericState(this.commandListStateId,e=>(e.active=!1,e)),this.mvx.updateState(this.currentCommandStateId,{capture:t,visualStateId:e.visualStateId,previousCommandStateId:e.previousCommandStateId,nextCommandStateId:e.nextCommandStateId,active:!0}),this.displayCurrentCommandDetail(e)}displayCurrentCommandDetail(e){const t=e.capture;this.mvx.removeChildrenStates(this.commandDetailStateId);const n=this.mvx.getGenericState(e.visualStateId);this.mvx.addChildState(this.commandDetailStateId,n.VisualState,this.jsonVisualStateItemComponent);let i="Unknown";switch(t.status){case 50:i="Deprecated";break;case 10:i="Unused";break;case 20:i="Disabled";break;case 30:i="Redundant";break;case 40:i="Valid"}const r=hn.getMDNLink(t.name);t.result?this.displayJSONGroup(this.commandDetailStateId,"Global",{name:{help:r,name:t.name},duration:t.commandEndTime-t.startTime,result:t.result,status:i}):"LOG"!==t.name&&this.displayJSONGroup(this.commandDetailStateId,"Global",{name:{help:r,name:t.name},duration:t.commandEndTime-t.startTime,status:i});for(const e in t)"VisualState"!==e&&"result"!==e&&"object"==typeof t[e]&&this.displayJSONGroup(this.commandDetailStateId,e,t[e]);return e.visualStateId}displayCurrentVisualState(){if(40!==this.mvx.getGenericState(this.menuStateId).status)return null;const e=this.mvx.getGenericState(this.currentVisualStateId);return e.commandStateId===Number.MIN_VALUE?this.displayInitState():e.commandStateId===Number.MAX_VALUE&&this.displayEndState(),this.mvx.updateAllChildrenGenericState(this.visualStateListStateId,e=>(e.active=!1,e)),e.active=!0,this.mvx.updateState(this.currentVisualStateId,e),e.commandStateId}createVisualStates(e){this.visualStateListStateId=this.mvx.addChildState(this.contentStateId,null,this.visualStateListComponent),this.mvx.removeChildrenStates(this.visualStateListStateId),this.initVisualStateId=this.mvx.addChildState(this.visualStateListStateId,{VisualState:e.initState.VisualState,time:e.startTime,commandStateId:Number.MIN_VALUE,active:!1},this.visualStateListItemComponent)}createCommands(e){this.mvx.removeChildrenStates(this.commandListStateId);let t=this.initVisualStateId,n=!1,i=null,r=-1,s=null,o=-1;for(let a=0;a2&&-1===e.indexOf(this.searchText.toLowerCase()))}search(e){switch(this.searchText=e,this.mvx.getGenericState(this.menuStateId).status){case 0:case 40:this.displayCurrentCapture();break;case 30:this.displayEndState();break;case 10:this.displayInformation();break;case 20:this.displayInitState()}this.searchText=""}}class mn{constructor(e){this.timeSpy=e,this.init()}spyXRSession(e){this.currentXRSession&&this.unspyXRSession();for(const e of Qe.getRequestAnimationFrameFunctionNames())R.resetOriginFunction(this.timeSpy.getSpiedScope(),e);this.timeSpy.spyRequestAnimationFrame("requestAnimationFrame",e),this.currentXRSession=e}unspyXRSession(){if(this.currentXRSession){R.resetOriginFunction(this.currentXRSession,"requestAnimationFrame"),this.currentXRSession=void 0;for(const e of Qe.getRequestAnimationFrameFunctionNames())this.timeSpy.spyRequestAnimationFrame(e,this.timeSpy.getSpiedScope())}}init(){if(!navigator.xr)return;class e extends XRWebGLLayer{constructor(e,t,n){super(e,t,n),this.glContext=t}getContext(){return this.glContext}}class t extends XRWebGLBinding{constructor(e,t){super(e,t),this.glContext=t}createProjectionLayer(e){const t=super.createProjectionLayer(e);return t.glContext=this.glContext,t}}window.XRWebGLLayer=e,window.XRWebGLBinding=t;const n=navigator.xr.requestSession;Object.defineProperty(navigator.xr,"requestSessionInternal",{writable:!0}),navigator.xr.requestSessionInternal=n,Object.defineProperty(navigator.xr,"requestSession",{writable:!0}),navigator.xr.requestSession=(e,t)=>((e,t)=>navigator.xr.requestSessionInternal(e,t).then(e=>{const t=e;return t._updateRenderState=e.updateRenderState,t.updateRenderState=e=>function(e,t,n,i){return new(n||(n=Promise))(function(r,s){function o(e){try{l(i.next(e))}catch(e){s(e)}}function a(e){try{l(i.throw(e))}catch(e){s(e)}}function l(e){var t;e.done?r(e.value):(t=e.value,t instanceof n?t:new n(function(e){e(t)})).then(o,a)}l((i=i.apply(e,t||[])).next())})}(this,void 0,void 0,function*(){if(e.baseLayer){const n=e.baseLayer;t.glContext=n.getContext()}if(e.layers)for(const n of e.layers){const e=n;e.glContext&&(t.glContext=e.glContext)}return t._updateRenderState(e)}),this.spyXRSession(t),e.addEventListener("end",()=>{this.unspyXRSession()}),Promise.resolve(e)}))(e,t)}}const pn={CaptureMenu:bt,ResultView:dn};class gn{constructor(e={}){this.noFrameTimeout=-1,this.options=Object.assign({enableXRCapture:!1},e),this.captureNextFrames=0,this.captureNextCommands=0,this.quickCapture=!1,this.fullCapture=!1,this.retry=0,this.contexts=[],this.timeSpy=new Qe,this.onCaptureStarted=new o,this.onCapture=new o,this.onError=new o,this.timeSpy.onFrameStart.add(this.onFrameStart,this),this.timeSpy.onFrameEnd.add(this.onFrameEnd,this),this.timeSpy.onError.add(this.onErrorInternal,this),this.options.enableXRCapture&&(this.xrSpy=new mn(this.timeSpy))}static getFirstAvailable3dContext(e){return this.tryGetContextFromHelperField(e)||this.tryGetContextFromCanvas(e,"webgl")||this.tryGetContextFromCanvas(e,"experimental-webgl")||this.tryGetContextFromCanvas(e,"webgl2")||this.tryGetContextFromCanvas(e,"experimental-webgl2")}static tryGetContextFromHelperField(e){const t=e instanceof HTMLCanvasElement?e.getAttribute("__spector_context_type"):e.__spector_context_type;if(t)return this.tryGetContextFromCanvas(e,t)}static tryGetContextFromCanvas(e,t){let n;try{n=e.getContext(t)}catch(e){}return n}displayUI(e=!1){this.captureMenu||(this.getCaptureUI(),this.captureMenu.onPauseRequested.add(this.pause,this),this.captureMenu.onPlayRequested.add(this.play,this),this.captureMenu.onPlayNextFrameRequested.add(this.playNextFrame,this),this.captureMenu.onCaptureRequested.add(e=>{e&&this.captureCanvas(e.ref)},this),setInterval(()=>{this.captureMenu.setFPS(this.getFps())},1e3),e||this.captureMenu.trackPageCanvases(),this.captureMenu.display()),this.resultView||(this.getResultUI(),this.onCapture.add(e=>{this.resultView.display(),this.resultView.addCapture(e)}))}getResultUI(){return this.resultView||(this.resultView=new dn,this.resultView.onSourceCodeChanged.add(e=>{this.rebuildProgramFromProgramId(e.programId,e.sourceVertex,e.sourceFragment,t=>{this.referenceNewProgram(e.programId,t),this.resultView.showSourceCodeError(null)},e=>{this.resultView.showSourceCodeError(e)})})),this.resultView}getCaptureUI(){return this.captureMenu||(this.captureMenu=new bt),this.captureMenu}rebuildProgramFromProgramId(e,t,n,i,r){const s=xe.getFromGlobalStore(e);this.rebuildProgram(s,t,n,i,r)}rebuildProgram(e,t,n,r,s){i.rebuildProgram(e,t,n,r,s)}referenceNewProgram(e,t){xe.updateInGlobalStore(e,t)}pause(){this.timeSpy.changeSpeedRatio(0)}play(){this.timeSpy.changeSpeedRatio(1)}playNextFrame(){this.timeSpy.playNextFrame()}drawOnlyEveryXFrame(e){this.timeSpy.changeSpeedRatio(e)}getFps(){return this.timeSpy.getFps()}spyCanvases(){this.canvasSpy?this.onErrorInternal("Already spying canvas."):(this.canvasSpy=new Je,this.canvasSpy.onContextRequested.add(this.spyContext,this))}spyCanvas(e){this.canvasSpy?this.onErrorInternal("Already spying canvas."):(this.canvasSpy=new Je(e),this.canvasSpy.onContextRequested.add(this.spyContext,this))}getAvailableContexts(){return this.getAvailableContexts()}captureCanvas(e,t=0,n=!1,i=!1){const r=this.getAvailableContextSpyByCanvas(e);if(r)this.captureContextSpy(r,t,n,i);else{const r=gn.getFirstAvailable3dContext(e);r?this.captureContext(r,t,n,i):s.error("No webgl context available on the chosen canvas.")}}captureContext(e,t=0,n=!1,i=!1){let r=this.getAvailableContextSpyByCanvas(e.canvas);r||(r=e.getIndexedParameter?new Ze({context:e,version:2,recordAlways:!1}):new Ze({context:e,version:1,recordAlways:!1}),r.onMaxCommand.add(this.stopCapture,this),this.contexts.push({canvas:r.context.canvas,contextSpy:r})),r&&this.captureContextSpy(r,t,n,i)}captureXRContext(e=0,t=!1,n=!1){this.captureContext(this.getXRContext(),e,t,n)}captureContextSpy(e,t=0,n=!1,i=!1){this.quickCapture=n,this.fullCapture=i,this.capturingContext?this.onErrorInternal("Already capturing a context."):(this.retry=0,this.capturingContext=e,this.capturingContext.setMarker(this.marker),(t=Math.min(t,1e4))>0?this.captureCommands(t):this.captureFrames(1),this.noFrameTimeout=setTimeout(()=>{t>0?this.stopCapture():this.capturingContext&&this.retry>1?this.onErrorInternal("No frames with gl commands detected. Try moving the camera."):this.onErrorInternal("No frames detected. Try moving the camera or implementing requestAnimationFrame.")},1e4))}captureNextFrame(e,t=!1,n=!1){e instanceof HTMLCanvasElement||self.OffscreenCanvas&&e instanceof OffscreenCanvas?this.captureCanvas(e,0,t,n):this.captureContext(e,0,t,n)}startCapture(e,t,n=!1,i=!1){e instanceof HTMLCanvasElement||self.OffscreenCanvas&&e instanceof OffscreenCanvas?this.captureCanvas(e,t,n,i):this.captureContext(e,t,n,i)}stopCapture(){if(this.capturingContext){const e=this.capturingContext.stopCapture();if(e.commands.length>0)return this.noFrameTimeout>-1&&clearTimeout(this.noFrameTimeout),this.triggerCapture(e),this.capturingContext=void 0,this.captureNextFrames=0,this.captureNextCommands=0,e;0===this.captureNextCommands&&(this.retry++,this.captureFrames(1))}}setMarker(e){this.marker=e,this.capturingContext&&this.capturingContext.setMarker(e)}clearMarker(){this.marker=null,this.capturingContext&&this.capturingContext.clearMarker()}addRequestAnimationFrameFunctionName(e){this.timeSpy.addRequestAnimationFrameFunctionName(e)}setSpiedScope(e){this.timeSpy.setSpiedScope(e)}log(e){this.capturingContext&&this.capturingContext.log(e)}captureFrames(e){this.captureNextFrames=e,this.captureNextCommands=0,this.playNextFrame()}captureCommands(e){this.captureNextFrames=0,this.captureNextCommands=e,this.play(),this.capturingContext?(this.onCaptureStarted.trigger(void 0),this.capturingContext.startCapture(e,this.quickCapture,this.fullCapture)):(this.onErrorInternal("No context to capture from."),this.captureNextCommands=0)}spyContext(e){let t=this.getAvailableContextSpyByCanvas(e.context.canvas);t||(t=new Ze({context:e.context,version:e.contextVersion,recordAlways:!0}),t.onMaxCommand.add(this.stopCapture,this),this.contexts.push({canvas:t.context.canvas,contextSpy:t})),t.spy()}getAvailableContextSpyByCanvas(e){for(const t of this.contexts)if(t.canvas===e)return t.contextSpy}getXRContext(){return this.options.enableXRCapture||s.error("Cannot retrieve WebXR context if capturing WebXR is disabled."),this.xrSpy.currentXRSession||s.error("No currently active WebXR session."),this.xrSpy.currentXRSession.glContext}onFrameStart(){this.captureNextCommands>0||(this.captureNextFrames>0?(this.capturingContext&&(this.onCaptureStarted.trigger(void 0),this.capturingContext.startCapture(0,this.quickCapture,this.fullCapture)),this.captureNextFrames--):this.capturingContext=void 0)}onFrameEnd(){this.captureNextCommands>0||0===this.captureNextFrames&&this.stopCapture()}triggerCapture(e){this.captureMenu&&this.captureMenu.captureComplete(null),this.onCapture.trigger(e)}onErrorInternal(e){if(s.error(e),this.noFrameTimeout>-1&&clearTimeout(this.noFrameTimeout),!this.capturingContext)throw e;this.capturingContext=void 0,this.captureNextFrames=0,this.captureNextCommands=0,this.retry=0,this.captureMenu&&this.captureMenu.captureComplete(e),this.onError.trigger(e)}}},180(e,t,n){e=n.nmd(e),ace.define("ace/ext/searchbox",["require","exports","module","ace/lib/dom","ace/lib/lang","ace/lib/event","ace/keyboard/hash_handler","ace/lib/keys"],function(e,t,n){"use strict";var i=e("../lib/dom"),r=e("../lib/lang"),s=e("../lib/event"),o='.ace_search {background-color: #ddd;color: #666;border: 1px solid #cbcbcb;border-top: 0 none;overflow: hidden;margin: 0;padding: 4px 6px 0 4px;position: absolute;top: 0;z-index: 99;white-space: normal;}.ace_search.left {border-left: 0 none;border-radius: 0px 0px 5px 0px;left: 0;}.ace_search.right {border-radius: 0px 0px 0px 5px;border-right: 0 none;right: 0;}.ace_search_form, .ace_replace_form {margin: 0 20px 4px 0;overflow: hidden;line-height: 1.9;}.ace_replace_form {margin-right: 0;}.ace_search_form.ace_nomatch {outline: 1px solid red;}.ace_search_field {border-radius: 3px 0 0 3px;background-color: white;color: black;border: 1px solid #cbcbcb;border-right: 0 none;outline: 0;padding: 0;font-size: inherit;margin: 0;line-height: inherit;padding: 0 6px;min-width: 17em;vertical-align: top;min-height: 1.8em;box-sizing: content-box;}.ace_searchbtn {border: 1px solid #cbcbcb;line-height: inherit;display: inline-block;padding: 0 6px;background: #fff;border-right: 0 none;border-left: 1px solid #dcdcdc;cursor: pointer;margin: 0;position: relative;color: #666;}.ace_searchbtn:last-child {border-radius: 0 3px 3px 0;border-right: 1px solid #cbcbcb;}.ace_searchbtn:disabled {background: none;cursor: default;}.ace_searchbtn:hover {background-color: #eef1f6;}.ace_searchbtn.prev, .ace_searchbtn.next {padding: 0px 0.7em}.ace_searchbtn.prev:after, .ace_searchbtn.next:after {content: "";border: solid 2px #888;width: 0.5em;height: 0.5em;border-width: 2px 0 0 2px;display:inline-block;transform: rotate(-45deg);}.ace_searchbtn.next:after {border-width: 0 2px 2px 0 ;}.ace_searchbtn_close {background: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA4AAAAcCAYAAABRVo5BAAAAZ0lEQVR42u2SUQrAMAhDvazn8OjZBilCkYVVxiis8H4CT0VrAJb4WHT3C5xU2a2IQZXJjiQIRMdkEoJ5Q2yMqpfDIo+XY4k6h+YXOyKqTIj5REaxloNAd0xiKmAtsTHqW8sR2W5f7gCu5nWFUpVjZwAAAABJRU5ErkJggg==) no-repeat 50% 0;border-radius: 50%;border: 0 none;color: #656565;cursor: pointer;font: 16px/16px Arial;padding: 0;height: 14px;width: 14px;top: 9px;right: 7px;position: absolute;}.ace_searchbtn_close:hover {background-color: #656565;background-position: 50% 100%;color: white;}.ace_button {margin-left: 2px;cursor: pointer;-webkit-user-select: none;-moz-user-select: none;-o-user-select: none;-ms-user-select: none;user-select: none;overflow: hidden;opacity: 0.7;border: 1px solid rgba(100,100,100,0.23);padding: 1px;box-sizing: border-box!important;color: black;}.ace_button:hover {background-color: #eee;opacity:1;}.ace_button:active {background-color: #ddd;}.ace_button.checked {border-color: #3399ff;opacity:1;}.ace_search_options{margin-bottom: 3px;text-align: right;-webkit-user-select: none;-moz-user-select: none;-o-user-select: none;-ms-user-select: none;user-select: none;clear: both;}.ace_search_counter {float: left;font-family: arial;padding: 0 8px;}',a=e("../keyboard/hash_handler").HashHandler,l=e("../lib/keys");i.importCssString(o,"ace_searchbox");var c=function(e,t,n){var r=i.createElement("div");i.buildDom(["div",{class:"ace_search right"},["span",{action:"hide",class:"ace_searchbtn_close"}],["div",{class:"ace_search_form"},["input",{class:"ace_search_field",placeholder:"Search for",spellcheck:"false"}],["span",{action:"findPrev",class:"ace_searchbtn prev"},"​"],["span",{action:"findNext",class:"ace_searchbtn next"},"​"],["span",{action:"findAll",class:"ace_searchbtn",title:"Alt-Enter"},"All"]],["div",{class:"ace_replace_form"},["input",{class:"ace_search_field",placeholder:"Replace with",spellcheck:"false"}],["span",{action:"replaceAndFindNext",class:"ace_searchbtn"},"Replace"],["span",{action:"replaceAll",class:"ace_searchbtn"},"All"]],["div",{class:"ace_search_options"},["span",{action:"toggleReplace",class:"ace_button",title:"Toggle Replace mode",style:"float:left;margin-top:-2px;padding:0 5px;"},"+"],["span",{class:"ace_search_counter"}],["span",{action:"toggleRegexpMode",class:"ace_button",title:"RegExp Search"},".*"],["span",{action:"toggleCaseSensitive",class:"ace_button",title:"CaseSensitive Search"},"Aa"],["span",{action:"toggleWholeWords",class:"ace_button",title:"Whole Word Search"},"\\b"],["span",{action:"searchInSelection",class:"ace_button",title:"Search In Selection"},"S"]]],r),this.element=r.firstChild,this.setSession=this.setSession.bind(this),this.$init(),this.setEditor(e),i.importCssString(o,"ace_searchbox",e.container)};(function(){this.setEditor=function(e){e.searchBox=this,e.renderer.scroller.appendChild(this.element),this.editor=e},this.setSession=function(e){this.searchRange=null,this.$syncOptions(!0)},this.$initElements=function(e){this.searchBox=e.querySelector(".ace_search_form"),this.replaceBox=e.querySelector(".ace_replace_form"),this.searchOption=e.querySelector("[action=searchInSelection]"),this.replaceOption=e.querySelector("[action=toggleReplace]"),this.regExpOption=e.querySelector("[action=toggleRegexpMode]"),this.caseSensitiveOption=e.querySelector("[action=toggleCaseSensitive]"),this.wholeWordOption=e.querySelector("[action=toggleWholeWords]"),this.searchInput=this.searchBox.querySelector(".ace_search_field"),this.replaceInput=this.replaceBox.querySelector(".ace_search_field"),this.searchCounter=e.querySelector(".ace_search_counter")},this.$init=function(){var e=this.element;this.$initElements(e);var t=this;s.addListener(e,"mousedown",function(e){setTimeout(function(){t.activeInput.focus()},0),s.stopPropagation(e)}),s.addListener(e,"click",function(e){var n=(e.target||e.srcElement).getAttribute("action");n&&t[n]?t[n]():t.$searchBarKb.commands[n]&&t.$searchBarKb.commands[n].exec(t),s.stopPropagation(e)}),s.addCommandKeyListener(e,function(e,n,i){var r=l.keyCodeToString(i),o=t.$searchBarKb.findKeyCommand(n,r);o&&o.exec&&(o.exec(t),s.stopEvent(e))}),this.$onChange=r.delayedCall(function(){t.find(!1,!1)}),s.addListener(this.searchInput,"input",function(){t.$onChange.schedule(20)}),s.addListener(this.searchInput,"focus",function(){t.activeInput=t.searchInput,t.searchInput.value&&t.highlight()}),s.addListener(this.replaceInput,"focus",function(){t.activeInput=t.replaceInput,t.searchInput.value&&t.highlight()})},this.$closeSearchBarKb=new a([{bindKey:"Esc",name:"closeSearchBar",exec:function(e){e.searchBox.hide()}}]),this.$searchBarKb=new a,this.$searchBarKb.bindKeys({"Ctrl-f|Command-f":function(e){var t=e.isReplace=!e.isReplace;e.replaceBox.style.display=t?"":"none",e.replaceOption.checked=!1,e.$syncOptions(),e.searchInput.focus()},"Ctrl-H|Command-Option-F":function(e){e.editor.getReadOnly()||(e.replaceOption.checked=!0,e.$syncOptions(),e.replaceInput.focus())},"Ctrl-G|Command-G":function(e){e.findNext()},"Ctrl-Shift-G|Command-Shift-G":function(e){e.findPrev()},esc:function(e){setTimeout(function(){e.hide()})},Return:function(e){e.activeInput==e.replaceInput&&e.replace(),e.findNext()},"Shift-Return":function(e){e.activeInput==e.replaceInput&&e.replace(),e.findPrev()},"Alt-Return":function(e){e.activeInput==e.replaceInput&&e.replaceAll(),e.findAll()},Tab:function(e){(e.activeInput==e.replaceInput?e.searchInput:e.replaceInput).focus()}}),this.$searchBarKb.addCommands([{name:"toggleRegexpMode",bindKey:{win:"Alt-R|Alt-/",mac:"Ctrl-Alt-R|Ctrl-Alt-/"},exec:function(e){e.regExpOption.checked=!e.regExpOption.checked,e.$syncOptions()}},{name:"toggleCaseSensitive",bindKey:{win:"Alt-C|Alt-I",mac:"Ctrl-Alt-R|Ctrl-Alt-I"},exec:function(e){e.caseSensitiveOption.checked=!e.caseSensitiveOption.checked,e.$syncOptions()}},{name:"toggleWholeWords",bindKey:{win:"Alt-B|Alt-W",mac:"Ctrl-Alt-B|Ctrl-Alt-W"},exec:function(e){e.wholeWordOption.checked=!e.wholeWordOption.checked,e.$syncOptions()}},{name:"toggleReplace",exec:function(e){e.replaceOption.checked=!e.replaceOption.checked,e.$syncOptions()}},{name:"searchInSelection",exec:function(e){e.searchOption.checked=!e.searchRange,e.setSearchRange(e.searchOption.checked&&e.editor.getSelectionRange()),e.$syncOptions()}}]),this.setSearchRange=function(e){this.searchRange=e,e?this.searchRangeMarker=this.editor.session.addMarker(e,"ace_active-line"):this.searchRangeMarker&&(this.editor.session.removeMarker(this.searchRangeMarker),this.searchRangeMarker=null)},this.$syncOptions=function(e){i.setCssClass(this.replaceOption,"checked",this.searchRange),i.setCssClass(this.searchOption,"checked",this.searchOption.checked),this.replaceOption.textContent=this.replaceOption.checked?"-":"+",i.setCssClass(this.regExpOption,"checked",this.regExpOption.checked),i.setCssClass(this.wholeWordOption,"checked",this.wholeWordOption.checked),i.setCssClass(this.caseSensitiveOption,"checked",this.caseSensitiveOption.checked);var t=this.editor.getReadOnly();this.replaceOption.style.display=t?"none":"",this.replaceBox.style.display=this.replaceOption.checked&&!t?"":"none",this.find(!1,!1,e)},this.highlight=function(e){this.editor.session.highlight(e||this.editor.$search.$options.re),this.editor.renderer.updateBackMarkers()},this.find=function(e,t,n){var r=!this.editor.find(this.searchInput.value,{skipCurrent:e,backwards:t,wrap:!0,regExp:this.regExpOption.checked,caseSensitive:this.caseSensitiveOption.checked,wholeWord:this.wholeWordOption.checked,preventScroll:n,range:this.searchRange})&&this.searchInput.value;i.setCssClass(this.searchBox,"ace_nomatch",r),this.editor._emit("findSearchBox",{match:!r}),this.highlight(),this.updateCounter()},this.updateCounter=function(){var e=this.editor,t=e.$search.$options.re,n=0,i=0;if(t){var r=this.searchRange?e.session.getTextRange(this.searchRange):e.getValue(),s=e.session.doc.positionToIndex(e.selection.anchor);this.searchRange&&(s-=e.session.doc.positionToIndex(this.searchRange.start));for(var o,a=t.lastIndex=0;(o=t.exec(r))&&(n++,(a=o.index)<=s&&i++,!(n>999))&&(o[0]||(t.lastIndex=a+=1,!(a>=r.length))););}this.searchCounter.textContent=i+" of "+(n>999?"999+":n)},this.findNext=function(){this.find(!0,!1)},this.findPrev=function(){this.find(!0,!0)},this.findAll=function(){var e=!this.editor.findAll(this.searchInput.value,{regExp:this.regExpOption.checked,caseSensitive:this.caseSensitiveOption.checked,wholeWord:this.wholeWordOption.checked})&&this.searchInput.value;i.setCssClass(this.searchBox,"ace_nomatch",e),this.editor._emit("findSearchBox",{match:!e}),this.highlight(),this.hide()},this.replace=function(){this.editor.getReadOnly()||this.editor.replace(this.replaceInput.value)},this.replaceAndFindNext=function(){this.editor.getReadOnly()||(this.editor.replace(this.replaceInput.value),this.findNext())},this.replaceAll=function(){this.editor.getReadOnly()||this.editor.replaceAll(this.replaceInput.value)},this.hide=function(){this.active=!1,this.setSearchRange(null),this.editor.off("changeSession",this.setSession),this.element.style.display="none",this.editor.keyBinding.removeKeyboardHandler(this.$closeSearchBarKb),this.editor.focus()},this.show=function(e,t){this.active=!0,this.editor.on("changeSession",this.setSession),this.element.style.display="",this.replaceOption.checked=t,e&&(this.searchInput.value=e),this.searchInput.focus(),this.searchInput.select(),this.editor.keyBinding.addKeyboardHandler(this.$closeSearchBarKb),this.$syncOptions(!0)},this.isFocused=function(){var e=document.activeElement;return e==this.searchInput||e==this.replaceInput}}).call(c.prototype),t.SearchBox=c,t.Search=function(e,t){(e.searchBox||new c(e)).show(e.session.getTextRange(),t)}}),ace.require(["ace/ext/searchbox"],function(t){e&&(e.exports=t)})},49(e,t,n){e=n.nmd(e),ace.define("ace/mode/doc_comment_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("./text_highlight_rules").TextHighlightRules,s=function(){this.$rules={start:[{token:"comment.doc.tag",regex:"@[\\w\\d_]+"},s.getTagRule(),{defaultToken:"comment.doc",caseInsensitive:!0}]}};i.inherits(s,r),s.getTagRule=function(e){return{token:"comment.doc.tag.storage.type",regex:"\\b(?:TODO|FIXME|XXX|HACK)\\b"}},s.getStartRule=function(e){return{token:"comment.doc",regex:"\\/\\*(?=\\*)",next:e}},s.getEndRule=function(e){return{token:"comment.doc",regex:"\\*\\/",next:e}},t.DocCommentHighlightRules=s}),ace.define("ace/mode/c_cpp_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/doc_comment_highlight_rules","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("./doc_comment_highlight_rules").DocCommentHighlightRules,s=e("./text_highlight_rules").TextHighlightRules,o=t.cFunctions="\\b(?:hypot(?:f|l)?|s(?:scanf|ystem|nprintf|ca(?:nf|lb(?:n(?:f|l)?|ln(?:f|l)?))|i(?:n(?:h(?:f|l)?|f|l)?|gn(?:al|bit))|tr(?:s(?:tr|pn)|nc(?:py|at|mp)|c(?:spn|hr|oll|py|at|mp)|to(?:imax|d|u(?:l(?:l)?|max)|k|f|l(?:d|l)?)|error|pbrk|ftime|len|rchr|xfrm)|printf|et(?:jmp|vbuf|locale|buf)|qrt(?:f|l)?|w(?:scanf|printf)|rand)|n(?:e(?:arbyint(?:f|l)?|xt(?:toward(?:f|l)?|after(?:f|l)?))|an(?:f|l)?)|c(?:s(?:in(?:h(?:f|l)?|f|l)?|qrt(?:f|l)?)|cos(?:h(?:f)?|f|l)?|imag(?:f|l)?|t(?:ime|an(?:h(?:f|l)?|f|l)?)|o(?:s(?:h(?:f|l)?|f|l)?|nj(?:f|l)?|pysign(?:f|l)?)|p(?:ow(?:f|l)?|roj(?:f|l)?)|e(?:il(?:f|l)?|xp(?:f|l)?)|l(?:o(?:ck|g(?:f|l)?)|earerr)|a(?:sin(?:h(?:f|l)?|f|l)?|cos(?:h(?:f|l)?|f|l)?|tan(?:h(?:f|l)?|f|l)?|lloc|rg(?:f|l)?|bs(?:f|l)?)|real(?:f|l)?|brt(?:f|l)?)|t(?:ime|o(?:upper|lower)|an(?:h(?:f|l)?|f|l)?|runc(?:f|l)?|gamma(?:f|l)?|mp(?:nam|file))|i(?:s(?:space|n(?:ormal|an)|cntrl|inf|digit|u(?:nordered|pper)|p(?:unct|rint)|finite|w(?:space|c(?:ntrl|type)|digit|upper|p(?:unct|rint)|lower|al(?:num|pha)|graph|xdigit|blank)|l(?:ower|ess(?:equal|greater)?)|al(?:num|pha)|gr(?:eater(?:equal)?|aph)|xdigit|blank)|logb(?:f|l)?|max(?:div|abs))|di(?:v|fftime)|_Exit|unget(?:c|wc)|p(?:ow(?:f|l)?|ut(?:s|c(?:har)?|wc(?:har)?)|error|rintf)|e(?:rf(?:c(?:f|l)?|f|l)?|x(?:it|p(?:2(?:f|l)?|f|l|m1(?:f|l)?)?))|v(?:s(?:scanf|nprintf|canf|printf|w(?:scanf|printf))|printf|f(?:scanf|printf|w(?:scanf|printf))|w(?:scanf|printf)|a_(?:start|copy|end|arg))|qsort|f(?:s(?:canf|e(?:tpos|ek))|close|tell|open|dim(?:f|l)?|p(?:classify|ut(?:s|c|w(?:s|c))|rintf)|e(?:holdexcept|set(?:e(?:nv|xceptflag)|round)|clearexcept|testexcept|of|updateenv|r(?:aiseexcept|ror)|get(?:e(?:nv|xceptflag)|round))|flush|w(?:scanf|ide|printf|rite)|loor(?:f|l)?|abs(?:f|l)?|get(?:s|c|pos|w(?:s|c))|re(?:open|e|ad|xp(?:f|l)?)|m(?:in(?:f|l)?|od(?:f|l)?|a(?:f|l|x(?:f|l)?)?))|l(?:d(?:iv|exp(?:f|l)?)|o(?:ngjmp|cal(?:time|econv)|g(?:1(?:p(?:f|l)?|0(?:f|l)?)|2(?:f|l)?|f|l|b(?:f|l)?)?)|abs|l(?:div|abs|r(?:int(?:f|l)?|ound(?:f|l)?))|r(?:int(?:f|l)?|ound(?:f|l)?)|gamma(?:f|l)?)|w(?:scanf|c(?:s(?:s(?:tr|pn)|nc(?:py|at|mp)|c(?:spn|hr|oll|py|at|mp)|to(?:imax|d|u(?:l(?:l)?|max)|k|f|l(?:d|l)?|mbs)|pbrk|ftime|len|r(?:chr|tombs)|xfrm)|to(?:b|mb)|rtomb)|printf|mem(?:set|c(?:hr|py|mp)|move))|a(?:s(?:sert|ctime|in(?:h(?:f|l)?|f|l)?)|cos(?:h(?:f|l)?|f|l)?|t(?:o(?:i|f|l(?:l)?)|exit|an(?:h(?:f|l)?|2(?:f|l)?|f|l)?)|b(?:s|ort))|g(?:et(?:s|c(?:har)?|env|wc(?:har)?)|mtime)|r(?:int(?:f|l)?|ound(?:f|l)?|e(?:name|alloc|wind|m(?:ove|quo(?:f|l)?|ainder(?:f|l)?))|a(?:nd|ise))|b(?:search|towc)|m(?:odf(?:f|l)?|em(?:set|c(?:hr|py|mp)|move)|ktime|alloc|b(?:s(?:init|towcs|rtowcs)|towc|len|r(?:towc|len))))\\b",a=function(){var e=this.$keywords=this.createKeywordMapper({"keyword.control":"break|case|continue|default|do|else|for|goto|if|_Pragma|return|switch|while|catch|operator|try|throw|using","storage.type":"asm|__asm__|auto|bool|_Bool|char|_Complex|double|enum|float|_Imaginary|int|long|short|signed|struct|typedef|union|unsigned|void|class|wchar_t|template|char16_t|char32_t","storage.modifier":"const|extern|register|restrict|static|volatile|inline|private|protected|public|friend|explicit|virtual|export|mutable|typename|constexpr|new|delete|alignas|alignof|decltype|noexcept|thread_local","keyword.operator":"and|and_eq|bitand|bitor|compl|not|not_eq|or|or_eq|typeid|xor|xor_eq|const_cast|dynamic_cast|reinterpret_cast|static_cast|sizeof|namespace","variable.language":"this","constant.language":"NULL|true|false|TRUE|FALSE|nullptr"},"identifier"),t=/\\(?:['"?\\abfnrtv]|[0-7]{1,3}|x[a-fA-F\d]{2}|u[a-fA-F\d]{4}U[a-fA-F\d]{8}|.)/.source,n="%"+/(\d+\$)?/.source+/[#0\- +']*/.source+/[,;:_]?/.source+/((-?\d+)|\*(-?\d+\$)?)?/.source+/(\.((-?\d+)|\*(-?\d+\$)?)?)?/.source+/(hh|h|ll|l|j|t|z|q|L|vh|vl|v|hv|hl)?/.source+/(\[[^"\]]+\]|[diouxXDOUeEfFgGaACcSspn%])/.source;this.$rules={start:[{token:"comment",regex:"//$",next:"start"},{token:"comment",regex:"//",next:"singleLineComment"},r.getStartRule("doc-start"),{token:"comment",regex:"\\/\\*",next:"comment"},{token:"string",regex:"'(?:"+t+"|.)?'"},{token:"string.start",regex:'"',stateName:"qqstring",next:[{token:"string",regex:/\\\s*$/,next:"qqstring"},{token:"constant.language.escape",regex:t},{token:"constant.language.escape",regex:n},{token:"string.end",regex:'"|$',next:"start"},{defaultToken:"string"}]},{token:"string.start",regex:'R"\\(',stateName:"rawString",next:[{token:"string.end",regex:'\\)"',next:"start"},{defaultToken:"string"}]},{token:"constant.numeric",regex:"0[xX][0-9a-fA-F]+(L|l|UL|ul|u|U|F|f|ll|LL|ull|ULL)?\\b"},{token:"constant.numeric",regex:"[+-]?\\d+(?:(?:\\.\\d*)?(?:[eE][+-]?\\d+)?)?(L|l|UL|ul|u|U|F|f|ll|LL|ull|ULL)?\\b"},{token:"keyword",regex:"#\\s*(?:include|import|pragma|line|define|undef|version)\\b",next:"directive"},{token:"keyword",regex:"#\\s*(?:endif|if|ifdef|else|elif|ifndef)\\b"},{token:"support.function.C99.c",regex:o},{token:e,regex:"[a-zA-Z_$][a-zA-Z0-9_$]*"},{token:"keyword.operator",regex:/--|\+\+|<<=|>>=|>>>=|<>|&&|\|\||\?:|[*%\/+\-&\^|~!<>=]=?/},{token:"punctuation.operator",regex:"\\?|\\:|\\,|\\;|\\."},{token:"paren.lparen",regex:"[[({]"},{token:"paren.rparen",regex:"[\\])}]"},{token:"text",regex:"\\s+"}],comment:[{token:"comment",regex:"\\*\\/",next:"start"},{defaultToken:"comment"}],singleLineComment:[{token:"comment",regex:/\\$/,next:"singleLineComment"},{token:"comment",regex:/$/,next:"start"},{defaultToken:"comment"}],directive:[{token:"constant.other.multiline",regex:/\\/},{token:"constant.other.multiline",regex:/.*\\/},{token:"constant.other",regex:"\\s*<.+?>",next:"start"},{token:"constant.other",regex:'\\s*["](?:(?:\\\\.)|(?:[^"\\\\]))*?["]',next:"start"},{token:"constant.other",regex:"\\s*['](?:(?:\\\\.)|(?:[^'\\\\]))*?[']",next:"start"},{token:"constant.other",regex:/[^\\\/]+/,next:"start"}]},this.embedRules(r,"doc-",[r.getEndRule("start")]),this.normalizeRules()};i.inherits(a,s),t.c_cppHighlightRules=a}),ace.define("ace/mode/matching_brace_outdent",["require","exports","module","ace/range"],function(e,t,n){"use strict";var i=e("../range").Range,r=function(){};(function(){this.checkOutdent=function(e,t){return!!/^\s+$/.test(e)&&/^\s*\}/.test(t)},this.autoOutdent=function(e,t){var n=e.getLine(t).match(/^(\s*\})/);if(!n)return 0;var r=n[1].length,s=e.findMatchingBracket({row:t,column:r});if(!s||s.row==t)return 0;var o=this.$getIndent(e.getLine(s.row));e.replace(new i(t,0,t,r-1),o)},this.$getIndent=function(e){return e.match(/^\s*/)[0]}}).call(r.prototype),t.MatchingBraceOutdent=r}),ace.define("ace/mode/folding/cstyle",["require","exports","module","ace/lib/oop","ace/range","ace/mode/folding/fold_mode"],function(e,t,n){"use strict";var i=e("../../lib/oop"),r=e("../../range").Range,s=e("./fold_mode").FoldMode,o=t.FoldMode=function(e){e&&(this.foldingStartMarker=new RegExp(this.foldingStartMarker.source.replace(/\|[^|]*?$/,"|"+e.start)),this.foldingStopMarker=new RegExp(this.foldingStopMarker.source.replace(/\|[^|]*?$/,"|"+e.end)))};i.inherits(o,s),function(){this.foldingStartMarker=/([\{\[\(])[^\}\]\)]*$|^\s*(\/\*)/,this.foldingStopMarker=/^[^\[\{\(]*([\}\]\)])|^[\s\*]*(\*\/)/,this.singleLineBlockCommentRe=/^\s*(\/\*).*\*\/\s*$/,this.tripleStarBlockCommentRe=/^\s*(\/\*\*\*).*\*\/\s*$/,this.startRegionRe=/^\s*(\/\*|\/\/)#?region\b/,this._getFoldWidgetBase=this.getFoldWidget,this.getFoldWidget=function(e,t,n){var i=e.getLine(n);if(this.singleLineBlockCommentRe.test(i)&&!this.startRegionRe.test(i)&&!this.tripleStarBlockCommentRe.test(i))return"";var r=this._getFoldWidgetBase(e,t,n);return!r&&this.startRegionRe.test(i)?"start":r},this.getFoldWidgetRange=function(e,t,n,i){var r,s=e.getLine(n);if(this.startRegionRe.test(s))return this.getCommentRegionBlock(e,s,n);if(r=s.match(this.foldingStartMarker)){var o=r.index;if(r[1])return this.openingBracketBlock(e,r[1],n,o);var a=e.getCommentFoldRange(n,o+r[0].length,1);return a&&!a.isMultiLine()&&(i?a=this.getSectionRange(e,n):"all"!=t&&(a=null)),a}return"markbegin"!==t&&(r=s.match(this.foldingStopMarker))?(o=r.index+r[0].length,r[1]?this.closingBracketBlock(e,r[1],n,o):e.getCommentFoldRange(n,o,-1)):void 0},this.getSectionRange=function(e,t){for(var n=e.getLine(t),i=n.search(/\S/),s=t,o=n.length,a=t+=1,l=e.getLength();++tc)break;var u=this.getFoldWidgetRange(e,"all",t);if(u){if(u.start.row<=s)break;if(u.isMultiLine())t=u.end.row;else if(i==c)break}a=t}}return new r(s,o,a,e.getLine(a).length)},this.getCommentRegionBlock=function(e,t,n){for(var i=t.search(/\s*$/),s=e.getLength(),o=n,a=/^\s*(?:\/\*|\/\/|--)#?(end)?region\b/,l=1;++no)return new r(o,i,n,t.length)}}.call(o.prototype)}),ace.define("ace/mode/c_cpp",["require","exports","module","ace/lib/oop","ace/mode/text","ace/mode/c_cpp_highlight_rules","ace/mode/matching_brace_outdent","ace/range","ace/mode/behaviour/cstyle","ace/mode/folding/cstyle"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("./text").Mode,s=e("./c_cpp_highlight_rules").c_cppHighlightRules,o=e("./matching_brace_outdent").MatchingBraceOutdent,a=(e("../range").Range,e("./behaviour/cstyle").CstyleBehaviour),l=e("./folding/cstyle").FoldMode,c=function(){this.HighlightRules=s,this.$outdent=new o,this.$behaviour=new a,this.foldingRules=new l};i.inherits(c,r),function(){this.lineCommentStart="//",this.blockComment={start:"/*",end:"*/"},this.getNextLineIndent=function(e,t,n){var i=this.$getIndent(t),r=this.getTokenizer().getLineTokens(t,e),s=r.tokens,o=r.state;if(s.length&&"comment"==s[s.length-1].type)return i;if("start"==e)(a=t.match(/^.*[\{\(\[]\s*$/))&&(i+=n);else if("doc-start"==e){if("start"==o)return"";var a;(a=t.match(/^\s*(\/?)\*/))&&(a[1]&&(i+=" "),i+="* ")}return i},this.checkOutdent=function(e,t,n){return this.$outdent.checkOutdent(t,n)},this.autoOutdent=function(e,t,n){this.$outdent.autoOutdent(t,n)},this.$id="ace/mode/c_cpp"}.call(c.prototype),t.Mode=c}),ace.define("ace/mode/glsl_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/c_cpp_highlight_rules"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("./c_cpp_highlight_rules").c_cppHighlightRules,s=function(){var e=this.createKeywordMapper({"variable.language":"this",keyword:"layout|attribute|const|uniform|varying|break|continue|do|for|while|if|else|in|out|inout|float|int|void|bool|true|false|lowp|mediump|highp|precision|invariant|discard|return|mat2|mat3|mat4|vec2|vec3|vec4|ivec2|ivec3|ivec4|bvec2|bvec3|bvec4|sampler2D|samplerCube|struct","constant.language":"radians|degrees|sin|cos|tan|asin|acos|atan|pow|exp|log|exp2|log2|sqrt|inversesqrt|abs|sign|floor|ceil|fract|mod|min|max|clamp|mix|step|smoothstep|length|distance|dot|cross|normalize|faceforward|reflect|refract|matrixCompMult|lessThan|lessThanEqual|greaterThan|greaterThanEqual|equal|notEqual|any|all|not|dFdx|dFdy|fwidth|texture2D|texture2DProj|texture2DLod|texture2DProjLod|textureCube|textureCubeLod|gl_MaxVertexAttribs|gl_MaxVertexUniformVectors|gl_MaxVaryingVectors|gl_MaxVertexTextureImageUnits|gl_MaxCombinedTextureImageUnits|gl_MaxTextureImageUnits|gl_MaxFragmentUniformVectors|gl_MaxDrawBuffers|gl_DepthRangeParameters|gl_DepthRange|gl_Position|gl_PointSize|gl_FragCoord|gl_FrontFacing|gl_PointCoord|gl_FragColor|gl_FragData"},"identifier");this.$rules=(new r).$rules,this.$rules.start.forEach(function(t){"function"==typeof t.token&&(t.token=e)})};i.inherits(s,r),t.glslHighlightRules=s}),ace.define("ace/mode/glsl",["require","exports","module","ace/lib/oop","ace/mode/c_cpp","ace/mode/glsl_highlight_rules","ace/mode/matching_brace_outdent","ace/range","ace/mode/behaviour/cstyle","ace/mode/folding/cstyle"],function(e,t,n){"use strict";var i=e("../lib/oop"),r=e("./c_cpp").Mode,s=e("./glsl_highlight_rules").glslHighlightRules,o=e("./matching_brace_outdent").MatchingBraceOutdent,a=(e("../range").Range,e("./behaviour/cstyle").CstyleBehaviour),l=e("./folding/cstyle").FoldMode,c=function(){this.HighlightRules=s,this.$outdent=new o,this.$behaviour=new a,this.foldingRules=new l};i.inherits(c,r),function(){this.$id="ace/mode/glsl"}.call(c.prototype),t.Mode=c}),ace.require(["ace/mode/glsl"],function(t){e&&(e.exports=t)})},429(e,t,n){e=n.nmd(e),ace.define("ace/theme/monokai",["require","exports","module","ace/lib/dom"],function(e,t,n){t.isDark=!0,t.cssClass="ace-monokai",t.cssText=".ace-monokai .ace_gutter {background: #2F3129;color: #8F908A}.ace-monokai .ace_print-margin {width: 1px;background: #555651}.ace-monokai {background-color: #272822;color: #F8F8F2}.ace-monokai .ace_cursor {color: #F8F8F0}.ace-monokai .ace_marker-layer .ace_selection {background: #49483E}.ace-monokai.ace_multiselect .ace_selection.ace_start {box-shadow: 0 0 3px 0px #272822;}.ace-monokai .ace_marker-layer .ace_step {background: rgb(102, 82, 0)}.ace-monokai .ace_marker-layer .ace_bracket {margin: -1px 0 0 -1px;border: 1px solid #49483E}.ace-monokai .ace_marker-layer .ace_active-line {background: #202020}.ace-monokai .ace_gutter-active-line {background-color: #272727}.ace-monokai .ace_marker-layer .ace_selected-word {border: 1px solid #49483E}.ace-monokai .ace_invisible {color: #52524d}.ace-monokai .ace_entity.ace_name.ace_tag,.ace-monokai .ace_keyword,.ace-monokai .ace_meta.ace_tag,.ace-monokai .ace_storage {color: #F92672}.ace-monokai .ace_punctuation,.ace-monokai .ace_punctuation.ace_tag {color: #fff}.ace-monokai .ace_constant.ace_character,.ace-monokai .ace_constant.ace_language,.ace-monokai .ace_constant.ace_numeric,.ace-monokai .ace_constant.ace_other {color: #AE81FF}.ace-monokai .ace_invalid {color: #F8F8F0;background-color: #F92672}.ace-monokai .ace_invalid.ace_deprecated {color: #F8F8F0;background-color: #AE81FF}.ace-monokai .ace_support.ace_constant,.ace-monokai .ace_support.ace_function {color: #66D9EF}.ace-monokai .ace_fold {background-color: #A6E22E;border-color: #F8F8F2}.ace-monokai .ace_storage.ace_type,.ace-monokai .ace_support.ace_class,.ace-monokai .ace_support.ace_type {font-style: italic;color: #66D9EF}.ace-monokai .ace_entity.ace_name.ace_function,.ace-monokai .ace_entity.ace_other,.ace-monokai .ace_entity.ace_other.ace_attribute-name,.ace-monokai .ace_variable {color: #A6E22E}.ace-monokai .ace_variable.ace_parameter {font-style: italic;color: #FD971F}.ace-monokai .ace_string {color: #E6DB74}.ace-monokai .ace_comment {color: #75715E}.ace-monokai .ace_indent-guide {background: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAACCAYAAACZgbYnAAAAEklEQVQImWPQ0FD0ZXBzd/wPAAjVAoxeSgNeAAAAAElFTkSuQmCC) right repeat-y}",e("../lib/dom").importCssString(t.cssText,t.cssClass)}),ace.require(["ace/theme/monokai"],function(t){e&&(e.exports=t)})}},t={};function n(i){var r=t[i];if(void 0!==r)return r.exports;var s=t[i]={id:i,loaded:!1,exports:{}};return e[i](s,s.exports,n),s.loaded=!0,s.exports}return n.amdD=function(){throw new Error("define cannot be used indirect")},n.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return n.d(t,{a:t}),t},n.d=(e,t)=>{for(var i in t)n.o(t,i)&&!n.o(e,i)&&Object.defineProperty(e,i,{enumerable:!0,get:t[i]})},n.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),n.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),n.nc=void 0,n(832),n(49),n(429),n(583),n(180),n(517)})()); \ No newline at end of file diff --git a/safari-extension/spectorjs-128.png b/safari-extension/spectorjs-128.png new file mode 100644 index 0000000000000000000000000000000000000000..21d72d925cc82a87ff5433888d09fdf16c9e522e GIT binary patch literal 4795 zcmbW5^;;7TxWxwy7+r#lPARD`U1J;FA>Ak~$N&i?Mhv7&krXMFt|=fLlHv$OdN3Fu zNT(pM>-`VzbD!sY&Uwxc?;mj9BvWG@8cH@w002Ovr>klHFQfkf1(E&p>7PjCzaR=S z*MS4-F&x|f3eXc~1Oot?GN`UyN&j^UgsyE606^RSzYsAC>qi3sjHY^;FpDs!Jv)jp zX3N)*)@p2aS|*A<*4Jm?qi|hWnXE1xN@_nmM214ud9#s>B(BMqgG5D_`KTqJ@Ct7p zSN7n75KY^cJS|2Fb+ySnDy)pUAlsGjvmFd_NBo{ZjKJyPXy;YW0e-nX_&3&m>-wT7 z$X`oWWEB1jenhYXnb`nA0smhd&ec&x5mCNE{_~$#N`IO5^S|{`c)Sf;c{8K|!b#e; znSFZ=EBN6Nci+CZRe%~>!q@{tdFdt_}|mJf>2z4et)pbght|)ziz`V z6Eaxb>nQ2Y$)OEp&xVA9<5F~eTzFO3H@-k_l@aV(B?6`PdpF{H!JpH+)ZP9JCEkij zOO#gVaxYO@~X@Q+85fg49iLZ6tVZ2x7$(zd9ubk|By-8cz!7`#_ikOQF>zUX! z>JKa=3FaxUkb^$6K{g{x%z!#SsETd$D#_) zln3e5R^w^6;vHj#c-Z$nGkp9a!!#Kqk!wRZ%f&fw0zuA9KPcDg1;Cj)GAz`vV(Z?A z@(?ut^nssr_!-C-XTu^-X3!(=1P$FfA_=kq>4Rgec?|Ikx8qI~|rB z*79)04gV+Bz}Nd{cHL9T+CF3otYnoxxJ!8RegJ!`?4!0JXZ}|Wu0vm>Z?F;1fZK_o@7y7S1?+kt zWuukt*F2?AG=m}H@tt(fIFE@@Nz&ZSwEfSblazT~PDtX;S-B?CZVi&bN_lqJXDXlc zcA*TxtzmdkiPD4D_XP*azncuD-}8(RBfQ}@b#&Ac9E`VUjwF9$*Er{#V!Plg^Z;_z z=orb% zG!N!Nm$Utnx!)xya?JKIfKqRR@>zzTQ`TTj1m=}dD)?1rPc%(To7jM~zko*>{a$hl{yu1^7s5ZRCECtXy71%s zWY2f0&Nour(kB=Q`E#}61l7H@N=YEJ1%{11#Zj&rjDR|SLj)3GJUT9G?exS_4cd%6 zyB;g<7AdUyy1qIg9WSX{U!)Vf#W|gt3Qj4xOD#UURHorH2 zRs5sc;$$Ftha9+zbpch^fK1dFkRKzZK z{Q8l^4_jAYiMOjY63Rkd8pQ|NL2==xw~XJ#hijR>X~#Z!1y3J(T+u&wv07j~YwU0k zgVHL7jobV=m%$EyZ<+Ok zt1#|vD{dl;)s?k)J6&GK3<9*?MC;2$hYqX_wQUv|9!jk0jXXk#bRlHc!qM&W1)6{a z)UfyhfyS~Jf3%}x+2<_^3G4M;v~bzz|CHh!$dH_0T!==vVv|!Z5kd_Qo4NnkNdq0g zOR`gTRnL)cb6;l7*hvN1^gMc7tO%OHuUH7GHCRQ=ekc zWJp`-1OHk^_A4ad5hS*qV@B%z#-`i&i~F$!jSF84+P}-NPvD{RsniM!g0I6zV;E5uBTKZKgu!Cn*JeJ^%DC{Y^$(IF?5ts za=z%XscL+9&lk!K@gIt&9QzA}UEVW%#$|^1&GFEUjr+pbmau>~f5v&gs*?@h(pgw8 zb_IBQG;$89r2TN?O_pkFqhnN5rO?1MM;RC=TwY#}=QmUx6ul~F@n*axiK5J>8jWv! zym?DMR4IwK9TD?VAU2r2HXUg5CH5*PLH&$f5CApL=RM7(>eHJiJN==ZedK%GNYR!3 z!Vt*2vwBDIb}u34pzUTB!ox6t=6Kt*!t4jVcZ+ZzK1eeiZtSkw<|pA>n$alb4Z%6$ zp47*5-;&ZbELxa6oTI1YG}Ao?b}SN);EW7b>LOQ(@S%FEb*xD8?R134y7IV5cD*k? zP^LH8gCaIk+-X%+)Vf@eUa+5-q=a%1zxZtGR8|2<_>`Dsy1A)+J%s-L#YEFBM)owNV5VXxSc64?Qpq3lbPfMgk?DTi$lwx=5=J@3~ZD9C-wh7ki2)f+4fw8kcS}kJ5-yP0jqoXp!^FG#Na>PAAe8mYoJ@6=l07kY`F!+e_ps z(MGG+FD-#RlmKpsHK3Vl^R-jv6PHao)CEaBY9&AEj;U0~l_+*`W;eBq2;WfowO4S9 zS1=RGgrPB%O#%260;hG1_$I#n(y2Sbj3?NKXPy5-yFH%8IL|-j`8oa5J%5At(?j;P zfP2;07(Y>$O6MdLoRF@q$u6*?{`%FivfB*VQ%68e)Qi>@*k!nVcycSRZKo+@c&)G4 zmP>kue~_lzSc3M{kI_t&tYePPLg1kTB)uUn#{1>7Psis>_A=YfNkm+K8)rXsv74&U z<)V50AL^NCc0M68{}_!k(u!l?crq8wu?Q|oyBl|Z&x{qY_7twZVl5G*wJJ@|947YuJB5 z95LfdZ>yMg~j5hkr~#NF=!7hz$CPjTqF!wj+-(Eu&ras{jP;P&=l)#x{k|C9yL$f zMzJ&(Yn<(#T?XhQ>$a_?+fb3@Jeq?E&#a zd2>=axkxY1@w{>rq&BnNY#O$`M#eL8tpHxL>{O-}Um22Nm%_N5qQ}aU z(()$W9_>D|aVuO^+H`eiX>cA=>2HrdpOd*B2z4jUDA2}7sx2l_e67i&8KdAXO8|>P zwAY3w0*Rlq^k4i@<&wxR(UIAv!pm_`PV@F5r#dRgLC`tbP4UD`Q_hY@q;KfRE(@=;-TNM)gsq9=vC(QKvD!JSOnucK9XRNkYG%r{AwHLt zFVeIOyh)X+EbM7@ro#DeGkYQ7uylH65tE!8mzA$8T);rmzU0?J6}aW!ji1Msv4@KP z-RaEeWKl_d9aa~VcO%V85Z<&Z>fnn@8*q|f;NtlwF9e2&{%hE{2t5RI!!>cgZ?3b| zQ{(t&ni?5$c7+ayz9kuf7$|*)UbmJ96<-*IrKe&1@@1EbCrr9wH?3YltQ$LzuR|I% zqC0u3BD->Of@mDKPWF{e%gcp*T+}Ih_B_Mb9Iwn$0Kd=?!^X-dI32uqZxG1nuU!i0 zZNW!nPe&tSseMkR?9K$oGd9}741kjYwZCWvgFtl2_R&7tKE-#cAcoe`ywliREduMr zJ$^v#Q$(Ux-M%?>lIuC+F4#NVpT}?|gGP|l_np{cVpsnxO@PCTC?_iP8)gez`DEHI zxD^rqeJ&5~kf3G`Czk9-g`Z4cS>MD%J2!JMm*iqEdlpYdd4vKw*A$UB5)P8H2xGIf z9PT2fxb@PP6RHseiZ4N1sxe!eu;J^};n3HZdp^;C)E=W}`ZbCn*R9y<>f8!f;JSs; zoXW>?7P@7f^Ym_CbtquAiOJ&Qm5D`gyrIkWAN; zi-xJf0}Fi+iG7D}_|wy#3#VIhfln+^yI%4{#3M+7x(+9^(Up=tJ2(8xNGplIDF^BC zHAJ~a0J4@eVinTZj-G4GeFwAa2Ot;Rj#haH5z8&1pAVWi@P9`)?iZ5C6srZ^A|{Xf Q_izH}X&GzQ!(C$k2O60V=l}o! literal 0 HcmV?d00001 diff --git a/safari-extension/spectorjs-128128.png b/safari-extension/spectorjs-128128.png new file mode 100644 index 0000000000000000000000000000000000000000..45243334529cf29370f80231a26a626715d74a15 GIT binary patch literal 4290 zcmaJ_Wmppq6CXHIC!?H%j7C~YM>h=o)6GZ;0R`!SboU4m1RM$sNof=$l#rC}4u>E$ zdc=U2|NFe3-w$`c=f2(j?w)(@cX7Jf>L5x+N&o-=(txYz-(cv!MoxO;JLGKpZ-B^4 zUtI}MG06P)CICKH)KUZhs*`UMY)Nin3U|1f7XWa#{a+)Zf2bJ>0Dw(2R1^*Utai{8 z-iAim-PgF5*|IcEz5w#FkD&wX#l?vY;$%_28*b*QsdfP`>)t9lP;&yoV0fr++ZPXa z#f##FFF6Wm(wk+i(^o|Ho1g(z-hni8@_MkSw)Uw)HzUc{iNM)7g2e%*`xBzip(by8Fa zpU%&wzmK|I{byTncD40I0>n_F@LhwMzw6-`md*|N^i5Ms=30CLhv>QgVjRlcCmoYCI&YTW?U zs6Jq4Zc%wJ$L`W!eT;8pPQ-u)nDn~zc~yB&R;{noL42P^u=}X*^>61)CnVH_q?sCt0qtbqn|IQ&KB7J=0***94%Rlr_L#{I*|QE9Tq{27;R~7Kl+3XTO_D z*S4+ePh!nI1vt86RLE_ArV(Qz0T$2}E~=%w$*}DgD&LWOD*N%~8_%jTUYhb~D^H^F zVI$p~@qyYXF6{KvNLIcKPVT=X!_Bs~t;37PLf&77GW-@XH+2+DvoMVroN|RdiELTN?{o94i;! zto)+BAZZ}|?C90C*=gq}hS6A?k?3K^*CNziZqWCPbf2*bzta=;D(>4gxZL>irV#Q; zC*#j15YGqh*DFuAspONov&$5}~UpiM}jObl`w0!CgZcB+?` zHcs`lSnTe2R%Ql-$bfGJdtW&)Nu9hT*|#Y@M%)a2jhQ4O7Cf0DFh5+LO{=CvqOj?2 ziTO*oR4Te4;l1CWCV^*3^Zt85r5F7QG?k>EWCGDxriKyd=jWElc#Vv<3T?e#H*xb+ zY9dB)==PcZmQu-GP8EPF&egshB=MDRS8lnfmS?QaGOwEchm-^9uiv|*1tX=CW#nhO zD~C(PY}>I1jTetNWwMgpCH#NXH^* zl{++h>WOEu{MDT;FQGT>Y&kBw5{WW_7cETmNS*l-mzML$t)cd6e~@3Ma{UoYTCI1y z;~Z0J`Do#kkTp~0NawqxVjoqws1wtmx6EJ9gU5RDVY}nbv*9!Sx_j7~hR3am6*!5W z>lya@6%W|(HWRPcdQv;a*c>F@9}ap+_;eN-vUO?!L}i5Y2iQKgWh2#trdTtChRJEJGH0Ds-LU}y+XRX zu7W{r>>uO1dG2`Oj1h(upKdDM8my82n2wPg4`buF_);K5v(Gxr=O99s@p&w{z_u$h zV-6>f5NBqb0wz+~_a_k-C%Ox{edW0Yi%pQY3yoNPKGpWv?n{j>$4m-Yj^`)2#Aocl z!|6F;>CuO2FMRxA;}QV$17eTs>ay_Hno1sZq&y~cVw(k^NBc0MTB8=xLJZ8 z>^YbBC283tRuy3yPcR$G+bb~|rfS%g-nDRB*M=s1<0jQE0_edB_O|UL;HczSCs!_( zw!wC&eOq?zTZ)|3gUq)h&8D2@9ueZ-Y&Ra#2^K3YDtrA{yT^Lpab#S{A~+!y4)b@6 zd$U_XddoAIRq-9c;2qD^yK%fo4iQTFKuT%M_031L99hz5mFX)if+Zz=K@%0{_JK;` zIjR6XK9lC>k4E1m1P`6YAIXU077H4#A9~`DgdwZ#58uH>OMXl%C%J;VZ#h%by>>bg zXdd~6KBN}Cz8XLe8=YzSVj$~HJnOe_Gc-d5YYE?TSARvZbG6hFO$WNGuXZ@_#QV=^k+t4l$9 z6BA`T-?*nIqc^SH+S}IomZiM0`5I1~%&(JTdD-XeC;Wdj%9G z#RGAhQ&!zm2^l|p_J-+AsBwjVbl;33l%njV%P8d$jwcTr>voJE43UL_6i zt&`oUsWsz5!qrE$0p?{ST!oBWgZ)A+U!5eWRnOSZk8JaXP;;~h4~`w+N2nN0_6HgA z5=gSk<*mlEN7^|=ho=Zb<@1zawouzPJX7LwGE^0N(wp*+*=8L74;!Fc4p2r0a$k;= zlTB9#L*<+U)MONF=WtVVKObuAr%E}ouO&yNhkHiI%TS#b1;m2&@iUPXa0HPGwbs2z z?tk=T!dd0bCyhi+W}&}s$&&@|rL3Nhq3a+w{lEg-c(22UWvLYEEbZ-j%9$VGwaFZR zMUOwo!%#4A07x>hWD(J9FxPwRU$rASn|#qM_mPmjohA4{*Kp!Xm`ZRi< zQ{Hb?DID1y1fZbLf~!%o#-}?(+4CF9J8*08hoT-dQCE~0$QKH&bUDK0&u($biAaZf ztBz8#S|F&_b8sD(7p~yhg;EJ0aI;)pP~C%LCaVaXU%iW#T$&URPR(+48M88ddapU4 zHInY1D;{?&Zhn8wq!@7_I*SasyU!;Z%)+nFP6iGN_TDClF;})mEswl8XcgVe;#5il z!~7XR!rxIDOTj=n)n;Q&uCV3~iYYQ^d;QuHwKM!wuK!xSbCL2QgKGG+>??J-WMwRy z5uBIkVJuB}(cnkdv8KJi1Kv(l_dy)Q@ zI}qbuP>xqwzQA4H5OS+k7_UUxjY}15%#+5ms8~*@HOMW1M8E||xab{N!3uv;FWuKn z{Vt#8!;M*=?7>%q+7tmYM$JP{EF`*tuFljoxE7{!Tjg)EiTuI`kFo{&hIVOW5D8yC zOM_tsv<4oDOvmS*7$1!*S8#FEOrt)-C@3BLI)S2v49$$ z5NP&lg*9-3mS}I#7ltHIpf9NSvVzNR4%N!VjHX^)!=r>8D|09wPs5`E&^s9j`l2(u zV*0>0z)@2MTKoAoLkmj=qPsnC%CG9rQ=K(mbpSiB>_W&H&F+G=!ro7}C1~_-VA4$U zgsFb>ug5Of61HU7?37<3dBiD_SEFiOh=8jM1v>*S9Da$d_oBFqTxcr3JdW0eSvvkm zT)RHF-+@FyQwz6Z=k7Ka=l-?2tx)Jgb*tiW z{}(QwQmd-e$U9GtMZUEb_T(M}ZIDtKCP5m~0ZKj~cee$KkmJAacJ+D~?)ahwk)KQI zj?f}+g>RIAk_ID@iey#sJfl<15U6S4b|+lGn)PSfqi6Ru=y1fDA-1)DuZ00^V?qM{o}MQEMilb{W+xXbhQHf^De0Eg z0a5Q2sSYC%wps4CO$!vM0dW2Gvn>;+rFt@ggD>?KuV?SmRe})BdZuX%NLI>Q+q0Q( z7pI|llhn6Q@gVUz+?{CzABPpL!8F4%TP9}}bTl*L?z$AE`$qPY1G?*_R7rm??-M-k z`tQcu{xsj~2FyK$bme{%hCrWVF%45wje`i$iTMEgDPgEc;$gYf`uO^viYIT6XJkHk z`slX`o!~Sm{$-#_MtFGMg2e?XuhG|qF>hD)OeFuikIU)PG+8)J@ZqgZVJif(9uCam zL@PSfD>!WP;_zi=2c3mh>8EZ5ok6Nwy zkv!od`;B=^jb`1Np{aGWAlo1<9iot42@&Momk>9Ml+Eqtv})k1q7jyT|1M-Tt-yQ0G(6{vSlv7T?{2 zH?;`X;dM0sCC!CcYrsHR2tpkmQtZ;o4vWasd)04g%g28)0D58E<(mE2>Sq1tgW2pa zHa9;|HqAoP2&^U&$lJyR`>8d%K6cK%=SIcAp0l>T*dpa% zyEBImm(NU%#~sbSFu~29GfC7)>5bLxv+t0ARkM8MOvDD4=9_aPqbMN!Od1{61G=WB zwgSA1lAC9R&a~^o>RsfleNzeib!_T$M<2(ybfl?LT;E$QmDbLb){uhyyvE}lG(@zR zghjOhdUpjaQ^(8Px#1ZP1_K>z@;j|==^1poj532;bRa{vGi!2kdb!2!6DYwZ940}V+;K~y+Tg_K)J z6j2z*|7T`5TQ6&E%T}=MR#cKf4;2+iL}3(mBQh$e$Sy>oS!h?#5X*>yC?6{DAu56* zf-VpCUAfb$3(i2Qz2B%lyxoIp22({)79-&Y6nj z-$PC5SErU#wQ=`|j4DR&ZW3KJff5i>Oh8j8;1k9sm)b7gy-Wy^d0GM^inSeByA=vO z%|xcFHqnoPart@}S8W1GGJKR}`J`U2f2<|PF(k%jCLI-p3#InfN@gq|gvHn`WnLCc zTMj@-HS$bAQDk|r;Z^O=`!`Cg6;<_2guTwioQ1g=Bpl2qlTJdbQAt}FH{9ToA8PtCSSEz-uWV^3C@;4?vGxQuTbbo(pa{V{g`z4>@Xn} zae@V7Y%{e_r!rDJ9u$9Z46IaRnwX*hUax}oE*%VoXOOluhebp+q|x*8HGg8CBI=Nq zy#Xl)%hCP~=;&SnG$1Ms=NqHccyK9pDBZP79K+FS?*1L*E@ zv#k{ok@$<81hFUqzYosVCe#-kg3rlHi&A($HQ{|}8M-^&2n7duW+Ees#UrqcbR*Hm z|MAb1ajY8bQvi#Z!e#~1Qh8t${wbE4w*!LJ#K|^8gWqy-|Kd}jXe)K=DgZtbi z?unrl)2`VWpCRZXRFSi2Bq9WxS`ch(f;fI0bQUv2R$J;d@TLKs*RHeiJ)2mq3lf4r zj)wHOb=%Px#1ZP1_K>z@;j|==^1poj532;bRa{vGi!2kdb!2!6DYwZ94253n{K~z{r#h3|f z6jdC?zc({`beA40EK-W)tVdOdLPSi#Xaxidf`SADQUY?R7>`IuH03bSNC*lD5fD6x zD4-_9&~kWi2!a|p3KUvfdThHbrQ1T=-JRLp@jtr{?XbJ;_Avg^$@G2m=FRv1?_P8j zRVx?YTk__tdw8%0q6GBB+;C6?VoDGIR?} zGI*H5aInvsuctA_Jano2QB1VU*k8-$-Yz!Py$nTJLQ#t6vJNr?Q~$e=GiasxDOWjAQ1Aw zOs2Cc6SfKrTT|EWaR)_?&RFS^XEv*{=RT50a48J)Jr5v0V=UqZKTI7xYRl@V+qn_$ zg46KTM43Gpa+%S5q3?&^yulUdn&|2719vI`X@E5@EV4loGAH4-X$xVbNHIa+YTFq5 z4uUFs;VnAP6+PAUrnH(WZ{lZ#g&Vm9UFnK1AT+pqsH!!ON!C(~C28VG<#7E$I9aJ|k8>V7&RR=e@Kg0gZIu11=Z zCeA|2JD)&Iyp3GOJiCNL?^=dDjFgpIAZCn1T|Gm2g&$sTbSF9Q*QcWX5bXl~?em|Dq@gRj?FIjSbp-#?|P=)PuEx{C*#bE}es;qL{+(34XkA z%QjqGyAGbKwOS^qem~@EbvQ9^Aqv)i1b20HFiMW{VpP(50X|K{LQKY5(%`y=;=+8K zeC0Ki?)jFh;Z%H|i!-a&pvrM281?qjZetp;G=+wiFV?)b(jjC21!P}0Q8g9hy)538lRKXV}Km`KUj99HlE)!(DtOVzh4U{JJ4Edr(@w zU@+FGfxvJs>F}Jt1i9!66h{?IX#;3$tsjv_qyFqGS5@Qcp1pA89YWKYe6EJW4AN57 zr*8YA_;LxC^e#1i&&skiB_u7D>*{k5P$O?wY4#N3yCG@H1enrkL~^X%68L|iDAnxP z4S!Qp)c!<Fmel zc44yH9fHR*DJ5%ce*Zah!neY=5RbTlR>Qmbjp~<;mMPeJ&oQ}fw3PbSw;nBTN2{VJ+ept pTg3myv56Do_m3WJ<;hM0{0->$Tp%{4h06c{002ovPDHLkV1i-HMU4Oe literal 0 HcmV?d00001 diff --git a/safari-extension/spectorjs-48.png b/safari-extension/spectorjs-48.png new file mode 100644 index 0000000000000000000000000000000000000000..fef2aef22d4910b495680620514aa263c7ca6f9a GIT binary patch literal 1368 zcmV-e1*iInP)Px#1ZP1_K>z@;j|==^1poj532;bRa{vGi!2kdb!2!6DYwZ941no&gK~!i%?U@fu zTSXklucZ|z(gDlp?0~WnO%^p#6P8W-G_ZO$wc+K!MT{hkeL`ACR;Km zhB2oY5_DOdY~toN4Vt)V1dR-`m49VGo8TB_(9)*u^WE_)Y5QLL?)6<~miS2;?tAa? z?)UBe?%v&1#c>?Et-%I@KP(xkEwxP{^w;WnG)6xDlNJ8?1 zD?c-Af9EBTF(ZhVwSl41!l>P-UtMg>C@!&qlug_WNCh5FZo}!A8e(q1TDAEsH|;0@ zDaoQ&_afc>4}(IN`S$LEG8N1WjMeXY#M5{A5=cq3OLCEM&mm9(^7(duhH_Mx7?7JT zrcX{mDLQ=Hl8q}eFjP_OLmsypq$D{XpF}Ek0w`)YK8A>G#ALvBu==9Aw{rzZNir+y zQ1bGJK*`5iR)jQ*vnI1@KTU_Kd1M*5e!Ma7=DBbBKuV%nXh2KeYXT*oYn2<3-#HCx z4&92UU&!26*#eT@fUG>{|HpK=4TO9qzimd2_Eu2h=!-UKGm5r&B@GPkTyN*xE(1tO zvOZ`=33@?KQ-jlm7FA-BE9by*9Y}&;uw3nR83so002P_kr_5w_Q4%}`KOh{?H12T%&)KP2nigQFFf}=C?P(d zj|4vDn1C93WE%+3f3=$!3C8|Y2MKn@%I91d{#iG<*8h1k)Xaecm(#1^#B3k{HgTn= ziv-vG{)bQ-nZcG;a<6T4NOro2q1XV%=kr2|9*@TjC1o%%@L%%3foSApt5L2gzTZ(? zo}R+5K<-|KP@>k4vrqZTVkIsH z2z;=lH*nxd;u|9tP#dsSORsZSVco~48YR>QIF}2JRlSR*+kb=__PBa2$WmH~Jfrl7 z*RoS+>U;+=g1kPcVFM0)={s0Hh*POs0v)8V^&f1Q{9#aNb<(^}F4& ze}*Bb)m*{%ZL;1);ql6Tk%jY2+X+p!*{lUgO=kY%Npgc1LvarT)46-k*6W>J$3Tjb zn7QbU{4b9k04W>hDI~^)wd+THPNxwhL8Z}5uKMnzvL6$8Zi#^afoYeY&zU_`(!lKn aLjMB4_#ZaS{~dS$0000b3LAsGtYLSqVkW`S8?v90x zFVA{?{)O)k@4c?MX3p6;duHyLx$npQxMwz6TT_Xch>i#V0Ady8XSx7@bz8&&2=H#R zv%snA+YHA^PD2g=J|)~i+Th+^GubKYY5+hm2LM1L0pPDH&@BM)7XW}AYXFeU1c3YA zxve@WaSl++OxP2QZK5{qKmt&U|suQ zgQGW1#mVN=D5JwYgO#BoLPjsql`+qmz42T<1hVlz+c5e@_9dTF2NUN43G-XG*@?;) zFV2c{Ql*>@+s=lhv5*cnj=_&Lb{{wj$`X%bwZ#f;!>_c=R_5at+XL$i$Iz$i*M-vH~St>oVZxGT9!%LMce;)@Edr|8_R?wD0`T31CgF{oen9cB1Cb1)Z~@Naw~ zQA{o=!`3k9-m`%-qCLUy88=Yv1nV6LQ8C5+B(zE{x#IFi|Kt63AbRyvM3YdDlwIxcLhm~aNa9EtY;JX zL^#s!nT*%a#WaE!bl1e>{Qmj={Oa0LCHGepz&C1k$nO6))`(DII07qDGrmdawh`8_ zRVMEZBR^F%oE@xl$@bBktD5CJd^FD$@Q}1G|tZC`nDVW;fJ^N(4@=nE9mWjIpm;`4Q8l8PcQ4N}u1du3^ zf80KNlw?=2HD8fw!{Ix_gWjdw5+MBje_drvf~wDgvl=yEm?ih60neqyue*@s_k0@H zA*Z&&yACMrnZi~+ej|e`n1Y@aiH2|yEg+*I|5n&Kw~!$8;p7^on|*ngW0)l7WA3KP z&o7s#*9h0vvKq^U3h;cViEmz^I0#JpIlScnBJAlELf3X_<* z5HoIrt5nbM*Y$+F4mzZ^772-Gt3@?F=vWCYLAR+b*ta52Z7i~#+{z{WX`)J_`vyr4 z8p3@~kCrnkSB=*TcW!!u`b4vj5SyS%pl!bIFE#{JbK90%fH2sgu(-$6xz%&fz35zV0Z-WSVvTs8AkYo-tVtb zH=)h z4*v4Hi_J0z%;? zk3&HzFvV_x?UY-XV0aYr0QVgw85Mv2Biq{9L!(~m{0M9RVnWP$Y>Vk2Ilb1u6YQ9v z9Yxf2@H$gJ@MPqE;OU!G=J4RmOMHL#w}IzzWzz|Ss90U=2#E7$0(McjYTpu$n5uk^ z9f37RACD{p@5S~#2IqS@;uVwL1Bl?&=upu)dVzt>bHkJeB;MFGwl(m`x}|5%UfP6=lW|%k z5fc3zQyT_fz!l42;`S$h9t;#X-w~n6f426iyq^Y}=oMb^y;*q7XDpMvb7!4QLuS~U z6(&vmb9Zq%7x5Jq^EN}D__=C8i*;}JAD?j9|K8^#A}C?_kJfw1dG6g?oi=v&gqj8~ zCxfJIBH>n?4%J;UtQV$=peyW+!5q-rE5R9HMobsWv>$AXmN6nuY=XY_VWMoiC-`bf zQP5bY7APV9LTIRh5OATMOgv}2s6T7@Wq%^@{xpc-)Ftq8f#r9rqW9NtRX`2F)=JRd zi$*+RR%5xF7qBRT^TV%LEMj|PSg$QU-oda<`RMmu=QS$J6x=L6ZNwyaAJ7~6f5x(x zz^rp&Pfdvqkjg>QZI^P9uwzQ~U$US?e5R&wQTn^(qgEw$%OA@XqN!|5qwL>!ModZ$ zlIX}EkUP|Ik!%L6=8JbJE!)V@ND<7|@_)v0`m{CzQX~5y@sF|IW%WL$g0fdGuA{_v zNp*{4ERf``8|SJsy$0Qv7LFMKSu}f`cfAkc&-4H}2;~ZYiGJUDuhM<=dbDNk;~YX~ zd~FKZu9&VM7xH{Jrjff<#b(S4*f|Qecmn3K=3^7?d;y?2Vj_;;WFOq@0(}TWN&f?+ zwaUxYIzX>Y_jsqCJD_}SSHkWhJ!lE6f-eFnn7**ebQ`Hu?vTKq&$r z;w;kPF0(rCpKaL~Inc_5`??~e=QeL<#$aE=$hufJLZ;@TL{=`zhN_vu)gOSH1JCX< zSa}WaOH93IdfjP`UB0l2#pDDpaTNJ_%@oH)zvCgBD%b4fhpXPb&?Xpq^!3M=uy6lz z4qdw(-Yb;Qjc>$R<87(vJ~U)d>BaBEO%qbJn;`)tcmXf31 z>g>|NR>r8r&(^z?J`&P50152z~-Oy1rCLgoaL zdCpOw6oSqS4{RJ1^Bd_=fHQ9;G<~6{!`F%1D{--m>8fOV$TwI^2<}oR0!p>Eo{jfR zEcK6AcR8Gf&z-#udO}0yFQ7mh?U4LUQKvUeigbruxfbBYEs^2Mu#`V;k7arw_3zx0 zp!lp!B>UNi6>+^=dx{h&xp4tMe2ZGN{Sm^c<`xMNe-trB6`m)qQxRcDyrOaE ziuP4arTFt+MYXHLp(Y!19Ig1Ty;#N>jp}-%15{l=9v9&U;IEzIwbN-Qr>T}_4(i0d$gjmIk ztX|D*E%M<&$eA=vKk{Vk#9qo#8OX+dTiE2jpJ!Fn!K^^OahLhG)SC8#d%IC8$>SOV zdxEGDp~Gxk8vTK4fFBiz1pZkBf!tX4pMwbIBYvVA9xVh1=u-#IMB%hSI!rPez(u;9 zDodgAhhixuRgmaBh`bwwRAR257Lu1Q9To~y?ZkTb(p`eX~ltQKLYOV zZ~dfn+Q6P~c~vm4Nrio%6LeuE>a8$p)sQpSQ5~ESDQ|r!TLk6qL$^aXxIw`rlj}tu z7AZi(hySRvTY z@Xs4@Go7Q2$=C|7K)D%Py+GR;y+Mr_fBUU<`E>ev?2(EiKPNYqE|%{%%5IQA5{30* z26jFrAc6O1%F6>oe!xyd*jHfk>hZ8j47By$j)e0Glbr0)zi-^sTJGio#H^1|D-V*M zDwADt|F{t9^|BNbT|`H0NuD5QDU0uN&5;=R8C;KqEWaztKGcGV|Fnnu+KZ!sBp--6 z$e0JTgT>_r&Bgk~P0U^LYUXU*|FAH$`PHkej}v(0u5aM8Xf2F4Qu*KEC&co~#qyRn z7w#H6UJ0tvV)1w$hXYK@(~$%#%Z zub}H3M?bi?HkV!^6pqx!CrkMUI0bRp<0JMv$J#%uax&Lucm7nn8a8DvmMxyKKc%@d zWzRGmfdr+Rb$|5c2$;@u3X3iS1F-6e&>^gKj(f$GnzA$3?k{J_T^i{qXoeD zu|8@2X{}{O1d9ok();Ml@uZQgrc2(c+PPbq4{mG8hndVP4dgVy)^!0qW}Oj6_O5KK zA{?pt-h5wwBH22SH?&zA^el!Zo$a^_s>C9tU#)9wad8S`I5fj|c9h`3-8ZhrR;~DCyZC~? z2ZuAhvLLEf2dXc$#3BC2DO6SqXtIkz9+@zXGnZ4VEV2NyQgneL#w`td-z_aPPpy2| zL++K8ycL#Z3T0+MW@-^mnG&=W-&ZG=k}K-#jrvd%_$}y=g#iCwRdN*bS0iPcF!cDV z?ws~C)BPr4##K`4*G4{n%%W9_or5b2D!|=5@CvywvgyzBvxm%8oC6*blRwVKsz7=D znBmn=bW-wWmT2-T-pcgJF)&*oa`Uj$>x+lNQR$(%Clw%p{RgM)oSOPdMGYzfa>1`y zQ6tn2DkeiRr{KU_K{D3Ky7}hAzU0U@hnfH5_^Z$_yaV_Oqlz>43}h4hipnk!*v&M z*8N=r_b2zRD4zeeP|^t`J(Vd47oC8)-q=LSeot(nAu^uFLk8h;Rg?*DN8UZNTeuPF z8k6n0TOH}{k6qbCCmQzVijyYM78qECY;#(V;ATUDC-A1xeR+T8LpgsI<8VDYvfwbm z7vcX}Yd)MkE69`2`9J9KY&lLB=xnd2H`-+Eb+Mecmh1@1O1F{eJxSnteG0wMT&6xcNbku}avoLXXy_Eks{43!dgm4I&b?tMV0*0Og+Hvrl4=827 ziPbr|kR-#;YJ%FtRvI{YU#z;V#+3V=cP^Y}{^wmxQUn%K0t?S``N;|ckJB8~cV0a? zjTGn<^+84NGv?eQ*G8eJ&hQ6$jo@~2;XhS`uD&O0a*T!Jo+srSRl`aEe~cRy5aV>a zsxBbjlAR43>{n@QXT`t(zU&O}SPe8T!-tIcFCsD;-<41SC|g3lgs~n9HXa)NLfH!t zcPM^on@H`jtQz|9v4WGkAhdj&HB2G?bH*TiHw%JC$+lc9DDc?raA(x%)OW{h=IrTa zCzpflYfzq*uFaWx5#`p0VnCU>>(>v;2$QRRjMu$zjFHMIBPKy|Z^^AYZb^XPV?Q1= z;a`~t5@LbhVlgp0ZO@$VZbMoyKu>V?!5H6kO&CbVZ7zzJU-%iFjjD z!Db+7vf=_J=lVwGHSXg#7@hcX(K!rS=Bry>3Xe05^iAz&!Y2-7v@q8A<9#k z>+`{tC5hN!D65H3F@99v<08S!_||y;vQo(1zzi1l%~)xJv5U_zSGd5A^A!A#OL;Uy z9=K1`b#c)g{XO9pl3#$eHCi5MMZKFT8qGF&z!!tKc_-|4sx;%Ndt;?AQ?tA!=4d;x zl$hPHR7qs{kl&-*6**wBdlAJWzl45LN4kJsTP}527ecu$GjikUlGzg`KK^r86wu^& z0e3~Y66LQKet400DR1C{vT=^-afCc)gPIb7G;j(PuL7HhFe_k@m0^Cfuken2BEb7U zD0NEM?upBU-dIgot>%Zb4K1zvRYC%eMjAVRYvt(ZRGL|tk5u$2X{Z}+FM-`FWEtDN zo6385bcuOoX=eNoJ%2RnU`A=}1Q3a<^0)l_;gk^+C}jCQ@17TWk!rYl9u|z1sR(o^ zszR#(N5VjvHO9{dO^__KSY{E9@>PO5;X9uMWSwOyX^Qf4VQcWfg^A?|NjQ9qs&5JM z>vzYC(z!NY+(+Wt0-qNCH_e^M1FMOkD#Z&6Ym&C7^JtX2*N3>b1^I7ts)SpY#CxxG ze?@|03R)v+QmCLw5G*_3i9TE~PPms}Ri2T%G!s)14wKn-jtt!Wkq~VacD;QHvqCG< zBb64>Q`Ze@hsJzPvL<(m*d8DVw{~i40KZFSTv-kXH{g1jL1q2=w1@e7*|}S*krecCh*%V-P}g@g=5V?4_ZZ{zs*;NP;LXkPu>)04=35>7r*46Iv!P@M7ljx<_Q=Cm{*^ zX(h{5(7*0}sqAu6okUby@eG5Phm{s*z{MZ$0BT05E0!>UVSLmN)wxQio&M%zp#iP3 zoaPSj#1bqVEu`jMRm^9_*J=M&Dowcwyx)GlJ}cR@Z8l=rbhG{}A2#zPfjrY+_UX%% z(Nj9zYB`Lua^M^?+RNNzF;($y!|S4KhKoOEbz>rB@6yOf8ESstcsfyEkUB{R6NFoa zehBqhHI-PP5eYHk7&+fJ6DNMK;y$(y`IjY8;$)&l2)z;C^+J5%0c>(|+QLNdbhHfy z*zlVyJ#?CGBkk`g$}mtAEK4>W^`u@;h~aB8y>q3IMR(`owBGvz(Zu&NYrS|^8q?Q3>ano7Oq9whHsCu@=y03Ai2I`szPo2_A0z&OPwqb#pPx=~- z9y?;6d~~U>@vnm?r?0!~%>I(%jjayWC2eU=uFsu1ozL+l@GI>)4KfWkyfvna-dOy+ z3Ztf7GVz<->nq7%DIa9?S;e~IT%OiMTzL5ADwP`0jtP>>|hA= zU1l*?H8?vQ6V0i3VxCv7v@^8$^Ql6H#Q}`!1ltQjZhg$882?zaC7b`ay0wa;(E`86hJ9Zo6g9 zy*MH=k{O*ITQg=@iIrQv%xq57p1l|Nh%xQ>)b4aH;e$ngY!PA=&v*Z$+#k)nQ4LW3 z25nCsuS7GdNkFOfi9aOqNeZGJVUV7hqCJpRT>ycg+zwP09!<5zrO*u7|R3{&oEXl0l(@} z5)Ef?afy+Ye)@ho0Is$3OU`}cv|aKyJ=GF=@@D;YNacvF46E$8qwtcKt&Wts{0NQe zvCWTKNEG+#%171B*sAO>frUri#B?T}wuEHKDg0Bh!|Ne`$H@2yKx^NQYnxO+G2x8| zKA;d}^TpK@OD}i=d837-%u;no7IJIu0VVhul-0sLPiojxn0YJyqM&m2M?2ri^ru5n zgPx6@!IP|!%!T-&fv-xZl4!;4-agC5Q_^3W8lBRcPO##Z!zD}Fi&$7j+N)U+)>P<7 zpY1WYzK4Ti)P0&}Tl0+07SKL*V&LGqt5Nhk78jbg)2h<~Ptgxomeb!YrG}9lG3$FU zoQA6gbRu_ZA7>1LY2y`0ab>?q07E{N5YtSIM9sZ~7xEuvPxC%j6EoNb{PAM*9oF454Q^t(>cDN2uRuqi1>(=CL zq@KFc^KS$OC2VNrZqeSUaDb^@BT-L}I}$lY7X1?Y?2X^Jn$MooQSCgQO24ezpPbEO z67xrqTnewH)6C6AN_ShWglEL`maB30M2tqF^Hn@<{MLt`XCjPd%FjvVW0tiH#U6RN zAyt%x9)R?uSv!Q)b=fSHCRo{*&7;#jc&pk1F`V(`srq+F{7^Lc0YsQZ~qE6Esrqg&voML>|fY1)Cgm& z?sb7VA*QV(PcAaL4rQ(@Y}BwayTaxK$IMFYGUnT)LKjps0y8|wk*;{wcFzdrWFUPP ztDDGmU0NN`K?5m0{fT!pGOXl)A%XE!=ybCLAV3~&DpqY-TZtvjNfYlDJZr6(SyC@M zjQ{fD{E%@4P>w(P1Jd5lV3Bor8ANY^77Cc&ck4gtCo3c=(|||}B+Ma;$&4Y8R&*9t zzA1d$P8VoB;tCcXG%K!f>9$LE`BUW`7EfR!Cz zbpPk4RrikV_}Udl`z3c$)YUKT^UQT!6Qb$D#f>+7V|vf z6lz@E$ysAnEU1Lxp6gh{YHk=o5cQ*Z2h07K(#PcwIYqS+u9XS9$m@(F@okEAwN`hTP)6+7$-< z$JD4e$+bUy{XSu>QU2B#E2fZ9lj6K?e0hDKKV zKMYXm1^Rd#apVwr}o$k&AwjE8{~Iq1m1HRB-R$8!tWmufzN6-btkO zt(j*ht;U0Paf4RasAuY^5vUGEBwtH46&$zKQgsgNysM;C!8XA)HNlirHrM&*=GOZg z2zNZl5X$EZ2kVM~sSFd!)Trdbw|1h$;2MD!!&75=&q3A|CNkt`N1TaO3kI*t;p*`}>*SZm@q-^~8BqKu4Kp0TAot>Htw*FE5C^v!2u6PFVDv(7c5+#TbB z*6yIcIp@#DI5ZNYxo9%?80K0Y2EJtu=R((?ru-C7yU(71&pR)4?~<=eGE@77!30xU zByK8Tq0yv(#Rd)E{qh2#k4KqyOhd0yskrf#RPS&GJO1(~4s4g7Ta34ozG4|O!dGdH z4{E(`Wppf53o^K%T`q-Dp1bBn1_)wmS>T3TzZ}`t_>GD_(h1;+7-O@2uEYBI820gz zqwGDI>8pF!hO78rq%eZVl`x3gPH6`tDaKwI1~I`dqU36Z1R%NjP!mx{;@ihv`#Yb6 z5{_y~FU{DYXpA^w1p#;a@(4Kps-Q=ZUEhTBz~oM=k}50Uq?2j?R>wJ5^lNHz#jh@E zz;J`s&PGS1Ey#kjo-J$N;B{ZrZo?s*zUEPLy|%}BKxK}Y=hWA~*kUf!Uu^NBIMzK- zITydf!Ct;A zQ2ETyhBTS>Hjf6hOt>66n2dthAGYS2Tl;TD&?J!zAO3#IO^$e7YK&uxg3r@;4!9Rl=}e@Oksc%Y;ox zzpzQXvrqSKnL0$<;R}aI84pZ7o;^L?;{D!w9IhF-1nME=?HGKA*CTB_V{nNf?ITh{ z0f7>$?kb(P5|+N(7ZC91c6iP`hs+RNCroM)b7=oZV}T~Nk5C0lMU0CEB{*ZyR)oM4 zQR&Cow3e?(Q$%)WU1Cmtsh_ePEDUQ8Cfgt8i&;LZn>4?pM-sr>#Vc*}m$HjsOoI-x z;_!;vn#zn6s?Dr3B$MriCk~6%PrIU%gOuVUEDFwvpLOy51SPya zgZ=TeRh9^LY?@UiJD^>s)nTv@*71P(I=4Mm`zd^GU@`p?{cL~O9u_dl|3Ze*y;4Y( zxm?G5W5|HxB1NdK|KwHJ6n)j_{!Tx9UVB>YhOUO8(ep>;Or@$YkEkmzEQKErZKIX5 zEp__jO#7>aJP7tC-F0>uDJoye-$Uo?$FpPmJl0pYYi;V_=|{! z2c6ApcNS8)BF;`rhpi4b;dQ?wrRBj6flEp&&`&hVRwBGz^XiQ%t5F$G zmw4tFJBLL6 zM?dWnG+3{V_I|AScAZH-6k;Gd5GbcHE>ryzdj8s*rdh&wUZg*xjd5xIZ?p22tZUd( z)RS<*yeXW`1Lis@DX*!yQ6BkJai21hqS!GfTfUUMNI8hccnKIGwo6Qr$m+KSc zYbb+?Z(4jdmY-}!!z&ugdAM<9XN|RIULj}=qj2Y6W#j5Q*c+<8HYndF=ar+TRP;vKLTqOXRndQ)`7n zc6Y5bE(OmiwxZ_3{R5pffT4Lh_yg=9ht~eu)u&d_=I_6ug417cQ->fwmv3VWJ}q5D zJ$KY!cV)(>-ORD7W$PsCqc}z@!qqFhCPCnAkC(G+e{%-jf`rD^~C#dj1cQd!=CE z(^~5jMm^;RAZ~imaQWTjoDw@Bn%J%vcdlNmwdmta(b>d@XI@UTF~NY?bN)?P%eZI3 znU+a>+n;BXp!uA0XcIo=dx_gtA28xbQ5w%3lU)L5BB-Ctcl2%eu~Rxi(^u-4?-8ti zP9bn_OTPr+bieC$H-jmnvu0`67G6U>;~yCP0J2ILRB=wGf}Lw z>40XUIH5x#MZO8}8H&@4BktoPKO{3ZGbxihgv1dUdzq#f-Pimm+ewZZI}77)xsVds zF7?Zvwk~8X)YVm6V#=?JZ%nH;A8>zB4385m+y;GJEWAror1xjS#{)-ZC5*ca2ct}} zoA{ka$W7%U18nMFQM9`E^W}3#oY;AOxrEnNx0t~7lJgJj8&D_ytku})20X23bsWtHcOcew2gsGk$Yp;-Y`u|- zy2FCMtzP(Q=~?#2MmaZnl9?UlI%dj3=RsmWi$1hX_V2JqkcnP<_5W8E&wgkQLnn@xQ?- zj^w7gFw|xM^YTZ3-*FWiW0y{>c`(y_$hdU)DX7oNDWGzsGDz-~#ir5ZYkO;0Tm@2f zz|ABjy_n#Z*{22+d(w27`j~weI(;t$%LiX-I!x$^Lb$Oi2C~RyYf$4srjXa`;U%)( zB%+Mo@3?W2A7w*W%8yD_TVB5Wa~&wXop7vEMsJInY*q*8?vDI6Pg!~8!a>8+HlaK! z+qi9+<4pW5g`lxEj+BE(7nl?Ccn$Ca~cS}8d@zc>h2uB zCzsMo$!;kt`oufkfQ()_o(~HlY~Qj7--$Zf?>nCS(olP~$ZWy>&cU)JTaeVOdp5Ev zk`K$0+Qr_E*Z!&GUg;D6tO@q_qAc%ILELwbH$H{^Dh+|B4o~rM%DTDcw^@-!RCq>V zvq@L4JONu01*Ivyf|TW+4ou|x>(Yqu-+`W+k0a~Nb>;2fXnVebg-kwA(?bKgbl-GM z#Ys^|3M1#DShe7}$~D8S2hBQ;uA1}hqZjk+%`28~YigSQ{ri{Al^}wR zKc&BYOS#=&Lf(i2LZ~zl04xSv5+$=MBttVr?PB3?RG&q6x3stjmIz}HCch!8Y zpT0Kfx8aaw$E>e=Q3E5wgIaQk_pd1rt)H#jr~Hn^79>?LA@cSbpw#6vb_s*y1d@rcpB;~!^hq>$a?-RMrrKu&%N3QP zOT#MI@Byx6dx>vEJ+ZTAv<%|ZiYQ)vrOtO(RlOUUItGx2rJKh(oFnsR`WYv$bGs6r zTZe=o6bf)!JlStD_)9}^_OV-q8N?X(56##_)4XKYhQ}Dg)FF*5H*dz?K=CG3_?bhK z-jbi3AeUsBub>EGwlbV*^#cxQM)yS-)81331&fO|&O2DccdMvb7LA4G1Dd>v`P~=L zWu_J1YQAoi11*k_$Zev2ONXF0Du(z5ua=BVGFwdH8xpWoN^W||s9Y?B7ZHAC)kTf@ zpKe#wkjYfH+&5*|(g_L=qi>+jF``DBq-Xg0LzBqJ#yqhA#|O*Onc6QW6n&l$aK; zu2w&vu4i1YL{{(4rsVN=4$p>UoMRJ_9untZ);Bv`1B}oE%;pCf?=L$?I_FDobhg<( zEGlEQTrGwT+}9ViW~ghO*)Av~jU*jtx#}Xmmrg#kt4{F7P-V{(@2m9cXRk~&VKo0r zMfT@c*jZRz;g3v3F9+M5@IEO09Vv7Az*d7y zmq#CWs%18NaFBgHp|kHhZ+UZVEN_F#sd^r{>`!doL*`vd=wWTy2}6BhYR0pP!$1nW z`M<@ExRx@E6)ZsSit^;-q(&1wJ@avASzwx`BKxWZDnr|C8U|_Q_?2;xu}n?lSc`_Z zqPD&JJi)x<%ST5LgJZ;P^Q7z!(-P@xs`GvrSbg~!j>UPTi^GPzq=~ivX3SWoQy&RP0}C5q2Kz?4@ZBWoL5+uY&oG~d{XrB``&f)V3wwQ zR;IY2T81stO53OJS_HT_C6rLwFOf~zB$UM3n<}0!7AwCdyEi(PDlV6|<;~4K9tF&f zBMOK8d6Cih_M&0j%!fk!O47S;x{mWQ;1;lb3(qI6qfQbxIgw6E2Pi(#vj8roOn(E;|}V{gw1IoTncw3Q`7*2TOodw|42rHJp5oV}nSNjE>mP zrPxkB_TdBRE)QH!>GJ7|+Fm@Tyja6o#KP(erAwJpcd=>BRFZjRAUNA%5q(Y8kuev9 zxoN(){B_W*RSPLdSE$UgI{UvD?7 z#Vx7wWi1hZZ4NiB(CIJ_Q?cv@|u8n4UV` zlAB7IevCuq^y4@FVk*|VM69u&N@6Qm1fLN5K%F`Dc+5fK^nb$B8FOSK#yOdyQSYvR z;Ol6zt`=5Xx7imhfYciKEAkbt59S}7Dh zoZl{cl3>DU=WjM?Rzay*Z{B&UwQ$()D;dAN zoaa}GR=()IE;-IC^oV@J`J!STYco+?^*`;JU|1A}im@EVd$ z6PgVdMdYw!jMB;Z(qXUJ{{79LwHvmJ9U0e66ypPKzF6O{+dSY1hK)}%SSkSFj$1a9s$p>vwM6h9l(Shd=C`h&z2k-VKo z3FVF(sy}Bn*2jBhMnSY@ton&SsNZ6B=J{f9`#gzKeaB-bBjozyPw=Mw-6zvC3Et`) zXS*4RQ&Om#6sia4sWGb(NG>ofDo`=`mMmcAwUPWuGLDsFKw(jRH$HCHE2=nW>7?|c zn^hT+z@!5MQAivC&DL*Qgf5}>PwNn+$b(O80e5n50(n1^&5K&yd#d_{QaIb01skt0 zb-P@dB578w(An@qZdV_x_iF6V%J3w|%F{+k8g_?tNB;}x*P4M(?@n4L8BD(G^0-LH z+W4f}#%nSV7sVjQF|w!87m{ppJu*76bqQ^UnPfJ$9q{)XLrxyvHx*SDpnmM$p0i=L?Mq zzUqHKn}HjC-=0)}gCUowW*Gbr;G7RDc!lmVX<4+`>J3`T$K@91DYX`GN&L7sk>2;D z?ig@!Qc%)*j{T73-aUUj&DJG~qU)iXL@nswTdy3{x?rG92y9HmbP@L$?e8yHnkZ z(S{ETzb3jv_D?^K-Q23%w%o8ZqGFzs)VIDak!BKkg8Xv*M7a60hU+{X`pj{)WpUq4 zlc%jEdSv`!6hL*_odoCh4x(p^m@ePgJ*C=Vi2g)V-iDMspDTZ%HrM0UP-rQ#gPe02t1n? zPp6`Tz9*tGHHoN&`|1gPaeYe0dKh)>1hsq~!8x|(mfMx1wY&h?;hem@2sX*PC<|OW z&!=@fz1Gc};4RO{=QX~VXI%lB9q9ALnz@CV_b}cJkEH$iq zD_XbFrR=l%#%(bdQN=x0b4%#w6ql^jCk%L0UY7;J*Y=mXfW z>CYdWiZ*}n3LT_6eO~Z(`Yuxe|1fm@yIGIOF1sCjV%picCwSUp)KL#Bz6x*`VXfX@ z2;X8C@cYbGfs=#ws9Oq(N#?SfD;?(r7hvXzjJ(hM2yt2k&NzXg1Savsm@Q+38^=ihY@#y=jcM_|^upIkQcwca=pBtF(N_Jc%!e87xX>B>d>` zscEdRH`#T7e1|-qXvV0U{AiOP6C;x;)nsv3t>Erp@+|sQ|`i#@uWBZbGriZ+LhNFD# zS2kH>d)JG`N6ts0-$)A8|Fx&LxL>K&tXXpUb2B7}?rA)N zBKl-Ys2yP@HDYm`fa^WCG2BW#CV;<0$HoeE-#h7`JR&Lhz(enpW@ z8RqfcPX6}l`)NDGi=LMQVXDh74yg}iHRF~2D@58&uhPoC05FgQcC#fa6ZNZPHf6Iv+6eAG|GXeR|iD|4SI32&Mk}<*!}u?x1-8!bc8T51ujso&oh@K zU~3t$Sk7@BS3-U?QJy;70Hf<{Iv-veYbX9PJ{?}o{w8c`s5dMtUddB~$@Z0QQ@cLs|&}opKhn2nWA+L|N4@q56r|S@s8=`?sE&& zWXwf@%X!O7W|aTwYLET2lMP=#f&qztG|EcP|F? zqX&czGsE^?H!t7V%4L@s?le@*b@UxNF?{jpw(Pl5)pYwc}r_u z&F+TM{V~4bX>5Cr@4jYGme+Kms6y8(QDP|2WT1EO0K|EFYKY9>)%eMs;%~J+X=Nxk znk9SxIJxkF^|L7K{H7Z>`jVrZg<3>1TIaJ3zstp0Wl+%G zLPy^lr*tSAXI$Uo+ysB}KoKVJ;^>mz@+aW6;_>ra|5_{?5Jd66ss4F4w#taJ@%XZw z&_G%pP-x|d`$TXQokZbV^etW2C*@7P3TGdSCEV*Pba89`w7Y{A=W4?AJY^34yI3EU zYy{5*L|d5{9rSSGt8VupiH;_BHocRm91-SMlwIK}U2~00KC-N9FLmJH#@k_LitS3m z>XJDTOO!Hd(w^a)M%#mwB_b&Axe)6e?spZ? zPCEp{5Vgk%pgx2X;atdPdFm(0g-5qAY?E{;7qz1^0+&P|xUJ<(4%>!h@Bz=@y7WMv ztIs_@#x7X*ybs4^S@_umgK+Dli=_`*?5e6$p+*LiF|chofrqx~$i}z7m)Mo=o<3gs zA~dJLvXFSu2`ovDGgsK1y58mvtJl0yAsintxK7=jd@RRL0gwDp1rP~K>5LX-!&?E* zN2d~}q!KSXDM92N=V2tFmXcz)(C(iel`ku-Sa5}jo)rpHaobpoepWnpCZC|fLB6BI z%mpj+TM3jw>$S`gJU4Mhp{q@5US?LBFN zU(7=QC^>sOl}SCs#%EJT^=mHk*x9$n1t6{E6>JWpdn$xx+CGVW-aovH6HoE~0Z>4% zzqr1$6U!^_V3Li4CQF7`!03lvP3R?aiO?1d$4XGK$j7rP$8-tA{g0nQ6?&uLAXecz zr@D3gbUyC{o<_hF00e1vj~9w6nQHtJxSPl~Mg5aQ$qMshzN@N*OHixNKfBnsmP1>? z&N{WxOW-qZbzn#VtLaZU=kM7`Rsn5Sf z0-$MtGO$X&|4so=jaUwWozU;v$lH^@eSf^yALSAD+O6u#0D;H%`0+`c$myXYO>pXV?7m+}PIln&~WY}2sF{ExE`zQkP%4R55 zeQW{^{!RB`wzku%DB|AU9s3+z#C!HKza9d7PEFb%o#cpT6M|LpQdWR50#~E_DgM9S zFRj-kv3B%sEobya)}+sOrvxY(rP}@v*s!Nu+ca^l!{vTtCirErvUivB=~^n6DFEys z=ddxk_FZtEnQH&!n$+~rpe<Dh04jkfC|41fSN{a%R!e0@j=PN<0IBV_5dhWS zA8SC5dz1oTW`Ay{OS=8HHgRuyg^u1KtR=DtNUF2mx(KS56TScq!%;M*AfQBvuK+W3 z4NgL&RdTrW7isp?+^ zT-6pYtCJk@%t?=Vy<6JXQup0`EZ3r}0LXds0l<69YVK;km;0710P+(kss1XAiv}OE zT-V|lB&InGcAt64Z+ZVqDPh;P=FdLb&+3J&du}>c1>m_?UTzeTqlqH7BiC{3l4xMp z$byFdhn(y*`<#%LT;Fskm8eU{<|z+B#!i+;uf{nh3)s*3mD{BGW79ca`n*nk64>_k z$z{B|Ph9xs&0`P1w(w%SR62RS7T@zuaB~00%lG(^+uM(q@A2iwk9gJPljRGK@neL% z6BoF7?XmJ~zbwBKr#r>M$?`nT^NHvEM0p=8e_MjtY&VX|m6-IY{8*oVG+|oJ{pL8G z34hh#CFCXa8LZlB^mEQ5r9c(}33Q^o*ztOsGWw&rZ1}W#rwWD9KZ&Zu_!9otiC^ZoErccc$r>0>EfS z#0t@&)%ldDJE=liPBuWn0&;>$Pa-x3-#_H*f0rM-S!Xy!JbBe0W?yhVA3W z+Idg>c|rM(?>o72rMY$eI>Uc#Jv!&jo5x?CeCx_LKbV<73y}+WHuN z_VIdD-Y5B;RXN-9ynyG6%X@?SJtj1_+tbef+uc|V3aa~RGqdj@9}BxT?O=>(X4Kdh zCj7CVVFKU_8Hee?7T@r$Tu&-U$Jw+Od;VX$)^e8@K99kjJ4fd~r}yW0d3gP|A74JY zeplvWx2N(a&+?I&OnBdK*>CUha~wOx+cT@LJi=dQc)dCaLRrFCJZ<8S@@FPCcH&Ln zFnzl9ZIH>{lmO=CvCk#Ue6L;s>c?;S@*|>a>l(VgDFDp#ld<2lxrA|ydJrhdanP&> z9HYavz5a210IXcc{~*Y0Q8~hlc`a-FAe+Ed()tl`c;jZU{_7Du$~Avn_-gr;k_4+g zB1%DCqdS!c`82jkZ zmU|EOn!P{zqq@JltJ@CY>eV{j+~KvkzI^Aka=YE8Sxeh?Y&-u&ym8~>u(R`}t$T(5 zTpnlH6XlywzTUEY$9L3x|MSnAk3RXN>VNZ%m0_^4(R|*%(#OkmeE#uMyzDafb0hAc zIO)K>yFtiK4EvY=Gu*cIad-~Dmo3tB z_kS+W1afDwCQZ)byZz<%^)01PpT-9&p$U ztA&~tG!nc9-)(NP@>%KiS^yp^1qH_@!mTh#0gx=7G4fqCpSIz(|o{cgNWd;T;PGWm&x!;&&_W_tvt0 ztjZ!*ZLV8sj~S2a>h7W{%VC}M`prN7&E5J>|MZjjci++eOKoH+(6w)e;6x2(HoF!P zBFQ|o0#X9-(@+1r{_w+Hd#bw7&Eqw|PwzZYzWalB2uY>#sp;-fN*QnF{vd0veluU} z?K2Eb-fu2_9jed&{Le$Uaz#S6O;4J5yDg{5W4LxL4YzM68VG0e=c~!yY_~sI35oH8 z8^S-S`fXXO&7vL^Mco@N>MZXy)4e_T{c8H%cYpaTey1tZhD zRy;XoKLvFL9?~nuRgziy$QE&J$ip0z1vpA7yNmy!nO9r7c~|EO-H|%PNCe}+vAp=oVCF}{6QCbFxx#p89&evB6}UAPhtBk0 zQ2U>v02F(B))b(ks!2k5g8rAUPD0MtR?Uy9_rQjWmQk!Ta?4e-6m{)*@T<+ z;&=CH3c&5#Qncx?yYV3Ym+y*vvT>jnFFZUb>p%YE|6ws_ltra0SAN~>?EI%FMM74B z;qYH1yBmMm>sRA69G1yqI8F2Er9oZQX;YV!uPv8yDw9oG465GxBE1wYRfFLQKCRR0 z`eMDNNh7GXwe>M3_x9~Lo2NqUKRj4X!{};S7k86?JbU(@07>wup z(Xh^CnU_!`OrPFl>gfEoaa<}exFtv)a-4sLlX+G5-b*fxd#ym^3z@$|<%=c030a*~ ze1r=sJbaJ|D}vn5`3jrYHa`T-Vp_Bc6ypQf$Zh#NPx{E^et*cfe07&6w^@hH`*f^9 zK`Im8k3KQC2qQqc!ZW1FsrzWzx)XnnJ&zb zKX26(#Ylz-J}X(1SL3Qm4&opkR)c&}@5h7WPlun>)9Y$gYMYg~etYjHF8r*8?fA$2 zyU914i0k+7$A3!yARkw4_+wO)>iVr)#jRssjE#TwuafZf*Kv6FZd|E0vz^1+ z157ItZ1$U}OU-H_Ysy8l_@93MFN#08^1oKsKfbQjVVi$%W3mqjUwVEtIX3sc6aaq2 zde;;SK%@S3$^e^MB|txNgGIhf`pxmyT5um}f9mr0H7oD1PL3#34*r(O0s%?r^RTO> z@V9Y=i9ncYd|{LVomxSxQqGZZQZ+>P2q>_toQce-Rb0{xSSQb|~AIClO`}0~A z0Ga)jl*^b+A?@o;9a_H?Yb247<4s#Ocqq&*767?Au(Js}{+>zFX_(BsE)%scAahi|hG%Qq2oq-XSBm&G?8>%G_?_Tpu6M9r zs829Yd(ot$v}_*s&|&!|G)0ULiZH+WAkMyOn>fz;IiSgh2WgcI(L2@a{h%t+VU8dK zQO(aJE2^ZP_fo3c`e}u_*F&?K#bzbv<;II-e-w(XY23T53e0BxB)>B*@m0>ZOGN~c z5~-vV_hwmt1<5C##OUjzsLbYB%*pkMt9mJBOdR(oql!@1O*13NT5qQc2MMEM^BAa= z_Q*@}vS5f`oTm9c;N-7%egwZ{z8s+K)1u!7uaUL<%PAVAL;Ct0>C5SwYMP}p1`v1` zyTB}EAYoZpsh)lF4e!T3?}y^MJU^Xy9`z#G8>i`TkJ?I)k3&96(&;Sa^OYtGy-zu6 zP1+1m;Z?&+nmHYyva&8Rx_|NTcz^O<+T5Ss*E@N-v`zWH$dU&GE(yo-`}L%MWe?p% zG6MOFkY!t#REn3<|`0w+ZxzBxv%e+?wPyuSN+FBbE1stn6YJ><^NYuWVb}rs#kP8S9Rk09YpuYM&PaO-E@7Mwwo2D&l6m zRonkQ(o6w+_EJU=BrXYW zZ8m5prQrSTvR#JGBZU$KUs5jQ!Q8%N;E2f3Bp7|u{+>Q z%KTUXR2JU)8Vf`Clp-D>U5FeXH&@2!a~H-CGI-WI!*g z#;O{Qb5sFZa;Hr^9NkY29!%{6w0~Fc`R0kD%ao~e%;!_`Ni5TOEKBEV-H~%HjKQo|M>nB15Sr$v#56<5}_P?3L>Iq{NGiRUpr#rpeex!##I2 zD| zu|fslC(JM-oAu)GE^TQe4#&P-Npbstviy~m=!g7y^gQP1u2o|1D^>icqG7hI4@xAl z^~%x}g2pb=SB-T|IgEAspiUP(iqDrg^4kbkx$5m7a^V1@8j zO}~+Opi7@FXK3{bUvfP{560U}2>t|RprX-#z^kJ`u<{qE-{D;PCFy!PC&z@3m*;p| z_WBio$4VhcM-viIwO$S5rHL*)Y}D3sOgg_N^U>s*SOKI2XtGP26CT%>&?n@snko3x z9%DtbKj&7!Pgnrnd4V3oLKAs$m)Pnyj-$Sg|e4G(cq0Hyx z7{M?E*GYjxAY;5KawhsO;~>Zj_ob3Xe?xxg2g?UuV{SY@S=%S|#u}q?os_YfXOxX^ zAH&V)NO_|uZ!`=&?q^lbKJr5=5k9(~^GmJs-(%n2#f%zljMxPbnRJ<{WPY}9O{U*c zOp5~V7MyF5elY$_Cn`^T<@E08s|;zRE8pcDRe<~ErHQ&<{y(}YW>J&XddNPl zf)Mh`%<)=Y%(?ao2DYxfo071wIT=(=m0cJnM@?LmW!AEZ2{{gioC7ty-ZUytToT3nc#^O?-!KS$~cvmhBVG zA5#EW)(=h^l&k<6w8sji?2t7cg%z)qNvZpk z0pYK5JTtxQ_w<=3I=cJTnd?&P|KdiI&)aGCK2Z?UZeM_OQ z_J2Ijsd!*wXK`rusGU5LcL2S;JH_`g7AfswV{2DwBvGmG}9gSCg(h)Yw7;J#=98Dt@*pz?&|%1 zKN;qTBR-5(Mr$YoTHvIGtyVSGKE_z--HHH#a~E#g6@r%DF>Gc;j->p0lIQhCNalEU z-CnE0jW0_40NO+!_`7#El6#1JjKgtJ942vPlF@qKz9jR_>dxdZdE{AjKRkfwS2&qo zW7}w@YgW^0*VNYvTd7Y|uO7xZ+F?CVn=x{}S3cYk&{J6Ig_2cvPON6Akt>!=6R<5Y?xs(jd6j3*{k~199s^J1FGyMdxPC_{?&bk+ECbb`zY&N zkC;5;c@!foM$>t|!2FVz3q0nq9?`--?%}6V5vh<{Qp-bKA8M1@De56{Td-vf(1bC4 zq}6`&Al*9rWwC>Z*x4E5^sr_BQo;>*5zs;w0omQKuDb=)hfH!Ma;a9;AP#1%)-8+5_x&c1LU#DR_ zO(u8VZ*H+&8;`#LEP6Ugz$62lgh@UHs@7^$Kk-$Y{wv|*T#_LCw`PI{_425CO7ntx zC56t4pnV=sZ1`BLh;Zc(qI4KAb&_8aFd70MF~pTiSWCfKD=FquF{ z0Z=Xlz?1>C@ypb|Xcd4)ZW$^Q*VFn+gYYnNp$Tc)r4r1Pl?!t}De0%X?jlCEV> zlRs_EUt75N#Y&GJ0AAo~wVtk2>6GrR{r=r7E%Sbw6-aq`Yu7Y_Vid3scWZgXO$-My zge(smSx_BPEzBx(13=*x8ml$DxHs?)Ncz>i%+Y{(eu`2fy_d)3yx)p933q(Y`R99yAS{YT1++{y;YV(C*{qkIFkFV6;As(N9 z(UXnW_)yIE_qhmWzk9UEzB|Puu1`xiAN4T;Z9mGElJjLz6udagkTNoR>y=al92%a* zu0-2PuxiZbNq;boanSEq<-9DffAUEgCKH6sX`Ief{Ow22`_ntgg9iwdAp#|ACj0mH z^Wi(=UMS?rfoVBQvU0}rZX^{cES2M_M7FR}XTki;P0@_;|Fie*OmbXVf@b(5UKtUY zOaKXjAgh~&=5TCCtF_(X+KjaZVU!YPG^{*QYop8`=0>RA7qU;k3fD1vR1k`1EzzCo!(wn5U1!PR69E^)Pgm=6D7z|xq zAl9;2ht#^r%CZZ8kk^>wvsrnm+Aj7d`%S;!Z$=}OtSxd`_mT1Vl<~O3c#Ig2iznlO zQvpryV*FB0?h!R7jzU#DJ%tgfX)Mn23-Jl2rAWCLmLJzuQkqJy>yyQd&Ouw zO*hJVKEG9Uu3oK)3OGGyPM_PpQ{`$W-@cV)II)(;40wN<5AJPXKZErHrLe7C^T*z; zAUr(OeDsH5R)0Lq$MY^+BMfg{_LxU~AWd||O0sG#U))Y3le~h{O*c0;li?PTHShh# zYWS?d!|B@+5CAFyrR79V!Gw!S5N<34wGi>N_pR>t%M-@;R7ISk@(*$Wg;K)N3??;s zL`VJLQxAUoNihI6ttEUAYKb){zd`~>PaK359D)u8^*l$l0j?{wpK)Aw%j*vmL1dAr zhQyB=pQD<93SwW}y&Ffj*IgbQbe1>)8ik-KAf5?uw$GMG{KdUJpbRO33Ba~Sd%!jv z+lT-n6wm-9x{Ivau|Bq~i2kik<6P#!KJ&6*B*Nh@u7M|LBa#EZxA)KrZ~KXt-PHix zOgEJxR)%)-J=ZWLDXN_^2?o@s?=Bmc-4ITadPSCUbpV|q4was@-Q#mOS&Q) z7RSPmpOhnB|7n{KZ+2#bbALoHSx7gJ+4X;%+fx-=R}Teu$7#eiqIy9 zDU|l14K>EBENiUFWuwP!MW{l7dZM0eXT=Z(r8*`mfII=H<)E=Gk$s|9xt%y&h@g0X zFzD|0df8&yO(&r8*|G)%$K4)|bY#8l5@@zbd=?U?Ql>PXpjjkNt4Se;6;5Ut1<r}a+37CX%?htK@1HQXlCA(iWb9l+@z5Pej^V9*bK#n%zF2;Kqc42jbqt8v9l zTBgaY8C+@^VjcBHsFBJdFY2Zb+cK$Y7%Rk?Btdb~6o3Yh!kL4R z((UcP$UhkOvyH#pX+9Z!TL0bd-zA;hpFUO!;QvqlKv3VLjU zsNB)rf!9L4-k^F{%`WlB+ldaTe-&mexbL60eGQwvr_>h&|K7b;(np#v*;;o-$d*SL z01!4|fZxW^#5>IX7OEb3r_O<<0?tPp=x+L*oV)<_2lF_(c~RsE&;($<0QozL&z&yT zxh^s|*xQ29@w!@tCGH%dU4ZC=3|VtPfg{MW{j4AUX&z4q!v6lH^gN+5Rj=8?{d!)VM?i&h!m5rJJA&B|a|*Z~@(;>^1R!H5!K(Mc>ex+;UsH%efI~;KfVj;| z0?Y8KO}jH3?`ECd-I7mdQWW6dG2(u=*Xu#~aD!*oYyoCuG2~&izEp+t^&uMYevL|$ z2)ZIK`%4`DAovv;xvY1d7e@P}4`o8?IHWsf01KD~Vu=XWQw|k}ba?L>KJ6ZH?`{@7 z!W`4-asdef-@E53NkB*}g*^+#C`*t_``7bs`sANYQ zg!koxelc6_fY19_j8Phs?X#P2LEDfrQF0gzw?x9AL=8+~oxwE#uskp`L)@x#TvQF( z@3KJ1o84QGpX7th8Sx7^A$?a7##cRk=-F=4StpJe?4<7ukNV5$JKN||`gw`9eUQPt zmFHmhdQ9Y;R3$pY4>7|NL+KI*o?t^DD@fsCu(MzQpt+FA8v038Xp$aF9N|^?4c$Px zL>28&WRTEmjO7D^G)LHQ>X?A;&~GGWZ55yB!P7cD)Q!$11J>Leea;b(!O+dyfkC?9 zosetZK4+_qGR@QZv>d{WOsn2>yZLnQX23HW{AIT@`hGl0HoBuhk>e%Tua2AZa1qRx zZce}|u^G(-eG6T*m3T5L>CsKPIDPC~1tBKG{-B4m3S?nf zb@4CVzd%^x2OT0;et<#SW#76}1AZ)&L?`oS-svuTi+WZsB`$+ zFXLF_;8)@JSKQl=;~I>Rr51d=&k(_C&e}xnFTu|zxM28pju0ZU1dck{cpMslwH83{ z>r)MC+v9l9CMA4ngjx;>yxM?u;vZTZ_sS&L2blu!BX9HblP$pj7>9qWnq~dr#op2W zbPIZ=bk?iOMrrL``m=%AAD<`PJdyZd0}%bimaP+o41g;KpwN3f_aF^zaQHF$Vh9Ar zV;lx5h)TB{-tC0<^KNtZ*6*@Q?`{qj^TiM$ri*f@pUlhikVec50ke6EY97{V-VhJg z#ovI~W_+;+_=T&FP(H3N!u1VUQV8}$Aa)zuPHeprkrPoh6zzjKMdyZ|I+@WHv=g<; z_F0LCJtH+Epp7IP2`1j|ap%2l2=TBYh994WYZXkuV+U||7otkJaRUhKe5dJQgf3$M z+kq*g-T+lxf~amV4Z3(H5GR3zoivy&xF6n#YeG)&#Y};$Fkx)A{((3f$#8LG_7#w% zBa|~Ji&19`(`6s(`o)2o#U~<-_3BDK`|KacN$_v;ZTu0M`4QIU-Y_fX=OB$kh+CI; z53xjFOyRF+1EZ`vKcan?BQLj|bwUPHnjAa|lL77}5SB)Al;kDZFOQiQI)%^=JO>#v z>1fo~$;V8Q9gKuy?!gqo7Ol8J@EbUh0uRZJc#arjLZ54xIS4(<>={**5d9@4sYBS$ zCC`B`(`hq9PX!MO>#`(0OZCAA4C8IQwzjuPXEg2oVZT2aWHoB?w1<=85C@F+pzT9Q zIa(Olo4T2R_VHXbAt5{smI0Ytu#!ujpW2B?$|9x=zJgttS=={p8!U0>oFQc6!+{#0 zCU}szm(7jjxY(H1GX%$RXMa6^9woZ?zod&vUJM4KtY|jS2BAVBimXm9p|;1n4>lX6 zK-MY#bPU-a%`PzI=c8rby};C%07Hm=I>7(pJosurpJbUEcqB$8kYE89-UDi1FFM(* znPkm(i+jn=r|%c|;5aAf-RoDNE@0*uIv19GeE4%_r`L;wXM^~2li36f*K-Tu4HyeE z_nE7|2hk?|T_@pFfAr+F_wc)%OztYUex2@_UR#%STi4$oIsT*=0KsgFTX2I$T{Jr6 ziFf&!5m4zrjxYfdRtcmoH6oKUi>od^$O1~!Go1aV*zr;GFAt7j2=+S5{e#dB_^#z_ z+L{PXh;2K!LH~q$qZo#KU=oH2K&bJ4k_N${1k(a?if2QE;X5BH?Irri$@(Mlml2Qw zfS?64;4#|F^FqNQWc=s<_{7zp+MoMz_=Ckh=zfMpniPInGQ`iQ4>mO3Y7=OoLSaED zC1KE(&N7IiegzJl0iXzUle|FSA0&P3q^L`o1!xEA4d}1#T?~G;Bo02kdh2#_n`K~|1)hi1N5#sA!3&%Ogl}-Fdjqd z2StNI>zXzrUQ7PrMQIb%k}z)mo41H0Mm^ifnA<+cUWTihIcZSLBUYhh$S+j7h7ED? zs+wyI+2hIo{qa2f_*Qap+E?#NmY+-~wjMs*BJeSw88hW@1Mo#K07Ou-79g2YRsOSL zoF=Xa@HilF%4ow#=7`)fRC8|C2}02JmZ@3w=oO z(yNjZxAA%ed`Lo2VPx)3AcLsH7+J;{s!m|J8}vz4AepXX8WXD*l7q}nvw$$XA>#y* z2KHF~xyVxBcP3HWJ;nxtPj}s$o%)$a9hkWQKH4S=Fk{rzkh1vIGXS3^oxuFyFMtLB zBFi7DOn^ztXePwKr+H5Xr7kw%u=cC;V0*hJydMdGzIMCBBi4O>@1c_#f>Fk_X9QD4 zq$(x{16yrF@L)h%D?yuZsp zpoJhOD;|9eDjYh_bVyFNm7l?%GART@a}F(URk=04**+SEM2;yLq6FEZeb9ger!G~g zXagiV*n|l~gv24Vl9vD_)H99dk`P9$87Ob@QL9idqd-^kZ2LpMY8>Fw8mBrKfM7YO zU#>Zz#}s9$Kt$zP`59(~R)f;}9;Lv{wl10~bm>3=djM=o`Y)*9w<~!5&|yBm68$N$ zSff*c0U@#pe+1qf;|;Ne5Y-T7i7>_p-oscLlnx?{1?{{CAFc|*CO~HKMSG?6B2C>t zG-d!#dWv4Ug?>m@j1&2yVm<{7!uy_%MV(T6suIz{oY4wL3^li}XUxz#*>AJ70SSN4 zNqbk2NJ#}>4xdM8-n9E&dbl@Dmy=1dSmI%!=OTm}Mum5Af0Os<6^sV&ks(79AtPWP zZ3HthNWRmBDMD|UD*nQxgGgg3pa;aeFkKlEwe4t5$bbRPBTIP$+kvyjLb}X)GWhW^ zMaFWEPl-RDkm5DuF6SGrFLW0sTec~|K;;x|R}8r>(?OX@j2IJwT43OaybR`s);dPa zV$CRYhW4V7$u)cwn;BjxEFo^dxCP|w+}m;%1RVGE2N*Gq!SXsaoSP}O0PT{_4Ds0W zfYIT3?y|<6&t1Wbf6(c)`Z#NSfe;jQ{15v$=PaIBIqkhq(+Vn~zHk6!+XXlNiKIV9 z0nG3LFz#Q59GiTLF>S-?BKlyRa!+UjIM)xr%z!2hO1nH~hCqoqk3G#u#v5#tA4#1I z%8D7Vtx;Bo_`be&x>-Nj^K+d(GV39p@*qtlZ9SxsW)ZLGD+mdfIfOe^l_~-l9Ox!- z>qyvQM!N+?!4hN?!L_xD_}yk zvpX6gjXE>9U*#0Rb>!&Fcqc~@cy9!GU25`c*Xe2_AN#i+Sx(O`<%q0<%YO6+9kIEe zv7O^c2_ollG!HNvP+Z!kR0@Ei(A-sh@fNg7`E4Xi__WnDh)+%pdB~$S3;&lY`G9H@k;|fiYoGJZZ=oCo!)+#QmXQ zp74(enB)40CW7&X>EjW(2Q)os!OCMIUTOkWa;nB>B{T-)xQF-y3ZfVsFWfcJ9_f`y zTWv6n!^k6Ja6C=3`HYYg?tHfCaz@Kv-%Cz#S0BeU6X0A>3n0|=1{Lvn+jAElcA7nR z`3W)rkLiou?eP^Z z*RVt0x<%gCY?>8h@Tm?+pu8FG+t?S8EI`;GS8xm{4(tiOlN6}0rsrTpkPCyWy*H31 zC|Rk6%ls_;3}A8rjOE?_tMCbnG`>4Li4g!viNyurk?x5Bgjn}rG(zphSks1V*#)Pm zhQ^l;atgv$F^we}r)=;nOOm#@WWm$C7g8WvmS7>uGnF(`ONwk1sMY@>c@*esFVH1) z>7iN;yV>h3W<(rf6NX0R_$%%`l#2DC;kJkAty{N}U*OQVUyrgo6&wJ&-qSW5%}Qdl zX$8h(DpySnfOrBp(K_cakTYVCKJ@og`Qrkldc`@f|AEfT9 zdc==y0ia5n+{$;s>KPVv#v+~v&Z|40;lRK}Jys&kRblFt^;_4+lPab7DvWw?7e#Wf z?&alikqk<*8TQ#ksHh>7<`Liq?d+=U5vge*bB?}%gBTR%2X{D6^<|Du`OcWh{1A;2 z1vsl|4^P`mp5PZWNNNJOPAa5&2t(Y54YA$*$*oB!?lV-ZZ9YN9wQ-HeY@d!zy2C5=fqg zW^fTbc+$|-asxJ37?7>d?jbhf2XOKKvGY7~QcjKdE{TlpWP5v~bg?M&@*Exo7@9D4 z-~cECgu{2}XH`$MvF?6S5~?K@RDw{H@jShD?1Ht6;6#p$t{`du<7Q#)n~2p4dr4X64W z5R{?|fVPqACi^1VNh9cqfcCww~|0P2KBgUP2R~Wq9tCo(_gc}M%(PRi$45bYW#tRlE+E1$h{%QdD z1-6F%bjd;yZ+`v%*iT1EJC%dzcbQii0l)isY*|h1m>WD3OcpmY9_y3BQ4jBsxeh8fCQCTVB zRLGWJm{bx4n&wFt-&pXKlR2{B@6_*sVHRj4q zvzU}{2vssQECN!fK;L;ESs71FA`A?X0}Z-$CyrtbOg5`32qJOg7)T951nt8hAY-*^ zWAp*ESu&}Tj{mSBz8fWhx{5&G(J;|tU~oiPeaL8=>&RAO0m#NYrT+j(S5mXsAk>RU z)^2u8>e;QI{cPU3dbLgPVxx9<+sK=X1;gv%jU=cEMkz0=H#LL<-8p;_ z>gEe%YN!?`?YiGStE7!r(YPEY`xh^!7sq2_&g)TcIUnH6N?dGzjKY4x2mynTWPt(g zgdw91G1me3@_q}gvMp`fY`s1pjIdL~;1B&K^kZc7fv+GvDU1n)-t*rhKYMag*5~V^ zKRA!PS8z!9PyZIbGvY8a08Tz($~?lEz9I8x)`zFk!(gcT0LK9tDX>v^Vi!r!zS|>AN4(kon zH^fyrpK5Y3!wl;|pw@ym%ADwkz_a#-C5^6CHR~Hv6fNNX%(EZvG%RwAyd-!C(^NR7 zilU@Q?R?^X&Kb>C_o-q;KJkHS1uy|5jPx1Ja&oaKkm%G{$m{5IRE3$ z@gHxs-(?Q8|C|0-CV+ZF)@y-$#$Vp$f8XioK)kJUK_VgZ2pAQx+>m!;(r`3UP)1nb z2*U0$_LAZ^R#4m{w$h=oR7)Xwp6nW8ho zQk_g8)xHUIN1&hk#DRwy2;Yt5s{J+)U0AkV#qo^^Mq5D47M>!Ko2T%i)``%Yw5glN zz@5MFEN@5`*J!w)~K&)>RLxn=N;cCa1vq(iFTvOXH&T-w7H z-G}&*!yvm1+{mQ>l7^_#kaw8)N_Buo+EW*GUzYhSn~d;y zBQF8Tb@FDwR41IQxr~%cC>$C1cmU4C2nyB~4?Bi6dlYM7r{ylBmThM}b2C43FEFGR z5HY$a)TN)XXgE@+OICu*!YmdIC)^w>lhYU}!0+#{YVn@cz0NKGMg>?@Y!MYjWsJPu z#!N#tOu`X`nX7v$QvYmT3<=&y%Nf22B*~#=muc68CsgC=?8h97Bd2Ov@Q8pGnl09QOV_?js zSaURs6(Cijk#HwCL>S44AuCPsO2xmh>@^#MA(IM@m)^aO#mT{xlyEOesmmH;#5r=! z=oya+7ixkcLWTRhS1bSy0e1dzT)EF{d?ffVVx9MR)~r^?d?#XvVAFtqyhCW-C5Jy6 zAN)Ca_qS{c$VNcgU3fGmQZO5wzmW0@F#z}?Z*4Dr_>oESF9W9FEPnPL^ZtIYvm-+XU-?J;luDPB&leey|i z`-?ADkhk-YQf0vHgvq{AjvNF}Pz4JYCV69@M!5;8WO$YqcX zFa>u7lz=c897!5S!2xxk6_8(m=Cb_`c1zYH3leQYZ=R<6bM_kem{m2KAzp64KvyG} z!w~}hJ0R8_X2v$)W!*JXP%r3@qeK8o1VIuZbDJ}Ywaf704glU(_*ed{=h(<)K6s%f zgPRD zai4_txnxN|3>jAIBS`h|W5Ct(&@0B7dy#-O9ne7d0|aJZEdqsS0pdt+ zf{kYI!m?&_!}`HsJMjKS4`@;#`b-VyH~mILapw?TLLcFZm|V_rShaAz zLn8wQp(S{jP*-RZn3KQ`i0qL(fh{Ui68R*@i0u7Kd2;*G_i1tNT+#Uu*xgvopZVTi zGS4R2kdRwoIHCh;-nI}g-sNS+_S0uIDb2f_(gL(bRW^pUZ!#(|Ua++K9*`G;VS$MR z)+j8PA<$R{|I|G2&;PGtk@z3tw6?Ri2M@HZ2L?J*vba}d*9mns>i-%kiG20I zjVL3bCeoJH(_{810UfdVdra)W$}Jp#B&Z*gsp@WUrC1A<0ROac0$iN|(B`wI_-3g} zeEd+AQkMkTkNyXss0M@>R7NU-T0Mpk1^_DVTR2J#m`56N*qMg5Pzf)UFp)V(hQ)b? zVS)Je?5Szo3{S)Y(H63vGyUBVw9 zk{L}W6E^F?3_+$ua{C|&l8>OSH)#n3Rzzaln7Q(80tg8z6-16!@m)3+@Vm1OFcxAU zahMj&zL0l79@iqtO9vIU6V5KD?inJ1MIVyQ(4KVrq)wV=+Yh#n?z`7Q@yVxT$%Put z!fODDbqS+oY`vxyRsUpYZjv#T^S+ww0uYS=nl#5AhyZRtk-y7eTwn%5lgCYHWf(|+ zXM2%=gI$t-3v?VS8E`rPXk9s{mS;OAjuf4VpFO`{*5`5G>az35B`82*xbEK`XU+xZ z86KUuu!J)y8Xx@{QvBvir0TBb4aS5#0C0v7SokjngO+mLFb8=FHAkW*#v@Tf!x3(V z7aAz!9Om^x#i$Z)cSgcM5-Gz#n#s^e2-Waxm4W%nTo|;LT`))*OyHO5~g zSGD(m0l$UAWYbfh9g zkh=6OVAVvunM?<5P}@MDS+q}r?~G~7it4SudR*6k`r0dUUZIXpkLPeg*u+hwV`!ZY zNT$}+I%DT_hHx5t3T9_O`7ja;rKmCRl&IO|26%!PuY@))njR)dHBYybL0kpBRu#JX#>_w{rokW$bRXaum+!Cnd5l*Ihzl=LR<@HgrOvqx8y zvJGAH#~{Y2vXRhP72L!|c3N3Tj7NCi!|n5tC40@|P(x&XpTrC$9*R0yLbSuj!*M1q z9>y!)>;OyLD2^Sgl(AMC3TD8C>u5syVUDy0Py&ivZr8Y1Y}4lI%rQJ?e2Udkay7^&~)0xnA7C@3+aJun^eF2MlX zdB({tCm6?YjA5p!7(jUCjqFVSnim(nlUwPVQMTjp;j$8ad}7oe0|$O{LO4<7t#tk{ z^skK|Y3nlNMiT+ysi9?z1VPvVG%d*lF!?$ukTwZQOv1;!>bWn!S_}Z)WUZZa)>E~# zEfapyvC|*K*m(bwSpSonPM_Sb|Mb=NeEpk8mXC{9MuG#Y zM-h)Uw@mH(qd9+CpYj}ScKxk35Z*Rfqo98{A_ z1W=nwjl_Rk_XEb^Basy)N%AeCNl_ByFmRREK#yz_CkFwrK~DxYse)8dMj7!1+K!BZ zXof@!K_@I78@~=tKCN>TvHnnf9TBO+x3)({B=`nuZmpWp*2of|Pe1Jw9nhv=R%kYa zOqrU$bc#A`6H*kSEd2!xOhc|?x6iTpXlBr4K!yMl!Nd&Zj#FhF#Zc*6j)sF7V>Vf{ z6NTR|A&JNpC?mrPn-Xi{lx>)_6)H!&i(o2@DY# zW4K+lJRy-#EB1{y&GuQPB%u+)Eh+G*rN?%96>;mRD`+*09%^x6jcS|MIgYBqfeDbX z;dCHKJ>yOLU{V}H{;&EJ?N$3ui4|>sd5V#CdE29w&U*f|#c>pD!oU+DWDyuqX?){P zJMG$W7MjTNOr*+J0CDcPO0R%jfVUnuoH`6$_ENGj@Lp*#@sZG-6VRys~_KBtervdY=3{AIoErPu3v^d+ozmKNMPP(S?v+%c3dry();>-VWelL>MCuRn}x z`+n{W`uB3$@#m`5L@B77Bl90^kc-8ZyY8v@KZrTbaqd|Gp(XenVS^)TVt)hEKqQ5c zXdkqM2ep~+;3n)72$eJ@B{ujBn;Zxc4Q00Q6^|*@BiW%s7oiB2SF5mH0pD6p?_&)h zIoJ(EU&LF~)I8+?qTwZ%8e%7pFmp&_1mcFy2k8e@F7OJ_G$)bJNz7dEcXk4b#MRezdsT;_wLlKN|?}Dz`!+I*ooIwSv8{lS4Hj8r&+p zc%>MSTX;o1G3Dnyj&-vH}AtY zgkNDeVUMKYTw)&L;Yd|2(L}vty$prZ+CgE0`m9V0ANt0d7jP`R!#1L>;T+PhizZ`X zX6KlJ%sJ;puo#R<=)ENPG>blHPNMBjSL{4U=ft$4Nuy2p9k7+vV#cb()b4{3 ztvch6O{8T4$2snrl8(s)O2Ys;7d5|O6J`1{S2(z7(wr&G9Fj}H3_*i9!K6j}<6u~g zN8>u20BP{&o$osT`x$S39WIH9L{xx|>E^_8q!?G`x1ZIy6NT{)CW`6iD8}l41O)uX z|5%to;5iq0=@97t08TFJ88E6ciD3g`^7Uy0xwOM6(BEY~JaUK%J%8@<+Ash@!)Y4e zkKqC?9AyL~I{`M2FRiTK%?lh&KVH(;0K5z`h}rYfUjJvRSo^=~_vQW|-MR>dninOEsFh4|t-U~%^CwgAJ3R-ys!%h-D~vb)avW84@)Pf8YlCPhWU91P9ks z5I0B(I1#57u+)_SLg;SAuspz))*?{?T!=9ag>YT8mwqX25Hi`CYP#LNiERd1e>7x& zyS%ym>t6?~gsm{XIKHG;Shv||y2M9yVUg4(#0O#r==4i~s5<{KB={KbZXM&;Q4ZzC zg7ISxxH2S)I55au8DXXkhTKsQJNlt;rT(9a7--I2#-xFSnPB^6W(RL0O)hl-9|@)u z8DcDKRAmExU<9nta;Vke-RAsHY!8eOh#abHus?eNdtWB=he3~K(;~4kJ<;dAg^eZ{ z`VD_%Q-meWk%^(N;jpJ|qLG+0w_$q9wjHecg1TrEWEb_HH!;v!4$y^#h(41KpuW(S zK=+Lz@SSo4bl&KLP!r=n({xGS&(2m`=`gQT_9uAiy(L^z&U;#}>jLWmHb@dLQ^g#U zMW91w(V`FP)aX4e#nS_|g0?!DD4k6U6srWC@HyxlbUyym$4>Rvw$M31)_&-u_{%Ax ziZ_@>7KeCChSejW^Z#Ru3)#6WzED77oLdcm(~avTKMr_-^~spK2nZ-wN@Bk`em^5m zz#8v7_N7ny!P)!@7hwjd)-Y$NRQt=TY3JAe?gl`H?D+{o>~OB{e+fPJJ+aa_A`u4z z5Iz9<0Vv|c`(MI~|4db0xqO)|<@(8NhZHqzS(X=UDi@A-gd^oiAE={N1nU8GFf>4@ zk3fJ2AhS6a7RZbTpdUTMB^eY2byphr2Lg*w3E`8Wkb+C}>KXVFJPIT=hZPZ z96~`=>|BRc0|^!01NA)87&K(bmbCOs6}X$xr0h%=15GVpd9QIY0ssJk6f9|<&3%rs z?cr}u;+6^W=cf?=!S;4OD0|&%zQ92bXF8nf=mMMDMB9Z)FaUt^kU7*MpajqG20W}$ z7F9IxV%wnJoNN3CT|?E#e1x|*eXp_q0yu6thzSZTSS5P@iG)xCOCqqMl*G2PeJmnK z-K(l4xg8XOf}9WL^L*Cpz#=4li1@H!Z&^S@oH>qb<`+P^q#9u-!2nqjZrLOUP@E~( zAs{#fcA5i(e!Z&M-U*=eXhtjzZ91gBty$$Wky*A@yv`71y;|0uypTNdJQwPxd(r4Gqm^5q04t zxeKP7!I*;9ivDrG>}_S$qTHcZ|M!FMe0{zF4kuEm_f+x0>4nrU(`^W!IEgtQCPOs> zOrKyB!k>cQ`1(NcyZ5M33TA;Lp~^UDaxd4_1o+zlKQb4B8S4`#c+5re%BrF2EU^`^ z9MGn z;rk`@9MwI##qbiRz=ThTgzS@&AmYVhWF@}(Wj7gp^;J5*!^UX!QFpXG?9bBvJ5V?L zR_ZZmV+#a?lZzq4;5;SOH2V|Sx}{w@?=Z0+0QM+ykLzjd#=T z*pFT{`7yr{lwUzC^EqTR>5(nr&h(D$sOEcBZd+v_RNo>|)6Fw!)8AL-9CB zOb885a12I`-ZV3y`VGH9c*uK9dzWQZdPGN0!+?99>0Ru84DJE&4kQyVcDBf6_czAG zkivIuJ8hHcfRL5jQMvz@iLS1rZku(d~k^muDk}sJp zn)|>S#*fRyG{Sk|$qtEjz!(7L4_iSq5Kf1z8lxgYo~_4FWx^(tP3}4`c?RB&{t-;( zU4REsCW@-*9N`=HHKTgO;F2+lyp7dzfrARnA8BrBc0V61=kS4W64-n6yGYIhUt{Ho z@x^MRXNF;oOeW?vTNS6@Fh_{qR9g%KP<6fqb}}6?e_&V^a95gUKnq%#2pr@H>&WyE zzm6$Pi~b#GedDE7SLw3ksp(0(?%4Ni95+6Ys?OldW^r| zL%ti%Ioirc`i~}or~)R^CNLwffaZzj4s&7wzJkCYXg28`88zF_96{&eT08@9;n%S!l}I(<_<=Fn5f=HqfMa`2q;|+}06x_CYpGsB z9~=O`OWXyJN67%|Kcs)v{A&7^)Q>4ttxJRks+nUxMPi^S2*f}U)?=sOKC+5+?!bsF z)CRC%i?29xFaO&y;6Bfvy1eoXz)5#qj<`_hc-NTu&z$@?|LFwSK!^S_)TF(*h7K90!agcw~p{!)*QWvR;=~um6BXn*0L2@`)r1^ZDu>m0R zVf_vh8zfvK37dtC$u2@h!r(he63TCY%q`BRtaCW))ysUzz(kRDINNpHN9gDl zZcu^*t8htyl(P`nGR5u5sqZ_I=KaH`O^5A(PZw0tzE*8#sN0w)O1Xq{HIQC#Jwh1u zfmD-2?mK{eL`|K}7`I!{pBZ|B660u{-%E-qfq;-CW$C2fhb-!B1#x9S$%Z1aLmFnw zRiriY<5WKbS(+U#Bx}yMcqidj&CFx~hlyphwTjtUp^LUQYeO9FTH^ZbiLupYJIh!TIRxNO;07;-b zMA(}x;WOCuwdt{!`|>a!CS>cYNkPuoB*{7S93Rql7`9f0O^&5)$nhb>0X{3qw=dKO zA6>e${NNDt`Szp>33!L-xCyAt(8>!ygG5W6i%=@?RC5UBh9RjBneF%)GzVpoeT_lo z05BB=0)AF3j%UP{=W^=|q?<81qNLb2_Kl%g^bxb!N*cWZhHh*zv>X0KFcWf6H5;>f zBg4}G7NV>sX-?vtngl)Vw$F|$0qVi@$%jvY`5jL7nTN+zvJV#cJyHGpaB&!8T6i6k zhJwV4K)92m03b|`xgtMRbqDB4&cW}=RInuS7XhW>5y11Q`8DHgqI4;d8{jXl3GewGuNb_5CxX4eu2t zQdJbspSryI48Z*f&k%qbRlDo`Pkg`L{_Xa^D-!@iq-b!mNS+!@Pje&n@?WPvs2xKB zep3@cdo)WBP7^Yka)UGBbtrnS&$qXd&GI-|j%Q$0)SKo>Z;%c(1EfezP=>%kU?Tve zEmWzD9HaCLC&70N>Zo- zisE9q!GzzXZd>zUf!<0umHe6KJOC5G9hd@8zk&hf0Qgg&=tPQ2p-bs>IfF>{>nWt3 zG!l#E;&50j52t~^LE@e1(S9uGW8}}xY_QC_$&is9&LD<86e**a{8=f z0Bt7$2zGtk7wG_;Vnv>w1|0@BWQ|m9i7j2iT&or&MKLS@TuF<`A#+eccn{R+=>g0J zQf5741N!|YE3hMXt0VBsUn~wpSW(8uMdx;({p2x+@iKM~M4?bsFgr-0ECkwQ(jD7o zI%L2>jChLrA9Xjx9j7m}3HR!3r~E!WoNp%^TMOtmeN6O8N+Q`46wx?yGakYep+Paz zqN;GEVl@B|TX>0mbRX=P0mJicHao2LtMzzi>{@SQ>&0<0T#k~X@v@(j1hHAn(qt1R zq!@N#i-0)-F*^+vThm23g*uOh5Yns7xcd?kkQ=D5A=;5h}8F8_m^zPQj!yy`2@=us=ilL2EznEq8*k)9*)dz6V z-y_9i(&-!lE6ob3hG*$~e!$CT@DkNQH75hs`Q>p*rqEyjm}LuzH2po!)7}stiY3Y~ zokxK?TpAowPRJ7GGpB@_uSom^L&?11-6J+D91!4-R!x_ z5SACX2qSv3`5QG#iDz(oa>%;sw|dA z$xe5i7JJYw$ZAzq$=zO&PG)IMq&$=X5q#MzzaD?{z;manXisH8R0eybEmA26f(r%$ z!6EYKC#DBR>Z!0zBco2|1*pFqEXw--Jy$G8eKH7l5Sl5AV8)>)ILi;=7)ZMgPKb&S z$?*QBW4?g*IUUh%0}sSEUWCzFD#nAfhj*va<3)j3JAhR2l{7C}z1>%yb*)X9#zsiL ztc-OUoR;Bf4k?5IfRC70#o^*lfPdU9tKnd;`C@sg?yq3-?a`&=Uo~Hm_v#&Xu19v> z$mff?x8VH{E2Yb5lWpT&&!VWxGFPzpAgA( zkd)xEk45lvYL3(+!iF(8xb790TvXvQ9&C_XCiCyeKemCwe1Puii*i==$0(Ur^T&Q# zoZpkd&mrYgz(?F^9|?X!sud8m(bhKyvZ8Q7@fD6_qT>9iby` zFY?Q@bwB>E&){ky;ei3Be#y5^fUL*Pf(VrPw}W!NzZ}gMM{1}o|J)wmUY$4qGKL}51IkB>2#4z)l<+NaALp6@ytZZvOcul( zi~G?ug|@(>&-?DsEOG=zbut}J*ih)X%WJ~`tRdj~b$NPJ0vF7F_hS*TFRSpTc!9@w zAH!&va2o}nIr-F7dRdM5Gu8{t5$r>1k;~QguGB4cToq)F1SG5{dY#UzKJxuR2drt@{AdUZN+<&9sFT}ANYJChoz9JTFX-e*ust~f;bl-cK&yBR6whvgJS95>snCK8 zI}j6#>JZ~_e<6a1AI69jNag=7Cy5 ztt1uFLUh-tzHsZK-RO<$1<=H7U0@DCnUjyJe>uNBzy7OVJ;FHAlmBG%(qEsV%hm?`sy)`XU| z5?0bJisEQ7|6_OlUqAnQpSfRv(?`@~N+TWe;oYI|Sm|{@mB9(gEf@<_i@`z4ld+=F z_z+geyB557v5`mQ*y3C_PF|KZ%>@kdIs^*4W0U)USDI!rK3 zIBeS@>1Hr5oyBc@QJ zy7~IogkN~AsLa`5a3N7&aF-lo!EjAefD8bd$uJ@4Sg3>|-joYd8xVGWuA?Gs?`3j0 zj&jBvp1;Jxdj7}XKKZ6Ypdd5cl5Kd+0if`!pn~)V78VnqqWvpCNln3Z&t0-EnTFYp z)DPLvTu0APf-bOjRO9k7e2Yj!=$2t+C9-ez#JmEh-?R%wxQAv|u^r1Qc4d6+OEbYh zhyrKmsAinFQWpg!FAEmM0t>f*Pg)|x&GDD)6U)YBLMA~45@HcVd{oCf}k@^nuv7jsw*NGqC*_{hn@21qDzgmVOee57KOp@5NXN?bz-O+}6Gco0U?rM>+z zzL8H^@-BXbrhZ^spuF3IA9KH888qVU@H%1QNLbcIoR3LMbCzBy_{gpqwDld2IWjg5 zm0dx*(0uLntL2#WXz+3?`2l1gDCJ{1cK=(G@F;t__B_r`n zG@U-YEpH+4;vgVPDmjs@1?hw}=6>yKTqX>b%4G7JI6tcfk=|<6DfBC&iUZ}?jc-yS$6MaeGThBk7$Fvwvq8T(-rlY+_FZ35 z*2lA6K|hh%VJ55-dCEjDFc;`^g9)GoI`YW~X?#%ofU_Gx2#9vLd$A*LI+((OX!C}- zNBNGn8yX)ZM{%F3s9!;oga{A=2oD6j4{}L0P&f6#UE2Boaod$MoAzx#`M zQ_V5D!#p6{CzqA~{t!A7u>sE{7Q z|IvCzLuQhPoU2qA^OGxhO~Vn=Tjp)u?u+yTZGJ<4{s^>&+k?bB*1AWCu*BXFP<;Y| z_yT0r^!fuhXJzCa5K-Z}oH~u0{O<2ga_?Q61H>anq)ObCo2<{e*BSv;i^iPwQ2;IP zIw5HjAw53#)WsLREpH+4;vk@q5t1uN2Q_L`?9}x`!E7mwdrAp@w=+I}zUhzlnjZG; z{%{ECJkSanAH>UNnC#$g^q;J>;NWQrQD?0KAXs$<&BcK&EjA#mJ)|JtyZzpKt5!$T zANsS~nVcsQp}-|E9TizJz_&rQw;_2oPI(<73Xt4+BcEJiiRXC^g=C)uZ0#j!SW%xN z{hNBHkMW$?Y{SA(LhIyZ3gGZtP&wSev%Nlo790c91)>FMSd!%&C(3SL`|^{SC>uT; zehX)UXE)@AA+jD4x|6U5XTO$N;jKUjE=31GHdJuOvU=DZkJ5LpOpst*;pxQ2vXw4D)z4lv|Xf*_92o)EG~yg3s>-j#0ZOp6Alp?&1npnYXs_WOC3 z?%ckeE=kes3ut1y=Hknm?gV}DI&?}pAsc2$De?b!Ov8ziwx}tGEP>n854mT(TCL=5 z5dtLO(S2W|vXVdPFk(Xl^8pa?(lHkW=J;?B@|qHgS^=2sAjq=v{AYOhbE-Hdex$=e z{Q06!fPMhv0Evi!3CB%7ZW`o=s1U+=+oRvv`nfZv4I@4{=SGqtwT&(eetvS1!+l%c zLg4u!prj*zTHyGv+=mc|gaH?;tx>HO|HWWprZ%HUgns3y@TJ}pB>X45yg|KHAFApn z?dg{!9lG-Q=fuY#XHs_N^ZNSLt2OC#A797%7la>HpBc8?h7$xULB;zSKbmfzP%Mxk zzWl|azbFp=aJ#y_MflT`RqGAysxC}tbF$*H?Jan`Y)I~x++)c@7zwpX-FBBmAMCc~ zVno&^roCZ*`OW~0PZ&F$!wh-!RKW*;4Fn@$P42SG!U3TN zN8KKYLi&V2c1PuvD_81IKP42Ba{c;)BzArMA8y^MFHUiq=oa@-S1+(5!@Z;v0K)dK zq!T98QVt0jl0D*^^R&I&5cQw#9}mcVG@a1g^tjll27_}LI^Sia5j+w?)l`YYP$01q z-bsvf`aMaGzD1QWW#ia+I_}SIL*~w9$ zX7Y=#Ac@=YJ-f81cW#Wy`S3;a-@m=nR2NK-FW&s|<+H<&lg@jyi)tXxccy*^p=u-}i48ILLB@x^L99^1C&#?H;= zTJgd1cITijf#6`HnvzHJHp~@FhTHk-GXulQ%Aqn%GdiotZ)Cl>&QsGWa0+xCB|#y9d5 zZb`L|689lexfo9sCcI(iPaKT`aLqbjB*Hq*D7pKQ7+ajE!HIeF0@qgvGQN8*PPC4- zlyAtOkp-F-WG2|oJeUY@K`Ep+BhSvz1Qh=STKVk0CV*QXU*0kRkB80MU!DpA z7rBebC6WMOkwlY%p>)8v%~a3)k*F8^>w}L6HuI?SN6YGo1l2igKuR z)9j(#nnLjR7uD>jmlo4}dSC{Ss&o7HdOUu(S=X=Ew|94!%;)kB3WWFY4Cx+pZlgG! z@+QXKjjRY7jdg_69=rK5uaNp!I$`tW$NsXn_*tGV=VMe$T$T*13hlPl5+ImySPD!v zOf+&AqJ?!Sa>?_(2f8z2TW40G1N* zfT+Zn2unP@n&B=3)SKuB&?I-EcM*yIL$&X&pY}$O|EJWlW(eZh)4xByvJj#m|6#w? zK8?B_Z#)dGsKK-OxWLIg8&x07X4P+>a`DJ~^g-YS3<;_Hl5W1WV0&sp!ceagM+d$g z@CPX&HgwT_4>=n9I^sWU5a+D#rpp=(zrG>&4pcz{K6g?CQ6QreP6rb}I^u-<38>ZQ zcZ#DU_7a-hD@SNR{@V{}Ku$sAgW0dEeT>ee1zM6fh=J(N&^!~ph7CKIBV|hL`!$J+ zXcP_U6LOFb&yz!mEd8K0@*a|)NaCn^Qhy4g5foeufdet3Gnit%Ktkys=e@f8;~#G? zZ{Ga8`uy|HpKhG)&lXz_Lva1{4Dwnaw!vT<=ed)a<@Fz3mL?yHU07R3D{Aj!CPMws zFyP;6Y9!nuNb5s=~?qYVgEMVJ~63|~k)M?05_w|PTxy*dNL9F5C*UO)c zvnf#}#vm9>OV-1f1XRfDB^IReW#HU1vcUVGr;p`yA4L{i0}?!IxgiH+uO?d&S1r7J%@bO+vMuB|GTG1B)Z~UhFzybH3skk ztqTvfos2f7AGFWOR9Gj6vkPs0Ti!z8#X%r^kess4I;Qc1GtYVLd^dTO3ANOa-Qe@Y z@?aI6-6!7s=#PQ>)NZ>Jkl?hbx+t-HBChsxvZx;6%{{Nmch4Wz|JRMHH1ftn?|ih@ z)s^PP3W0yHw^t43X*D5l9jgu}E6BVqTizIo5C}R-TyhE`?#mV-QbXVCoHTb4>yHt^ zq(#Kv^K#>~sUqY~;tJcaqhzrxr<2Wc_Wd#0{;)@W`Y9^)UElCD1(owob1l!8x8YI< z)?0S*Atw#3?F1e{Drh;v@bo9+AI^W! z7(#!P$qm%>E0H(zVU|9%_$85xmteG%A- z!H5cGOe`k-$rvI?3Ldf29~}YN92hpOEX*zoAC{va@E)7HE({E(G6BvfW~)ws#I3f` zCFMR|ntO+b_2+1jR*(EogZH|Luh7v9o1tRSfr55NGyq38QR07O0W@d7_r!;rgsUI# zmmoh-_Yr&!ke3>BE>Gs z!Qe7^S^t{#v_{BJS*L~Y_{UB-#)bgGs5wUoeeI3X>iowaORQ|WpSR^~2*fy{`YKV6mFFS; z9JTdppVtBQBn*)6O6$h(3s-=?9>M#^^(!2_Qy)*6cldX({`eAMfSfDsOXM{N7zSv% zVUIctqNoeafZ73{vyP`OKJd1zAP|t_&yye+qq(}D0f>7&zJUc#=N+B&q8Q7pmm7Sp zNDE_RAWAq{c}yS*>Ou6**jR_iXL9?YP3@P<<;|U)vUBw+9(_A47_VP<(Y&xC=4J`f zFfcixeyGyj*H4j_b4&t8tiQm5crQT>l{&q~YdGrX9jo_7n^3=2Xd^A~0!kZvR8nB3=ql_JzF3l;mkvVjZDlxga0Bp#sL&IBsFvyt!XcWp zDX&mj933V7b6a}d8A(U~(9RGxVG5#^8b?u@iNqcbD01ljS~7c4y=;bLCM<|`WN?^4 z$mvD_hIs}Ji-bW6&XlDYFq1gi($*e(Q*0yrx49ah&=hBgtXga;rH_X`ZE!dwb}WDM zmhL|Ra*zE9kgDX=-mg!FL_Zh;9xyYc3tpz*hydxVc#X?JGL-O@j^duxH4g2MakBcu zJ@LTmu)g1VBToQFqE%Wy0bbDOMO_>LyKe5mGY+grKWCP=41f?`7e|EiN9ESl4S+Ee zYNx?@`g~o_8+7b#j1ZtDv3u;mjFK3s7fJ$hAtoLddvwjvU{&4_6@#7Fp@szHB=gIc z$7FGR|IQ`yk1>OfOksPzx!DP4w$o5Oeg2G))eV8iL7Y73IsaijCumV?r5Q2+hS@iiTK5@%j5oof7?qZF*fKa$`E`DfH;2??yO8yQ~1G|D{;o+wbg z(F_2~DX_E0fV$B21n9>1lVM=AJqPk}!k73Sf4#H)<}GhhxlU*Q{lT=kOAJ%9Tr@*e z%A~4uuXj~qW{C?mHt@lCio}A~S!cPNlyyZAw>EEb?_U^I7v6n8?Gq2Zl^#_$Kl_`e z^ZDgdlXmy{fJ+T-BI~wp5Yo0j)t?oHUX!h$sh~k+Nd~kYX4UQCd(Gv`A3xu_R)d}` zSpWSE>c>~iOnAO8as;(=M5+$0XLdnAN$A3XFYE-zkvmB98ftYAJO8MFddLKyxHYaA zn)HWhFPWDk&Ggxv3<99=ZvPySggM*xtQzr{Lxz1A!a~5`oS1P9`Z%)p6 zfCkg@XltBM42b*$83u{}XFmw$9v*=Btvn%_)}uAO(N~-ZEK0(3fF<7d5`Vq%Wr)2l za~!*c0qe*L$mAh#Aaaj{SC zI5xS@I^8IU4OR&c!V!^0skd%Ph7dIq+OIe~THa^|K(MYMD|G#ILAC4i)8G=qe%N3z zMmoUhH7ht1w5OkbP0xuvAKct;M*6zXhxmw_m$Wp*u8m`b8e|H!5EY3Z|HhD*OELAE zn!T>sH@!Gc-(fpjmH<21-&=lm`2!+uZbgz5lc^Ba{#+1Nlda^&pgCf!3C5LN?XV;> zu9{$lL_K(}lc9!%T<^`d>%F}&Xgt?w4!+!Osw?iELvkIw_F+0$$i~-;yd@%SH<&|_ z#SH?()FCZkCu7^>6!EQLzxfX5Y(9gSX4^s8xcafxFnh!+dO~pxv^8J2hauuX%Sm|If$-A2* zYO2_kk8nrk?0_NE(GKKE%G}7xR~IDUXFIBLPWoq3_+^V~E3LlU`C0vMFJF$nKAeZ) zSvpBVpL((LX_2#m5aUUJMlnb8Vsr&kq|+H@R^rc*dYvCbxZJ#$vOS_K14CvU!&yZ& zf^!iK)FG?&9+Q(TlF2*J+bDGoJ?oiQ^qLDTKKv1thupTl_#->oe9%hNHNpR)e)hEL z++}>&jyvq}h6b{RJ8Z8^t`E*RYAV7vFKqSN^5u#>N_%DOwUv34*4s=Maj{scG$sl)rGmR;h({^MRVztd~T7+(+59(w8Q5TfADX(BNo#p-j06+jqL_t(jl$cBQPaz*}T7YHemnPp9cdv|^;iWru=RC<& zuE+X)E(ohaMZzUNy$Dnf1vV0d0U$;F93+nvlr5%h6Xkf=EqmExmBC!`CYi=2LNHX6ChjxFk+p%^>^kz z^c#8zqJ<~-VP#YRJK$-V#^4e*cZJp`7Zmy2K-h!sUnnPN%MjY;Mq=jnr*2vUuuy6f zyR3a#m3O_tZa;V&R6TM5>+Z(@lL@d*R-_6NVv-;7_+5HtvZ8y(#k`o_Ez6tNKNRU$ zeyC~fU4Ndx367Km)RDvJoLtd3uV)M3%@)Aq<$(w5r5PFi(^jJcL%_DrCA%qRWR4^j z9HT)x-6%hw-mX9Y`@d&AepDgE^+tVd=W22L_P1$gvgqa$awnRtk2yh4GKc0c3*-0CJ9m#hDXFpvwQa?y+6%kTj>%kD61~ z{;HPU&bQzGr{>H;;KnVwu<>PW6*T>LYl2P(s6vK}1eg$r75XriUsG z>I40mqqCo)8SfviZOFSkw!5k(>Uz3AkTc$)%a$yNngG4sAfCw1nK=Mx11{9V(WF9e zX8q6pj)z*3b;$x;O(d04SU-APQ!oFWP@$91giN=CB_KaQ7Lv5_TR8KW_=O0cK;YaA zNaz4208A&b#Vs_s%r*d%Y-&uwz;F+>yW2Us zb0=ABZzmZ(63M|5dhgg^6JmZsOM#7P{z15?{gJRMq8!*eq6|5pNBH-50~8;B1p$31 z1LJeH4w$*!?(O<;u(RACq>@a($o7HoX@gR}8l=EjBq$;+Fncmpj3SHzyf;JiSg5nw zU;}W{Vaw`#hGuS7qOmjbfU$bc=Dv}S#k!;C2~5E9OSAxp<>EQkMJR_QxDscRYk8E( z)`?Rm9SOI|f?ROxdc5Yj*ZiD};OdJ9F9ufNR4sr^gbX++qN52w0YWW;OaLjoPn-e` zQ%rBP_43oB#YVr`MeyY~2ep?S6U*Gg%-uBsyqq0V*DO$~ZR?Txz`2JeizOjw^RSTjd=Oxv%< z?0E}RHe3%RaV;e_3|d4;jjB*tNDlOiDfw})sm5B3!N)-~;=JV%d4+G{m6*zb1^RVX zKKswJt*hF7LjcJM2-!DJKs1&IpwEhQ-VezxxvvXBR<9AXpyjNdr}fZocJnjapX0JB zuuQB0--k339)FxSkQLkHE76-6k>Cf0fcEh$w(wP+0)8xu!Jr-t!y%0o^V2W0!$Y=n z=*a-E`w^Qn^-#_@RF0Zw(F=uW<_sT-sIyu}gTs&zm=dMj})EB^Woe)EVz%`kTK7Z6K^ti5{fzE;_&)={0{@Ggw z;65w@Q~)d>8<6JQQL_XT&j98662N{FOLW`tr4Ei?1zY2GYyPw$Mo9J0HZ+gwmzlMK z%K0dDkYlab0(D-JogPZ!V#vs(l6BreL2%@{ctJ&^9jsd%Bjp~nm-Pd2=C`z)HIvDY zw}BcGxrgNgwnEun+|#}z^7}}#V|k8P1cr#6y4%DHLP@ zb3lV_Ia0Xn14M{QT=gEGxxjD$7-)MtJX9^;L8EP!|5W)y{IO)fi=l+zh%C(AIw^W0 z6C=igmKaiI0wlc3=QzcEA-;R{3foN>w+YM2SO8Xpe*|Sax%wv&W%FNVG<`;z*2^>; zz+Y%zsgni5UKAO+27@o0t6bvT>3{~QeVt5zmLTWSQx-;)yiPpB#zSoWN1~?w_zx%3 z?I|mHd)s{ou=z(g-m!yMr-tA=CMIKEkC6+3?3h7}MS!^zhK~$@#92*JU`GextburF zaQzy~ooAIv{fJAwF48n4(0BTtoEyWMeU%H3D{mA7Ae4l*M?aFIAoLtX$$oUA^;&#C zb-%Z-@0aaTI1t5~lF6gR0ra}ZH?H76m!89PoiCAoQCmuz+Dvh55roYHR~hml?T5cRv-QHzjuB+yIMVOo`5y(X01p!8CQ@f zA5Pj2snJop{^;S-g8CUBU4BoO)zsk4G4o>D`8(|jDHAq?8N|#|xD&(2^|;rW6jPEP zgk4T31>!co=W6L8Lu=yyJoAl)Pzf8s`f4D<8-pR@UD9}^8!5d$=vXPDk!UR708~J$ zzXDhwr{Bk|G5~UUp;3A9^zbw^U;O!EI!%@)(;?YWrQif$!dL_t93=~*67cW>ERrSx z^YY5eod(5=Z=COr2}}c`F|@-L$_Mb1Eqj)iI>W38#v9HK0TD~_;K>_aJxldJiF+kz zYoItdFMWVc_1YZ0tpCbvfxNeZ5`zpQhrba4k_nUbL|y=nHqE9QF(t#`Gd5p*;Eyr5 z9AzrbEUW8*KfI5dWGal%QOLsF8cu>KkpPdYB3^iA<*(&Mz#t@q>>45xe7{Ka1JeGs z`Urzy5ImuH-R~#Ycvcpy9Wsud^ZUus^EarZ2>-+-lP0zGyoWRpSX~t$9lh`YFCOvI zI3bBD93c}%0Or}K0e%EZ4a|?r{`lw3hqL1(KbkbFJOR>FA^pQ8cnxk7 ziHb@oyi*lD#Gh*-aOwXGEUlw9^+FkWB^rM!U$-{!HjR>m#LKao(;#ke7MfV+0qP1g z_*rHNiVuR|KJ@aK3TS&UF+OGe9-q0a@(xH%lxVFfB->Wn^j$&t7$su^_#W-{)!fU+ zgHPDXut{R6ChFq_#>M-BmtQ{M72-~Jb4Ag@^l)}KVYon_fx{7?1$P|-8KC&#p1K&hUtkHnSPYMQ>hJjBZ@K3yJ|y31&a;MiCkQOU1C@f5 z_6v>@e$|{x<|YZ!fyeqq1SUpxk~xqOUd#DOA2^pe@cRSBYh18@arB%M@6|^@O@R3b ztn=YVxpcq0)*66y&({zV77;B4s9FdsR(bB)W>i)>6PW_PTO1jSvqCgzlz*MO{Yj<$}b~}~lx9a13Sf)$T0TE{mjYa)Ls2yI%fG9#%04maKNJjnMk*gGWYJ-GX{jMhquuBxj7c@g3iTW(vVlhxVe1IeUUwfOJjvOTFUjIMNn0 zu)bZ4%m+w7)*<`|*-S0qfsdIp&nJ}iRLQf8V3ry>Xhb>^I7%m-)SQ9z==q4hy$w?g z2**lLcB|G;P=FI6;dd^ghB03;|6L{W9%1`uaRlyi;s-&ZORdC1dkK=uUx-PCm%RK! z?Ei)Nc9Jd#x6hVo-rF#7gL^Zo0-@gwfJ>ZVSj{8YI^0SbW3?mbxK;@!UP4p9WoWl) z21%lww=FBlG_oaJh!_)Erenqs?L{XS?=y)WX^ONg28>AsdSd#c)4>s@Tb0YAo=n>C z#YY}{1uqDfRkJ+?@u%}nSQnLx(BlI|;8@nj_S@6_{aYUUf?HK#l6lXKm}LM8)SMDx z3(*-NVyN;L&FIv`mf4{v3nI-kZshR)v-d7Nb{$!w-r0}y$_L3Ll@d!Osnlh4H7r4c z3tbqv9&vDCpaA!fp4y`x7`VTovVXxH`_4VmumLwBqgyb$eppz-m&AcB4Vu-E7n?}2fko?}-)bL% zA}dDk0^M~~r<-peZw&lI3xE&o3TPBZ zAz%r*AyN$nOp+Nr0e;{r9`K zeedb@YqKGSWZx=Z$6n07Nw1)w_J4tACA{Sak-GSF$;R?=lvu5`LKh z;}|}EzZQhB5S5ZRQgC__xX@T8z*&a-E~nw2N?1R?y}kU`f4$h;c>e%cgHxLm9FysD z?`zhV@I^R~fzUNs>Urisk>z8831EZaAS)b(FJm^&v>vfJ&2hRzyw$eH6-hZi_ZSDJ zMNy6CpI)y{E?@g34#L^}7)L=}PeoUs1-etk?g3S*#-sqP;B!iA7Q$8 zK_NdJw>gesaG#4poGWMuwZnx#++DB*tm|AlgNvQOEk+Y=>c@naAz+v}fE;0=H?aZh z;uj!onF@Ux=-sf}H*hR6WS={z-v@xEjC-@dm$^(*u(LQa;sAgaw+5)Wb80Zh7K6Mn zJw%p5-#9~}j#NqJrbX+SBapF+$KYadSk%oIKMlt+$qf#(ntggb#f4Sc;vLZ)j4}T8 zn8$3hDDj}16p`3c*ZaUIPfHFwf^kenb-KwG@15rc{WE`nug8`dqdBR1G@XN}f%<09 zl#X#^YGmmV3(LAnlPfB0(mSWiMS3=vPnRY^J1YD*)W=m)-koRV-7Oq)e*PbQ_r?SU zF+;IK<=hL3SV~9m3jkYPy?_md44M+=z(ai$?@#GG*N9{rYe^Xa@ty=9{~Lo#)B(c+aa89gz?d|B z-TR`gOpq+{^*h_3TBa>QJ^_i zl=!vH+LNZtjvx$jzZ@5vOxZo%0Xj|w7A!z4L7vhfSjH+MtXP2>R|~WRFb?FLlQd_M z$$A=b!eLcq$9L|e6FIkM3T*0zY=()dGZdA$yPbIj=}qdX#1|Mu+OaQA+q5Ewv@j|d zbTK$+F{GPkiYBNQcX8YdBsM0ni#Qbdh=Q9{6-`^%S zC_GkHiA2bJfP ze+(%OF#+7+T!a=Az#3miH3p9~MYq+l7NB(?h)n4V|1fD)lH{%~t?oluz?^x~zj^ss zeG;5KJAPeOU>)0WU&aiNShp}G5|@#EmF%ch2vijGNrYr;{0u2ZTK{%-tsZQB+<&(E zkO zZ=Xl-rvK5$%U5r5G~U|c0JAA8B(%mwR#*mN(T^y9umF=GXJIcJvI8v>9YF?TG={~OWj|5^qfNO4m!pY0=qihkUK#LAjr>@qAd~>DKIxb6vn?+ZV$UByfRV_P ziVAS0BuI)wF~F{%`f$scd&i;<^;twv_`vYk9osx8V=}v*Vf}4k;<|29%UgHo4n^S;c;KJ7xh3 z)5W&G0&r1VK%a+t=n=hTc&HP?4*NDO@I}u=2&jjXoZ90C=(Fz&0y>6hHH=8s4XSY5@Afo5 zX%56#ny{X2Bz^urLD&=}2Zaze&W#dulAnudIlgmjXGs8 z0Wts?Y_V=XH3Jm(q9{>?(g0%#wYbtP0pB_QWD=ejY#V6;8*(qBp{Pz}KqUb>1ab?4 zRacDXbMtxQ7ywo?F+Ys8S(dF@T3sy(y-OdU;sr>0jLXjm0Pd-wPv^I$T^6^D-A?cY zsa)^ct-+)5dzH{X3*NL1Nnhay1tn+by&(^!P5G#Nwdb^&-s{FcZ-eArtS z(ZUt*9{McJ0eZ0yTgM4_kRL^2ZBr)IxG6{P+%3y0M^~`8!#8_gk9Aw$Kc`@(RM4lD zSPy7ICwCv*y|5k`VpHC+8c=FQ{r3AZa4QODClBpfX;us96WN6 zsvRilgklUl_(>PSJsa)Xv=`^E>incS@tqZpDam~}v-&>v^o?TxdP3VV05SpeHXw-+ z(ce2NmX}Zs$O^qB1fK-p)lfIxGW0T-j?w7y@|pRYZ|ECv6ZMIL`Y+$a_|{-J{pzf?^gG5`-_?u<6cNC|@;KsR2|9ts zN{!_X7$OQnI>f_0{{lgfh|LSOsu8UK6U7)WiJTmaP%~W+hXoV$2*S_SWhlIb;u#X0 zSc&v4cr2Dhkzdn-5xICY=dnaT+6P}yvroBn1|h0sScYJB*^Isy01V)^aq&WKR4nUK z?=QK2%k`>4jG-t$%KkCJcfC#tn+lneyNAa|K(xOnc3@v9VO`6+zqRbuMd5wF_0Rfr zCW;0Lzv#h7mKTcy%EWGptF!Q4)+xHsgps(*JIlVrcs<&m(-k4+T@Fp z!|ym67kr6KfKFjHvs9@7pKNQxq+RdOv%eG1Ozc zFq9Z0PX{>+8fj$HVr)6aE-YC1Ee0vJXHf~xq)kyl_lR1TK-RRyL1+*_e>0ey_pHpa z5kBL?3#$`(IRLGT<%?~-cWlS+WlVG$NFY(R4gy)=dLP&F`DxnN3qZeUbEK|IJeXJ-ft8-hYkS0;ll<)%1emKrrWri^o zv5P&o8p8dJ+yIP6I)w=sQU?xEONkQ_hko%>vi&K)`W)N*|K-k|>fUJ7+@Ds>WQK3R zVe%b%;wN>Jjge=uWM?vR%q&|0U|v@DZF0#t1m^N*Kv3p@wW)prhFCYf%Lfb8&+u%8 zkAbo|sf%I?u7*p_X4zyiAMEW_gWIqH&lGxmU~FKDTu`XCH?dSu?I8$i#&pjRuG1vQ zB<*H&f^DFsPG}m;GcQR_?7K6fc+PKE;yz2Ndv_ikl`>Hupekv z<>TlBq%bKO_o*UA=9hHM6|lt6`-u7Nq>uC#%1tmM#Lgwhd#ucjX^&$126MiacD-n5 zVR*XvO>y6uF(;jXab%J}i=pwa4}lTCbqsVunI8A6vmmwkuX6p2OQ91{)ZaFo7kqD9 zH7%5}uub|E5FWleH~7ID5@;i`_h10Px@z?df&rk36E46FCI&)KnPrQeBO>Kz9)rtK z(+^n@LiiM5iV9<2+eZ<@03^Qb3H>pG<#o^__IHVkojT{! zgMgKs7j*AF$D1^Dh`M z27s)#TQwzq2QMmA#Ud%kbhujk3^jZnglrs!1~CAw19wva8|KCbKahm5_@pA8W+K(5 zPBwr`r*wlE_1ytlBJP*-=3zeI2sL5>yCn6dnb_2Lf(ob&>})p%p! z&+*2pp-Vg@A{{&(??R9rahV&80N4XaQT!~zvDr&h?Dc)Rz5UniU>}{8!L=X+_@V0B z7`W4V*hcZKa~sG=_gRtS-rj_bfYH&Lu0k{~1eqZ8S zg$C*a{1x#Q6|nAfcE?=tjGqxA_K#_}bnc}hpyR~Jm|a^YJTDS3Z%z;jF$}m7w*j&g z&?asJK=xfU#Zt^}S@x++z>5aaf<(mF0K$ykF%Iv~47peg${+XFix&3N_^!QmOYHeB zwcT&3_nPFdcJmWl?v=@6K~F&FHu3|A7xu8}i2j&DXEwlF^axIF=(M0SG05pXexOST zV<3Q4e&cx5WQY`@bs6SK!{q~fviz7p;}!rAh)Z*FMC>%fmc%eY5du-OVgMRLyo8|YvW1vvY3{jQyaEMD>o!(e;SGJy=kRXC~ zTqz0g^t=p$DwE4tx!6D*Lfwm89fXfv6zITSmCFqf3Rv>ElTz@JVs|H@gW2~l8_c^8 z?a#VAqy0O;;-7d!cc?o)L~@d_o$`P#Qo5rvAPK(g0*vy;%%^u#o{+UZC9=5uuF__?$&pKEZ(n!XZ^lQb^5n|*T;M-tzQijo=fK) zIWZj=^?_aEuXnugo!1*1_Il_Jt{r|>Klu57Uk&kOiUT`5{|~d_0tFX#_=CdX79Yp> zS_n7}rD-FDZ**IT&7qUB1akE88U|uirPT171q+qaA8HmF~V|>5FF35p7@)R-|z!2(~+C#Pf^0$G-a8O z3fKfrT~b>4@}Z*$VjHM8L~z>VCCkjnyUlY%6lfj-aG8bkLe!LAQW21**~;^h{YanP zqF$eJsiVzg4YUk`5Y-xNO|;1$b_w0bA2F-c&g6f|^;@o26`{UCaW>&={}sa{ z>O|#;X%!((tGvJ?Fv;6BP{4*2euCRv&r1tYJ2h~hPkoktvUM{={;>R>gMMw=u;};YCZx5HFu~NgumueT7sE$I0lj~E2r@oVbj~0 z5_RkL#9&`=DdZOZ&RNkQw@(gl76Z_CyTeToxEvob1c&1ea;~?W2eIxFmS9}R&!#2C|doV$?-@=-~aQXoaE;rOxczLT5t{ z0JZ@Ui1Np7kcfk*ru*`q8K~K0OXHIpq88*hk*ulqbmB+78P~OlPh9BjP_E`v@I7G>Q~|Wf&OwSJai|;VP#dZFOH$5 z(ivdAylm!jdqe(+>D@HLG#!nxc%VZ7UH0JxDv>C*1WJCop?C6ITv$FkJ1joM({^s!%s5D$6&0#ViI+gtt zgV9SI8ysf^bet?{@F1AxtXAFI(n&h1l}&b%SJ_~DgnU3fLYd}e0PLYI)veoj&f<=H zrQKjo)u@sIs>5M;(|_|4u}XkB{^UD?2!{drhkn}Ys~}szc%yLUHg*CWE9W3|M22Pn zRhH)Sv-=8!PYNn4z$#iZscSX_&;bZ(^%ng|s;Zds#gy##j={Y|dGd3ms1qKg=dronVQ(%NZygcap&+hbe zOLj=)zvwiM;f>?LpR>&8NluLz5E^=RRLc z=`2^n-ldpjx%?6+VqD+#_t9r--}Se>5}-^~EC(%<@8fhbH1Yf{@-hA`7h4+scI&4_ z+Ew3L*6{}MUYGv+>de<&kRkz>Fqc#cKw+UTK>@-nev@*=s62DVeF5JSzc~zm-NaON zwav0Sh`%fF!IUAYMSy2ARV$Bdo?=KdYAXu-02BN&HWMtPeI z8DpdlgUwB3V8p!zK-dhD{hvzM8w{@hhpHKTO@k-n!R4zb)!l<}ndML$x&m1<((D@F z!J4;Wj}9^e(;Y&5n3Szv10nJp9MlO;cqR(Qo$w&t@KffkG5t$b*Ud&~$Yhd2 z{FH>v;g|EKnimaHe{|1r;lMUcnX}cR^|ICpunB;DH8~_sbQy*M$&gA9JvVTEjNIU* zD)!nw?)+BV{g%$E_*cLKjZk}tt!z(olm&`O-o>a7!3K>Ojl4p}lOYKhCbQ#X(p+eW z{N{)I>E>hyc2|19YQ{k!o?>Sv@Dp1@jEgEqQdU&crYiIH(gc1QUGkU=7h0uNX30BX zJg}SYWitltl)<3J`jpDKXN`CYlL}&LDyFSr4A|Zd!s-DzBZl1^X~Br^J*keLp-Mqg zM%VelIq{^B{Bcww0v^;1okTF z%aBHVZ)PMQy#v!d z6e#sb%MmGzJIdG&I8M01Z$N_l8V4KgU^;1c#wYm4nKWrW6HzYv5V8jE;Hp3-n-2EK z-PY{|E(jL%3zAw~2m^3<_^V|5XP7zEXeDx<0p(2)nUAIFF5(!PPDp47$GawJ0a2;y zrXE5;=OA+HCzq1T`?%(`?*3sad(`epQepmwnKS&rA+0K?|I-j7*?mu787Jn$rmb62 zx)TY`84iVFfh{1kCr9D39%WhXQ8^q<&)EzxF2Io{1@Q-|HXQSuNC0FM(qhaB^}-_5 zoW7?DKlE$;R@}UOP#=U8;9-S=37i$2Pq;yri9@89G!Pa0N6rV`6X1Z5iaik+Q;w-B z_IGIO9!>Fj`Ec{*%^)tnAHo0DoIWfB(pG&jkXP7{BPpvm#8A-%hcPnp zUv5x5UVo;NQ_o;5*XasBMC_DxiQm8Ax2AvEvAc&YK$y>=Z!Ph{k3_6wb#x=Qq`BL% z&&luPtBwKCel1kt?2Z}bwwl#a*o zUcN}!MtdTYE?)=(N-z$7F5-%c$OH&u5l7Bc8H?rJ=HPyV#BO~gI6kT%*e4XkDreB# zr49e%vaY{b#^kdsirgLv%QVf0q`AX8W}pN=90QS`D;(jZgk-fXK{8>o>J)BYDhRkY zBy_9)7F+vZmYF&V0@AnM9<;Ig2k$Os%xTsu#32z_Fa`^TProf7Bpw@vkANqJ56@&a zwCmqsXpHH)Aq0QIivR6*BaYuZ3+BUjA(&$PNs=zC`yQ#=kMC#upZ5PR#xemuXfXJ? z{U7RI93C`_Y;k;&UYU-t2N*6kSUciBZ^&Vpn~U1R1X}=!q%CbPLs+g7g8)?qOoyOh zRvgI`>J>z%&iH&Y8*QTx$XY1(09z0>z2nrA0Z=lCF`Z;p!~3R!=(-iz4w>ax5lmQ8 z-Jou_xLzV)5M9ht&X!+{+2EKm?eR*GjFpgE6D!5Uts$$iqUR3fJ}e*x$sAu2Fe$42 z$Et-L5t8!}A1VS|4BKXgIqPxZ7Rkxv;HzP~*r2^HQQOt02broqvL3TZGGbIAM@;H# zS715GCayl;7mt&joqwP1?|+qCDgFTaMNuxI6CGyBfPvCf)Zmm%o?%y;ESh58T$>P8 z8*l~s&UPVg=%!tFzy4PMX!Y>S0l3BNNdKxMfMbY;MBKgpD^SS~czu<783PdE;EJ)s zmvoBMC2Fp)^?QHBy%h0?=QFN{e0KmAt{|f8JwvK^K$0M!#(h|gdp!>_fh-dQJD8He zCi&|?N8<0LS&j^V#X11oYa@z3&PV5$1lF>3do7bvQg44-XBhxj{9_(i2Oajf$)yCt z2c?`o@BB{t{t}z}>NjVBPd4WV%8okt_CxN!;d>f#OkOe+ZYZCSCOiQW^Js1E`OzbR zH2jYs&RN|*lI+Y+%6PLv=Y$QI_k?!J5Os%2F($LN9fO+#g#jNHGtdOm3acJoPwcNH zpq6O^#C$7pAJX-%`X>mAHW_ytP&<6z=rkmW-7#Y8!#9$qKdJEf=MLOHwEuc@Z?HI8 zRMm_n<1o*6^Ac}2$e!mY?Lgw|sy<{T<0MB&z~)Jwb07_O>_(djH_kb+9P|@Hi#HY) zY0yw`BFkx}6tsT{<5&_&0(#CL*E}Sb8z2p9X!PGEWuoIE^M2VdWltCZtojVhE7t1Z zYbm?r$A46VEdX(aPQXGFl^WGa`SaOSDnGL0*!{3+;`)BY3!wj_`s5fr>ef z+iu^!u=Yy)kB(4kWn4BH2n&fA)eui>)&=p8MZQ)uB|4dv+cqc2kQN+~F}>V$ql?;J zbhtr=5Gb)FGdAX*;`S*ObG5DUhuZ-@yK2mDXQ2dEXEu&i37HP1k>CZg1)iMmO@0tl zWuq&?PTB}|05>FiJp3)s|7R{3fRMkEP^pCFT8B_XB$jv!J0TJbzeSMPet)|brAm-ZN6o2 zxhv!_a0t64V0j~GR6nd0{k!@%tz+5fPb;hs-uCw3b{*1y+1=!$qiK7%^?o+07EMwW z&78&66s3O7T89;YPP+*mT6D1}4rnu~)k6p1tk`l0&!Wx?SDlbuW@&eBpi{RGLF^q3 z5MVGku{zZvb?7VcdhPmeULcV&oeoyP79EuP8|+K$uSW7=-6=pdF#< z5svui>;R#{YD+e*yhjKy4wHxVA9uu2`|GWIfg1OpglMMwfiHuBMHIV} zQVcYRu8<8y!sJ_ekS^i*t7@zZSYeFMD~bi^#?%3RveOlTNueUJz85rvqr9j6VbXC@ zREYL%v;r8&U^FdGS?M$`BoUp#~@;(0%ZTW-zD9HS6 zx7>#Na+>_qFb7%;r0@CSIl{86DC|SZ|1B33M9E1oB9vkM&eZ8Svj5(s(U9*=^;1e9 zpJxzcackEw#9R$l@U9SMP4iS?QCi@-%zrNwf+UeQ`LT$NyhGZcE`SU`Fb7@P%gVfH zNiS5rALU1%e=ahJ@Y|a=(W2cf?xKp$0<+o7ntYy)bQzdwamK=H0k&oQOSglowX1NY z7n7USP{V-_*weA{W}d*#xmY?C|MLmYfqzUd`#3T|nM+v#ooDAizVPTO_dxPa=D`4vy9##_{a^t4m~>WG;sx^(V?9>1 z)Ky&pt$aYnAv+E26Mwu&Sk|Slj|ATd9~bu$Yv+;ggNviS5nC4Tcoj%OAO$19hfcrW_g#J_pQrqYyb&WO<>hT$ z6?*tXtPt3mfP8E9CnjGa7^pe-@F1@2kpN_=j6R}W_MCZ)Dn!uzs11w(jduMF?XTH@ zr_L9==lqmreU2~-U-{s5zy!4+*dyI`1$PoADk$-12Eb~mADV!|GEzMa)I3uL5WavF?nn8~%aI8M;`qrA{lU<_lqz`hX6 z;8z*G0J846bA4vY1jD6RTL$n{Ii5G{gPvh*dOpQsM7f z&w?$-D@ahqz&RUK5?t?tF#mzPXnYHy^%TPKJ(v#)Rp%gd5X_r=W0lS~)@3=Nc)AvN z7Xeh_s9s&%CxXk;vv}c#Rks^#?D2B8#{3}q7OpS=mI`s8ee)@PsTB>vAdOXqE6FcV(4?Wxj zAq$ld)zfVbCw8-9i$Fe00g^faEi66pW3VrR-;Ue)Q+? zLvyqG$1oacK%jERs(>^svU{>H-p#fY?c6@-f)2&-J ztxwm-=T`4!A7ZKiTLotlOpN$1kRlv2D`V2gV?AMn^>kmDzL3^ZJX#y2tr1Jtd>+O_6)d>0CUBvkn?91!ttO5wqjP>%KJU}t9M z2m6Z8I+45e$ zelRbjbKAl)SAj~>l+Y}6n?X&oG5N?GxlLjmOboH*dz~AWnTi+#U-Db{M%m|U`E=P( z?>9LBjsO{dB-){}L4Vmb{^n(?7Qak^z5$d7#IWVw;kq8|ZVCJp8KCgpq7Nn}d>p+URVI8JjBPi}@8v@(l^Zv$- z8}%;x-=BZ}x!*t1`F)0u#mNmu(&3k1CiCOte7bopZ;F~@k26;!V+aTe0hH>BP3>*O zp41;@KZt(X7?-G&EqJEsg6*TN-M}NQ2%pK%v2&;@GP5~bIIEAZqEvnTSIOYUjjo-0 zd(T?e$11;ka0;*PLH|4AAq)UVT4S?-l9a9pQ_m%6*~?WbjqnIVr8+mGrJ4?2;qz14FU={neS^bnM~}TP7#lTEk?XU3m*NHbWmi6^ZcXfG;=#E%3Ryx zT2|tjqr1Di>GcX%k1Xl=XbQ7B;nZdbZZMLx5@=&Ng4hKW+I9xFvY000dU$dS15mdN zI~V`}vIc=?F8rK?G$^^n#Y)?Kc2AYd**x&L*-a*tfZT*=Z2}-KrR3V;g9wB8@+bzg zMA$(c+Uz{@aCQlkVGf1Uhk(k2rb{s6%V{H+ z0``jOMLa-1ASsGLb8tW65CpA5#+AM1epj&bH+GIHtl5FbGxoPz0dWslLnVbFVVC_m zJOKiyegXz}2kmTkR*ok3IPMk`IVfp@9TXeTM~KqJY;N>pR;P_Uk~bbefWn@iX_=#< z3w4SubCLzl0Qb8~o1u^tcKJL_AyD-eZ)c`Jnp)(OODKOMV!w8+8GQI*Gx+>-C(9Ej z%$bI``oD80NADxOG`KXv;(5Y=!Zks22@JJKE}AM*Wo?XQVg_@_34^YgWB-WRf~~^w zQD>Z{^BI)T#d-X7Z#@)`+iffhE=N;vExa+9jQ-vJy^#32e|@W~>$BDOOy!q9mJ*EB zt6ro1?%lyxJbZh)iA)BK^akc7!`VXJV49R1vH_rNItV7g*#@m+RuL7$Q8~TzRy|sj zb#rw6KZA?*K$3eeUcXhv&c9Iv9=qhg0fH?OJQHLHdB$arI~&iWXzA|(Gq^pR&)d=P zZKUs`6L!|Y*@!%3GWjSZM&N0(2Z1D;aGu*Ro0@dA8~N6-&L`O?gZ);8LPX`#wljsC zsn8RD>?M==mwCNeZ!=^#9@~CL>K^_spocKOG=hBFBQ|6nP?;PE?QImU;AQ?+6L6U=qq?L&{A-x{3-XbwS<5*nFl8I2`-ihF9Tctr2?d(TYxA`Qn zw-{D0gm3XqMMSp%tQ%DhUj!;9_DAEAyS`j#~JF@ z$&r3|sFC%)MjhD+2`PY#$Xis1B*E0k(0of_bH0-=tq|#(e6arQb zJz>WDZ{4BU+D6}uF6KgJ3yTH~v75c-$K8DfKj%)+dWh9OJlyVehB~okewz4Qg1<6$ zIGVL*}uw|RH|tMtFUJUHQiAoj!YP(LciSiv8GR?w;xAM-D1 zbu@xabf`v2bcUSfI&`6ihIS6G9ME9hNgbg*wfiL+MB$aNl)@D*dn3K`0WKgu( z2gAVzc;?_zJ-B(ZmMAe4Q6MO9feV{tuqO41lxj~6AEZ{$s;~5Vq zK4I)wdn{s!YIn1kgRpUdaOi;uNF^$?1Mq)B1+UM66T;2BUd!`wz5e19weGWvU7?!_mZT zdrTXFpU61H^g%N~5EKrJSO#ry2J&Qc=eU{Gd42Qd?dsXU*;nA%V~{CuVh^0kv1=ra zr`yHFr$LoIekn5I^8U1`rb6NqAAI!dUsGvLKjKsgs3;C=XkML+-7;i@7d{U83=BY8 zAwo!S#^cTh+c(3lX81Pt`dh_&?e%fhd=Xn8dvw`zhMTvOd~_YT;(}&nApK?=S?(nS z7%+tpfKCz6QGZAq?=yN2850jx4LO|eH1k7b7h{w#w9vn};7Z)puOe0ITrl-gU@ViTS@`h-Bc&E{LtFqR__Z7tIDGjvRIs41vVYd>sF_<}&xO z=WbrqBiw|WhD!zjvz2cDpZF5}>~HJlHiP1Hr2w&l=J_MN-!T9@)-ORY095dp?|LHY z)`N9XM`6T@UdhKb27P!t41WR44*15{C8q;WGe4{1x9+LA zeZg%o6r0rJeJ%)0_%zt%9y`;H0pLEi1Nitns$!mG9d)PLgF_z3WVtmFc zI5IQ-b9gEQPW=QVJ2!W6ZTeoBjWNeMan)HN?yL~c#8w=dn+aY40W5?a0?uBnhUu^e zU}c`8aOWP6o$P#a*fZZWN<)0hFaU{js!hWxF5^T&R;(cQA*dz4(v(>S_B`P5+nap( z`BN)=_9eR(8CqK?Yc)6)X7%Dpg^A)vl$$jHz_g4wwg9Lb&f{55wWay~+}9}~t! z5L31@K>83`&*c+OL?c98wpk=r)LA+L`De3tU>io8_%Gljy1hLX*jz6dB>ocnM?crB zal3dI7icv{Fsg%itg0+P&B9|EA3y=6yY2-mqIRLoNdmx=BLtJp4c#-0dgj9XpNNDW zE&Ex2AF{^TV*1I?Gn)fDI-O(sSs)d%+l?6>j0L!>N-3@5V-=!am*0QCnH=inAL$c^ zR8U)ZL$;$;3+ggKDuZ45u*Mmcbg>z+9WWdo<@w>T%IXQU=46$UB*eaXXqwfyda(lvOE*1s##f7^7 z3lPfycn!ICWvvKYLT7cg>0O+I8Q?RqG%b7rZoMc`SYMlT<0Kyxf z5(~GpC@M1XQ^rpWE8Av$ZNK$&+$q&CI0Qp-KpgXxZ)9rR?kLF2EdujoRTD$jd~L5x zl~hCB3RnHCC=ojFV-k9`Y~Aql{9uFL@F1L*!8L%O79L^> z$B=|P)(8C550iv^xn5X))kQ(z=?Bxh-yfIV<~?zILw@mnU#9UBVSgt3Kj9xM08M_k z)7GCI*X;=k#n2Y&*eJ40I~eZ;W&nY2Z9Tu3aC$RY>P#q2*+E&WOEP z6rwXE1)wi@h^AM#-i%hrjxjC!!6i$;65!%?b6uGYezO zL57r{l?NIC)YiXl1)#C0^;T!um((0T(@fb;rd1d-f~HvgN6Wf8*v4RVv^er$q$E?; zTLGK}r0Te{UU=sEK7YbHENQlxC<0Gjiv^1tEv$*DrF;r)0j5%16aZ~A8#SCCl%(YX znACcHy}{#KTt7^(l2pzva41O1pBP*=K|z!ail{?zO)Np%A`cpC55d$e`=g}2L&N~M zlP=I0h{Z*}h2nS58R9I7$pm-Rc>PnL-wB38r4Esn-})d>LD4cCliWTrkRAv-QJHS!y72}*|Zcm7QEJtKx9^3}=p&UxhGT}Ai1M>_f!W*8M-ijGV zdwC{YLTX{`MOt+MgsJ7mAmERSxIA{qw_9 z2yAcvb33d4I}The>LcXHc{xU-PDgl4geS>2d8~!vZy@zB1q4Z>D*%FbiY}BL<(^+gkn%Y z{K*Sh6GJY=gqS=*o0BUlWKGE&+{<~ zW_eD(RM@0VIKV+<23`wqjdCk8RKZ|52{;LWoeXO1$%yEv37c0GZjtW?fN&e$sRtIr zA%;qHNms5t(D$T|*M>)zVEOk8I_(2g>NjE!fj*(1I`d64SY}8&@w~$W2MiJr%_GFM z7ZYGcA>ZJ9SNvZ3yb!kCcxUj(K1;ZgW|XjV)Ks&1u2R`+2{hD!+!JpJmzRXgXDX`+ z3u#KgM6d%a=Wlcn4}B+bRvO?XvF^WDyyP}R@4e5oJyBQG@5GQPb3*sAItj7=&olFK z<=qp0zqg+P0T7=T7%#z~^f*TRBGK&40Ld=qvh6k>>tKCtw@inW!g8JOR3#>{k^%EE ztpi5}$NUxdo3EA)u|nXT^$R6G$}|=>(Pq-C*r>%sw1ISe9ah7cXO9LxixD2}Aum3E zTJo+#9?j(S{sGtgDm18s9I|M8a47XB}AH z|ENOp+28z4uK3tmg;LZ%|8pDO<@#zqRZIHDV4i;oQr%2(x(%^jWKDq-FwrcEi2$_; zkV73i3MmiATw`&{Y=g`?=N=6`yy7{Nh`n@It0GvaaZ_X?HULIAx^3E{d9}a0t0>Tk z(}zd%WB^1+zWIlL$lw0A|8}@2%MrS0<18Hxaca2SZXkClKc}_@9zd)Ny)W4!z+REl zb&wOFOW)=miHrmSTn|IQzJOwO_SPk3v{$(X$c2Mv0_h-jhVv}jVpL!t_T~0={n_9B zT?Oqj^!4oH?&;aTiHFTBnVf-I=eV&&2~tTbOP8W(?rd&Wo5#8%eW%SQle!qYzTdJK-wP`vGT8XJeabQwoKaUaYx{TbMp#yL3Sa3SJY z(Hi>=XQgn@00Ee~S9bt@wz7ksSs!-ha~R)2ZD*4hYKFTn3mEC-?2^su{pph8s7sU+!<_cY~2<1M91*`3A&4 zIa0@l*^0mQ+shX8pAbhY{C)VVFO%uf)imKeJ+}Sd!FQIszl1>BzrYTIgY8 zM+Z&M6-i@LkAT$U>?21%iva$N$q`VaM|}|&G-8PRcOBS(aO-x2?*8mwck&xIZZw(% z`ZY>oBAY%)KobclSNijhK1yfz?~g~*DN2b62gQ`EKyYXfTLA3oGkDl02gw9cV(%Yc zlpt<65Ryo0W?^jDk!q^ycUw}8yE(YW0iK`GktaasNA zr=OOCZS(}6Okhv@M>q~Xq3w6l#o{>G9qeMowm->nz-$8#=dfP88}ozX<2v8mY%lHX zBlG?>`hZ^HP)F3)EQ)jiCl2Wm@U$_Sy84xAK}@NK4zo1 zd4iVwdi|15=o_6XS)Xd~VRCo#|G;db6K{7`1vg=+K5x{2$aaM0hKP>~7~8`JI)jPJ zW18FQB?=~r-6Fu5HKQv@b%{rNdtJGEd-2I)VVM|lgmgpAP4-eNwxQ?~HgF&obcb9f zqmG#T;N5@$-X}-HYIE!fIh$o#-u~q;^Jnjm8|mP~JNe)qG;T6LyPzI%0uVX?nD(pp zf#iq%e(|?D2{sO`We+NnsZ2TkFT)Xmx?Zm*Kw0E`tWXeXN|od8;P?zxAYr6k#&OU0 zy(nGrzr@izC3=U|PcnP?SifZA?;kAyCQiQ4s&*Um) zF07bIf&t)}b(f*(w=aSLSeD1DKqAIx0uM+M!C0ooxvA(4^Wp(^ZJJ6wISAk%CQ!?m zuk!87D-^wX9_aFQ)JkyLH8JE^U_#^*EK8v!(Ou#Yka&kn)E!X!KaLybK87maIt*W9 zfOIHKUR|%T=<|!}5h;70A8u~u_nTsa=@Db@-Xv{4WF0u$+G_N*ei=6^w?F%vcJPI+ zZ2Pd+-z4|`xyauCi{rei^AXn2BlP1yh+zU4dt!i^y+X+i6E?i*LQI)gh-I0)h^0Z) zZm0Jd#yZ~L$_oher}6@A^O>Y9_%sjXkm9DC%`tD!=L=M@vyEc0_&4nlhwW@_sqFi? z-}ZT?N7t|CXeFi)TnbIbWisC641zHvd!rt3E+KS|fNeA z1d($pV2WU)93=P(xfFquiyLqSg(pKA|?Y9aB5~93=SWZMKJa3&p^3$a1iF zr&OspG_lSnu*>6RbylOj`rW~|!+dv?RVUN5sG8ySy@-Sza=-C{DT zn&a=jORmCPJUmA6zaBN%+_T%=oFIIVu^E`tJU?{^G`sc5v&~Y5({2vk}aypHC*kgAw%uEIV7H0lY}&X)}iM>qU)` z!i@8K26}Itz)pc>DT;BHzKb^@%Wp z)dH6zR;Nt`LJeSo@@bXKSr*L6SLadKVQ}hnw<2fqOPJfOF~;|(1>~HAP`s1vVCMl= zKf2zG89%pSR>-~|KPv`O24;KvL)$ss-Wp|a8>2Kq$1bZbGj1?5OE!^TU{MkNBgiqN z0GN@sAa>ZWmNJnlDFN7mvHq52`l|@QsEGL&=BYL>H_-#ht(?eF=V*@z=A0KfpIxRm$dCQlzwgz$qk^O7Wuu+&FsU$ zl}TNm><*J0J7(6dsMSsLtB0JPjg6cNWP|dvcO9=^vPgQj4Uz8M8xqrY@VlLKa~BMJ zw3rTu1x|Eoj&01g*m#!sp?}n>*$aoJ4iJ+lOXe(-iy@A5@Wxt7R9S^VAYGn085v8) z;lEx5Hh+O**zpIkD)xggz>HV*b!e?8!JOc7_oSY1uoSeDQ?{ zA^GH!PqO>>G20owm0d0898;KWjq2n&BSq7{4VEz17!#Kv-f)WQO<{+dw3rvQConH3 zRD2%}=A=Do7xmzz@bsLv8Y0F;^}Kcy0$iI_55RODhuqoOx0pfsI}PMCMjY_9gclSt z14YcH#pUYS?&c|hy?Ik#2G-Y*e73Wbx+QZ=KfN>j*|5y!+ZSZ+9)IcYD$RmlX1 z458J@dx&9R4BF#SlODqaRNM9V7$b}FVKpc}{P4r}j!tvJ3*_xp{ap1UAp!|*ZooyM zSI^|)V5Q;l0giEwJZY%qw5VeDg zG2@1M(ccXiIGK$X^T}p2A2Xmh-tL=0fdeRfISlT@6kN`?2G#6jhDnH{Ol=Oe@Q;8u z$QbL9@OyyEhbB?%p!LQWJ-lxLof?m`X4K3kEJ}C&;;j^_R9{Yy>f1<@))=0Yc4w5A z#;X6?2BxDAcOU^AFPlxM{Z(ei&#C=Yq!rfNF%QAh37@9;&3#-!K#z+<3^ ztMcv#pERS}2c0KChyDeHo8)tgaRaQ3@m@0#r_2HTMnx}OZ@rd!`8NVgmD(dMI zz(}DVLKtL z+X3kMbY1W8)a#$I&*B2iF&19~7{LzKjcw!Z3Zc?+D7=Q^A1`7r`Sjks?Cbr_^yiB! z`C#K@<6)A&g&Z51w42w%1;c%~kxg`d!_nrfu&?C>3gYeb`n~38@Sg{t?flBYncVxd z$aV)sp3R1nVcSfQ#ceQKH{fyL#ys0Qak8=P8XPZXbdat#S>T;!foc4lT>up1+i^OC z&dT4LDV+$&VsAYN0yqK8u6@1%b1oF`)BGI{9dzQI)Om6^Z0CpN6(|te2jg~8E`IsT z`i3HQ!r}I>@~fl4c!9SVjQ>V(5SMV~_cQi{u|G!2owZj$QI{e5tO6K6Er=j(ab&~+ z>}_()^L@kyCv95J##K@-Sk&*%kBUW(=OdNQlJ;TI=1km{6A@Zyh}#IQ&R{t303^bm zGoAylqv`v3+L9IO48HhV z+Uqt2CQ5kBOY2_(RuEuN-YfLUyFgsRfKv?|)#T|ze7t69j-3Vm4?f)3DAY071t}fw z{QKn7;{V3$#(T*DHjcyL@o-k;9H>x_*!0MBLYNIl5S&~%G}QPcyL$QP(tG22`*;WU z9pmKaWPwn;26k+OI~sq!`k7kNGAF}C(dHX!!22T6y%Tx5aRAYi`-1Js`ZM^6!+u_!p2 z%ooQSxUI;in3gS$t6zWmX|)A|3-j3i-Irgc^Dl8gp1z$;w-58-yqZ?ytsTbel+Be5 zDu~5a^*(UD#(0qc&=MWcNl^4XknZCE_W|Ox1CE9~sTXDOuxZL$dwb1Czy1%+yO-JT z04-fmNNxc$h=-yw_st~m(hC`rO^R{lt#Y2kme&FF<<#OAf%j6LRgJihl`gUUAu(3` zt%!WXe9WI%<|0f0x%cScT{;6!G~P=xCBFmS-Dlt|{&CfOzd9R!SO$P@5ksGfv}s1)RcGsY@xOpt1c~?xXE62b%jj|< z-|5(=C-x3siNA4-KQeKMy~c0~D=?kY;fD-+%$hsblKIXcnGI&FQ8WCbLttAtb{67b z?P1BPXvjE6H9UnqMpG_H?@zLHe0aH?Zr^JU{xD9*TVK1+2By1|PVxe$rr8MjG7CuT zpuu(^b|(b)^a;Do&~$UC=T&ym9_Kvcc%jqvH$UV?jJ3TS<)XWL#v&_df&7%Udic`_X)B_i|`FFI{|c#x-yqwC>& zVE!(Q-xs5FaV1L*MvLrffp+93w)ND3e$7jqG@}bT#b+|Ue%#{WTAbwD5AUagsd(P$ zr#_q=3#6i-^Y~4#JDKC4XtsrPQltn!pWr=zjDATn%&Ohty#1=!rN`&(u$UxAm^k2* z7PS(0lTfova##8EAK;@CnQ*#yh8dt=?2iF%k=vT_lfp7+{#aoEF@-6phwLb!Brs}^ z5AWeBu?wFO{WGyZ~ILkzm zR>1KT9KBeM(SiK^Q7CK%ESAMwXaq+RRG;}NMUyjl;9JWHX#@8@=YNRq?Q4ISkA0#3fR7}U5`UiuX7;%+mcj2O zmLdMuH%}vx&BG4t_Ptxr@DV2olerR?Hp|JY(B!G_}7`h8ACQ3(0me zoC!;ju+)LhwZD{>kuL;+ZsjZ?&IW)skw0AeXxL_Rjv`2~=J#loll0xe&)Bf|a+T*0 z28PXjXeCX9LU2GYhzaqqN_q|JGHt{mUKC|rBuh^Ca4Z8huaLRdhiC?XH)>YFgWs2T zQ~ayzXdj+ui_?HrJd?11q;M(}5NJIo1;imyP)i*5#$?PYLy5o`ZbIdJ%n%V|EIx>X zjY!@F&L~Jq)C;%Sl0m^NJ#qEQUN~DUDnCNVlPMoVO{sm;P7vGV1#Ls-0CZ3^7*E^r z82^Jq;wi`9P%gV)iaPPah|?T*c7PXubjZhEdkVvXZUw7xE`%t+M@2^Z6Uvot?<|sg zS3yfIP43-`2~^BaP?D%TO~9{!sW3zr3oZm^h415tKeum&$a#`_>Hi?pBp0lWWgbc7 zNSqw>guU%Q0~-YN3FC)4604a}Z*aCUEMu-V!xc)@eG9?;^n4B!7{;g$0RK!IRQpdt zKtss|#+Lgae2j1ULGvK`2~!me1cv2sfshBuv>h_UU&E0KjK>&T+_pZ+VAoxBGNZ5Z zF-I&^ScIkUacrSrQONKDW_tev6WIdTTgHl(W6{zQ#~4+rdLjl0&AhBttc(m_@gJ%p z){{s}w1Qw!a1bV+KWp($KE5-(SD%+Kb#|IBLnSb-_hMsdl;hu(H;>}I6DaEAJM$zq z-}si;d?T^3Vfk%P8h-W^M=6A>b64!f?w8BK2k{5!PCU~}!QIm{yS`lSZNH3(jEeW& zTqowYtNmyf_aOlwHj&InAI!`4MP592T$z_!8|LTt#=iG@Ebvgcc>$7;r`r}80hyZ; zaa9B3$)oeb56b}b)iPecKfkW8=BZs^h=@ND`v}~Jz=|PoX2owsm)|T?zTT(@Rv*9K z(w|nEPEi#3vz!jG6`jf|I>e>gGka)XT5q6Zb9DZ&6Dgwi48=tC8KD7x6ZYA2meEe^ z;POHB!Ijek06-&Y@B}1F2|CLvw}DN%R?Q`xToLk**$g2t0mPu@1BgEhX}I`M)Envw z&h2dNyYbFTG2)&sC=JlxpU!wtEl~L2mIQnCAthDx2Lk|spzcvW#uk}SA@W9A0XD0e zQCe@}FnG$XGRVs_SP5dp-S|By>vA|@!OKb<WYv4LE8a-uo@OH126@E5}8*vsYWo5yExrDjLlcoC}hVv34k((ZgzHn z0CI{RB>sFWOAnL5Sxt;nL`Ay)uJKpknILs}2tnR}0??^Lbw&`%muxqWhv*hCD(G-k z3R&Mtn1cZT#lu7)?{8C9q39sMtT@JzTnRx2s`_MS$9f5~qr=A<4Nkh4O-Gm;7$*S4 zI7I42ACNy+=#WrJMl4wo;emlJKtGa*3ekuiet*$J@72UAAJ9_*&@rZu{@BZ>G_j(# z?N1(bk5tJ%>AQ#fUmZP1#RPc&SnxYu zkYy)|CsxtV)w$aLdjFGnHW1A?aENEF7S@W3AC?&xF91srY3u4U+oW{SDQ!7E_j~JT z?Bz<`*gpYFW54I>bsrowQHIZXzk)Hp&xFW`Cl*GK5s>(=tN`f0_Wy}j=l?l7I?qq@ zYMw56FpvyV*yWyf$-<}bq75*>b{CU7VtX!vV0r^X*O4w_Y#->|HUcB}{38ZN%>pZ+ z5@$ui$xFDoh0>3L9~dq=QcYMjG7Av@>+3?tFlfbtDldKx!tH+Kgo2nJ>~qUm;b zD{GF1!}cAB5@&gCF!MIZfqfWVp|YnhZWkIZ@j!$a#xY5i`zo4kib^wVB+_-vIg(L2 z*f$L6m{LMU1R8s9)FC*2VCL%73tGqck|n@LA1U#9gF;*jg-3Y2m1O0;d{$4d|5Z6f zNS?JDtjOC946r1?I3YrQjniVDZGA*E)Y>EtY zA-EPYV1NLbx^vna%8k6@fJDxw)*Y>@Kd1z70rv~x5U-C|)Vl?N2szB&5~=4RwQY&Vr@GIj-h&bgqF6EmCm;aK>_Oxlw!p2KRmj+l zY1=u?MrA>E15I=YR)|o^1H_Cy1E~SJNDKB2)p(dAL^miIIvDWm(9Gd~nykPy^y(a& ze2%9vAsIo0PcX2@4IoHG^l!fjNMow-vK*pgi$#uCrx~cGw-Nj;SxQpU!D7 zvX_9D)wc812eDs6N`rL6Efpjl=&~W>Sg>U>EoZoHC^Qm8L@`UN%_-;n0u+V?g9dJN zfg~V-!=!#}6R|*mi_wDvxiZXP7vQQGf-UFRpbSYqD7A6sG+GaH59!U1o8MJC_*ytd zlyM0a%cC(oLx$R$#vE*+pzwvuU!cZV=LlfNF2jh4ZI2^uVGJRfVLae9noFkbR~GO~D<+mn^|B%{mncx;>HRa8Z$iKd=(>xa@{iK4)#Z(2s1IU)!`ic$ z)XV2q4(Cc7yToD3PrtGCG##;|HLce+~w9$Q}6qFF>}plRbTU73w?cz zt*4XAs?w)X9qXcW)9-DQ?}GUAJm!oKc)kkj`Fqd%o&oZw42$zmPSf)Tm>6Ltp)P`R zKt{%NPYgdC17MY$MQXIG)Q0!x2I4RZM#Nm&2D1jrx-qZG$VJhgw%FXI(G?G~#T<1bfStcc)%hZE5^ zL>HflsJ|uS4KW>yWUwB8A*&+};Pf1MsKb;4e-%fwg5+eZ6yNudeP$1hBv-I7>wEwZ zE9#iM6vlD2;OA8HX^F&X>}OZ-GcT&%gz`ry5d6+RcA$Tub1jSeqxMvEcC1G5A<9@j;xU*Kmri8)#A_38I zUx6J3_^RCM7`;$zx`f3 zLOR>N3f?cvSUu)<)W=uL`=~d+m&qfKRT>9omra+RIs_xImJhGHkC##39%JhZNAC7e zcMbs!^jSzS$XocfH&&mM>XC3dyB~S+I({-CL3O&{MHmWbVWkK4@ks{}1&8b$Vzm`m zJoqGjF*B(e;CT~+O_L{%DJAh2ug|-cK8%sD>8=^)%CX+VaJ`oh{1D){8T*>=4K5?r ztgB-v_!Jtd@)F|9Bpb3d55fbRfgBm$74|PExycqZD7taT416lOSM{WvLaJh3PoPv+ znXRmf)TY%I8X-MPERbKU#6aiAWLPk}G_gBz%Nou2dVvgmn}THR9n`Gh$Ocpzh=s+A zs2n?brYA`f?S4Vzu3#aKA-cva4#@*M31}QAcn8cmg#gwxA8fMJXMzn`GC)9v$tBkC zh$R~q*4Z{hRBuJ@|7&YbBicE2qrI_8)V=%+9&W)Jd_gUXW-_d|W?wg(`|=S4Z0rq( z}NT3=(!e!R$rw5@>POt&_Z zMODE^Wxy2YJ(#b-0id9a9E5{Ma2l^-p;C+l_@bskDWV8y8^Z~3z`0P`uuUf#UZADH zD)a6x2L6MCmWAuWwxVtiK}t^$NpK=jicDY8CvAq#QcsAb3x3S!lKKjI18$3;eVr~q z!3>PaLJ<){_GE)azaxZx#R`D4?CKINXjaqI*(ST;0hJ|7Dw)DHKtDTNPJtVn&Eml^ zRmLI{KLL zo~k#fF*`oJ!>Vp9*;yAH$T+YO*&3td7{t?6rSg6m(=7mt?lp=aPD1$(7{y7^H2ZZ0i+WwfF+G%sILsvM&0;Yqzq=o?tN!}vWKe$l zZN%6=2NR$qAg0ypg2yA}%;)+ofdRnWnp5DRbCo7hooEx3i#*`1z`tNIwpUphr3W0g z2%&&PAk}9tfDUGR73#|~MC%P^bi^Jp+jtrpIskGDKm@|Y`PMB4;0c%achuqyo zV_V%UNHmSDuGA@=05<^40 zf^Y*5h{Q~W044wv3{CUUIKUY(06>e6)JR;QUGAeITY%^wl810nAXsi!#dcZ0{fBY0wR^iA-2J2}FCCQWWaCKZ34jJ^u)2N8AArn^I@0fo z+o=!YZ2HiAMQ9)L2QC)HHAU%3^AJD^-=O>QFd_Qj2K3EJIxG`F2DGB(UWL|LLQ1EDI6;%isuzUNWg$P7pnT@f=HLUiu(NMdR_|42Bk zN6ew+?|5e#Zp_pCjV(`~MqeBAPC}_q=x>oapeP?F6P{qPvEYS+yM2!sivW~7!gfE- zh=pJ(b~i5xaWEI$TNd+;Ki&Gnd!I>Ptv~;}%bVrBu?&l!#l;`f_TSjH{<$BUpJU9U zilcmf>%Q`iG0(mKnucly1n&||&H_t@>SkBAYxh8$plg+p#j69-#K*?pdZf9&}#sB2NHtWz&THi z1W}uC+}1E)_p2c|WIWo(fg~%_!Q!h$vG^}{{!rc0L5$&D))1KM(yt{@ zz->x3j##_D#arr*RD}H$sLHl+S6|)ormBGxiyTx`V^u&!B2TCcdnRnd3k-MmAuk#+ zKq;xbAeRBs)XmiqN`;6CaP>e-s%CjToBc!m_kVwj{60@U`t`4iznp(`#OC_~ zPyaYefd?5kzXym%x0Hn?KL?g4}YRNi5WRvuma$HSQE&Ly&H78^h zb&yVRjQas1LU>2uIpA;z84O`g|FQVZss$bt27g30{}&LGhXrm77(?o1GCl?^t2&iX zWjG}M*)Gy@EzaZg<|g0Piz(ss`tA3TKu`; z2V(%DHmr0Twg9kGVtmJ%V2~ao-j<-T5>_fKA!JWdR2!fG5uDqQpZr6cW!vJSi@_|& z3Y?I#?8>kHZu?lpjtTNED5b_%i7s3Cy%mOydnWJ65@HKOq)H`iYuYi?^FB zJA|6yv8_GYf3TJm;5ViRhl2&AOf^+n1E_&`TwSwDc3S`rBV(%^ zh6DNlJD|8&gbbG{h2lmUYE2~|QCqaMjUi&r%Oz{z9mI`%5iQd}IRA0wm!RKRH^{Xf za;nh~zs7m-@V9@c@eJ2+^|kb455WNtAjR}L6I>lLWf^QB4@3M5vEeOMkU;WICJDMI z&FM_;cm^D4WB3Y?);W?O^lotk!FP$x91;gB7zG|Y$FncQOtCWnwUsp@d>kSX4{_Z* zZvW5jjDe`@Z&8Y(ZrI zKYQ=;V@G!9`Ni`-GV?N-%*ql;RkaE%bv2so8bhwJ4fn?Efnh)mXi05mVR<6~2J|;n z)?eVo01Zs7WEedQapA=n5McD6QyU9@5Ix;8tGi2O4y9u8b(zomh#PNzzQ4F}nVH2$ z=4FzVMaCf`PuzH%IOi89&hP#Ei90uS15-urof6R-qLL*fk|hA=(iTV@U=eRYq9GA$ zg+l&fTaWo9bCpTM|!#0KS|*;)FpY+9U!O2Z|KW49(022QX;0K2kq)5%=ml)XT1sst~DJ z;nTj5tLaiS8m>{pnjg05Ms@(Tow9?xCqtl|vWD#?=toubNVO?~Lk6k}`-}9)BmhE~ z15OfA(TE!5tVqQDbG;s=g+t*-`8X=$M~$BoLh9;&J#O`vb$aOXruF>sJ zEZ-afpe_MA<9Kaxu5`2+C#3Q1n>{#P#;XVZ5w^HTYHU-+x)pquqL(s*MP! zU?N+I+CyT$2S9cGOYF}vnwH*__XZ>2u| zg;@CJ)dyiFf!r2kk(fSgJXYfJlh-=LJ2$*0KfJmKmwNo_iviO*$sRvBX528`GxI^=e8A0+GDtKCG~GI1w!=Z$T3A4r0|SXh zh82UhrLxhxMU}zAPdk90XB*6T>uOk10U1qlo_kP_cthhitGOb&07MOi~frs(7pDX zU>x^H+u?^BB* z7qA{0a%G3_hdYHw7$XZT6CMNt6~yX^5g@{9eA1IMEBQ^3Dv54D+Xo2%uCEZAJ{EgM z_0jMcJ{;+2B{=3HSs#c%!GMv~N8B7z2>YHN!&XZZyw8!J`CiEH^3JoSxRZC41)AbySuQG%dEGU&WMH~s*9AO-gi z_lamhw40=hR>}>e0oRBH(B~)Sml-jL(yT>9V=~6_a8MWC4r-i+1V4Jf`$vo*9Xw5g z26^v7#FD;nUEMD|zj}mqO#56dE*&X6?xg7bpb1gUGdHl*ub3(>LN?v%;(LN@h?vXh z+p#mvi3Y1MKjOYIfrPtf0>O2gD_|u@*_!II%REh zT>X`Wl@PvJ{&Rxwlmu67d`uZH5Zzrho=-UO-?P;SvL*sFaX8F0K3H?CF6ydvSAV$J z_V=Hx_Yc=p`6w6M4MINX!T%(g%diaD5#x83rwstnq-)j6o7av@(L{xmeds5ewp38Igfx+&l?!u>v>1Er^?JGfD106AZvh zoH@|tAs{?35%-AXR8Tt{{-gsZSOJZQvxb+JU%Lqms&8>hj|)H0A5I%LDs)MA)ehGS zsbb;IvnE(}F=l0lW1%57vEm7~S_?c^0e_z9w_SF-J&6lIHE1Mgg>(bFan>iq!H|M{ z*NPD46O9OOHFktQfMX@yU{H*Yf~O_5W}1*Y`;1e_M!jdjWx%S1jJbsnxAuM{PLwTx zJReAjM6>%ie||l&AdG=nz$H-Pe+I|HB(XvKC_4|HA*V&U1(_ihU0vdZOPVagMJIHK zH%(m^I;VHRF%Y6xl6wGR&vWr0a1$B6E6tP>Z*hU}EiVn@PjdVUy7Icu3F@Q%05hCQ ziyY%YF9JYq=o%q>X%|7P_I%zQL>kut58fRf3fw2-Jt!IVliLWd4Dv5K*xVy;;%ZbS zF>jAh#{d9807*naR1zrNXQF(ifo6WgpR0X-Xq93-_L&<|flP(x7*b;nYp`@hwGCS^ zfMBurrTei_p&xj0aRKgs3b@34ZFlmJ*i=L$D#K0{0$KMTEMK5N{w|Mf*?VB5B0x1a zQ7NHDvUm+{lp#2Cw)A?AS1^tf05uNN-}B1!9UCI$)dD|8q1UOef?7Ll8W{g=W4=}D z18QAgjj?J+h9I`$(^l=Khpoh8kArDD+*-j_JJX`}>!SW?{s=+qdCKl5j~_EMq}IR{ z?pNHuR00}{%|*2@QulDwJU#;jG%+;*VMrr{tg(E{1a;zM^Xb`8P z*i>OSdL3-W0gGM}0f4((b)2b;w}4<~h+p6Z3I^ucD0JYo7QJirPc<837P6m>%?N<0 z+aK2b@&YgdKtuqrkVL?y!YLYFySu~^$2SkH61LzDas=HNqVc9ABEoQiN`<&E%o6hFgO%kqarIq1-!<833iCbG)msXZceFxV z629s~0_awQ3WV@kEa)q9N``zqOIOZ_ahp(LedsGglOTg%A_1Tx_$%%g4p9)my%7%r z=B`Bl^pm#+%54$wD8T&ed4Ai!V;FzT4KY4;q&vhzO%7vNz=IGfgd+zv6Zg?HNL4)p zn5u2%fL#WEf`cGvfC^m{LIU4u9T9Z{QNbVt2HF$HiLs&?#DN4snsTKhIC4zByk3V_ zCJ*ENR_5Bjx$Cq#3p^aFhSs=9a`;lXS9*bWBwilaK+qQ%V(4XRec@Hgy`GNn(s-_^ zD1f_l&_oc^_pck6B%0;ANs<)Z9yw+av=-Cj!3rF)_`7 z7h_^9#8EJB3b}lu`&V2A0fct~jHsomQHlhD@iK!MJF{33_DDcYALv4k0w!0+1niL5 zq7nxrg8PXhXHG&2uuO%REH*v#QCCm>vm zK+`)E5`<_`e|@|O;QyJ^$qdgK3=`^>LcbJ_VuRejv-`8 zvFv&PB;>67GG3N_liCOHA}q`&pL<1M=z1e41yt^tlH~lTij76j;G8D9BzyKe_N5EQ zFtj27I4)u!W&pN^a9l`}=vXYZ)BEd2Kjt_4o7tBYhB~XP6 zK)M2k{p1~LVHe-3>x5i|jFr_&HU9PGAfMzA1PVh7X%zcecZoG_<@Gv(-oAkEW*pefFilotCRp>1ppMDV>6YSxp)pI~CM2E=G-BrzX?3W{=A7Z;O z%9kgL#rgAqXx&<>{;+@k=Nv=m631Ibwg`3{A)NpX!pQ2q5=Nm=8d8Bw20Sc~o^sd| z$DOl!E~*@Q!SmIm0LxDGa@0}wctfgL&_IquL`r)M5Iud#qU%K+vOXrAPTA#=onW`z z%HGDIUdnSopzC4K33mi&u=a!aU(g=I5)>)&7KsqECc5$&Iydixhy|g#> zTS>x5a0AF0C7FmFa&qU-0KgKtrU5tRR>?$N_5aFm82vF;^&%}bgC-;>WDGiN< zt5O|J$1A!~kJl>`G`I*ZUo}4^nIPr>bBLNVWF;V(i2i1U|RB+7>Qzl5WuIZd;}~sX_@yW*5O_*DPwvX-%X&>Az^3I2J+-3fbnU3U0@}s3BiAG_VphwMD$KydIyggxFtbBj^Lu~Z$s=o5BPIPV+U`92y* zqd*)9PrB;Szqm46W0O0&AU2JM0`Bc!kecM``4eKpzUeZ8VV%0n${D0#M=?FkCQFtI z#l&-@Y8{0EJsR{fY8VZrc=!w`Z$8FSutMZzeTwLW&x2&>^+#QgH^Ns^EPl>QB(7J& ziX&zC?i9qzWV1?xPDv)Mt@nM6NfuFvb&D{t7MaErb8ycRVx4JUbgFutV~E_w=J!xr zjnDpd!Oe$v#>p6l0_p+mnhdcb&lvLJ-9=}6^xuQrer&5R~hUGEAU2?HW788HPb1uU~ z@$K~pF2+5Yn)fpNAU>3{FVZCDk$HFQ!zYYL)lM+7DKGi8339+tIfsCBJ!Qu+Uw{xo z_Z)c*3cv7C6Rwnv8W&Q@_YMzW>o4{}?=hhzTv$4Z~Q2qGjRVOTB0dC3COKT^GQK9!MmFTO>xiTFMrInuXnktH2)bOv zvk4WYoDNt!zaeo60LIZg;eeVX7^<@icT1&jE4J8i;KICm&s0KR#w1NIsdDq#O{Mg^BAJNL(X3F> zOPYA0f-fG*T#rZV3Iv()C^R-96L|)$&}>Fj$(rhLG)@oe=2#5v&Yfh}o3c<&U=r86 zFibEfjpIkU(Jvz6KXqVW`JsQ}HGY@W9i4x{j4NkrIE%`pe?T}`VsY+SdrjtltZep# z%4o-sqat&WIX4B_C}##-YX@71rcPV_;yd}cI*rO?7_?Bwcc4Y=zQ^^@gGsw8IIFZmll=~-|07!%Wlz9!6ndP!AeM-xe+ z`jT8=Jsf4y%SqeL0kM(vN}rKClJhzY9kEy~ERCqGdt{;itgIbqyj2z|v-NL7SAYuZ zRcJ%NLOLhB8A$7quB`_bnuiXh_wc_)x&PVeYrj4go_!(yO{^35*M`-eppB2r2ON}q zRD7^>kwxNu0H9IAGPo<@M%svV=I3X1cx1j7u+R<(c5hhvTn>pBJLAqV3_sD(sh zlkHhKxP(@QL;uL_4!;mY0(i^`l)B~BO!=^PbIF^+JJRq{W|=on&xQ}r^s5u2n2f-K zARr~PUZhOW*T$^%VkB}p>eLgP`(kHu={Vhyp{kRg=A?QHpAA@+xLizj2Pv5~IQj2o zb=l3w7#y)=v8d3%ZD9=)vefWuyu8kv_Y^h7D$}eE-*)QHDw^w_9#GCo)xlCiDJo=`DndlZQGG~_o2LDaDia+(+Xay-I z?dewEs!m_g;_z)*@M#Nnd8{teS09z$rwJF{6C{xP3k=~d^3WoPb$7@MitSCmT8~&3|gNFsw zaalQw#uU!lxOS<*sK^_{i4u-$;Ykn%)+HnfpFS{a1Q)?Ri5vGx+&!#Q$~e3hu@uWWzFilzHuvtQ?3 zKjTS-5XsT`8RDVCjlpBg8$%JyL`GC`2j`vmeS&!~RfPpjAb%jO3>h^--PiNn&A zHS!nX>!`LJj1;kwHBepdBy$ABz$ZjuaD%ENjw`=8x@lLgi1`)H46{U7*!2j%cru=b zY@rpGqX3rhayyG1AZ{SEY!h)o_v7ak(kWUDSUEWIo{4V>BEUMLe^h{+GV6vs9~{@^ zGOk^9RZlkW??Wzs{`kC9lX2Z->$T)VE4B!8CnrY0%B+1WMPC#*8fPN9(ZFCBtJDBbx2$=#mm2lIw8m_G7^Y* z7*oNK_j0k9;EIZP42ER_L-Mrl6lA41g_wE7#0%f#V8?HHON@mH`c^qa5vC}A&{N9s zjY(rLi{mYT#Au|EvRoKb7A*ZflU4^<76gXZlDkxCGd`qRWfv1hpOZ;FS@Rrqm*iC z9OlA)T^{C%CFKvd*zcT~GaaTwgW&WVEzF@{C?nN)6zYwWMX%DbRN9Gctnpl-bo!sf^Of|%Fys}b;&eMTdCaJhK z?XQ5ct9^?yNJagRxBFewH~dp6QK__dZJkqMQ_g=OryLo#ivf!?{z4m3U?3JVjv)>P zyxfT#DkFLH5h$jkU0ykeev&EY{LHMER}~>jujBU-CP~{j%>L_?Kj?05A6wRtWS!OM zkaRXUbvfU!q}C&7U1wi@?e53P|GfxkdF`@WN{GtLPCHb|Pe_->uEzkQ(>pCMAy!K8 zB_Q~Y5TWeGQY~))2;Y(@axCBQ4Wap{fG z>6 zYv=8&jhIGq>qvY|)k|t>(26ZaGW8t149k9yov-+ku<-X(TMl}d{oR9%{?UOyAwycp zc8)w=Xf+^1Hn+f5%0B28*qYS%`7ZW@yqifuTx?=62orCg0sk&4JCQ;GY=xx;DD5l4 zbvJV|5mPDbBxzr{3{4P-PY3Wk2l4V5Q8s8t`Lz=|TxE4iKG=K}`*O6ll)R3g1cpijcENG%M+ zpLB2(a{xukeZvyJqHD?Tmz|~0N7s~Ph22Ohq(OnN&Ds7@QWS3NM;);kj2?t!g3!zA zCD$PlKWLnACdNn3-Oyn4gC(7rPf~D-KB$yDplUR7fn{S@M(z&vg>mC(FfWwJyVy}= zMcg~n()WCrl6ZM5OL#kE+wyrro{EVo{M%e2=VlouApC6^Kd4d`SfDQX{1dN)VM_P$ z#5>NQAaH*F#1lpg1q@4-&I22mpoI5|K-o0ZRZpK7-P?`%LLphYiVaUsAp)A?_D2zB zu&dKRW7nrb3c(gGt=66)^XfRrsCcautQJ-g`n67E=XfjdQmk}H_i6zug_q;TtcR%o zrHD5NmO?PICx@Ayj7QCE099nZKpJEY>!pyoRXdlSVM)d2pD-H?<6=o&WOo??@ zLL{a}tzO{eYnB-Po-=2uv}$@1slnEU_JamKvZLCS++UX z21xalZAyb1kdLM(Li!0czW$HvTXSN!h|w|3Sq5H!RLzX=0?g_ct}%2ihi=i(fngOm z+!tDg&mriP`Ma?Z-Of@(i!XZnTpzs|_?Z(!_V>&8!&zpu*FWwY{zz#d9RaK{_A#>F z9Vt_Z7Qjt<4?f)`nHaOv;1*hIi?I2Ig86Xf89xcldA^X2X8_q_w%lXIVbHEzi~^@W z@DKKgt`tr`!bkhw^s)8dv8Na(W2*xS&`(Jge%yT~v{MVbgYiYWN^BDm74?0>LU2Y; zb<#}3W3v=1Ssx*xIOK=?Yg8REiN z;G|i_YBsc!JEy7h%@N?gjVoN{YCa%3%b`cnQg7e=t07<44kw5{oJuF5H{IBwS5D#% zZi|ezo>`TQPDIdZ>lM=y(_`;cXL@hK$V$wK3{!JP;H5DS_6j@hcT1RxvHJ6i@26MgA;{7Cc+1s- zbA&CIBMOK}U0fT;>q?iRlVf&LqYsHB z%1Ts2vFiL+P!aLhdjBdd@skQ%U&HE#{J0Ql_}*fs&(ec+3b%Aj3Yj(nj`GQq!9pqr zx&92s48HxEj{wx>3)9RR3w*?86uIY9$S%$PUc&H4 z(3caJt3Wg82f6rgphS=x7yzL4ACauHE@1D_9^dF?|* zHDfk5Pc6K_Zqxw((J3-Vg{Q5$hj(T)VvE|iibAZSA0{9)3I6(nuHcUWeD_ zB~*YCo08%p8>fkaR8LAoM7uZY17;;41dn@nFpI%L!7GQErK&nzCp>Lz&w(&ell(j5 zSPC4@NS6IF>Sv(;Qd%0dljvOhdvH)TE*cxx3HEwEze?dRT_PB6q^MAgA=MTdebFm2 z-K0<27aXq-@K-NN8p#CxcWBJ5cy&OBw3k)@ekgt2r_lT=lFDW^S31II9}Tf++RVc$ zcl>_3;S9%*NU9$6$JClC_5)7peTo%7x+iwe}rLnB-It|LCv&saeEW>!*IY z6Z|ypL$edNbK<&5ML_R$(vo_ePZ_axICAV#a7<204O;0(KQfjiGL^j8-KQa`!PZL4 zaoM!8(Lg8EPNewT;%A+)Q@3^kr18D}6lnym1))K}mT3t8&bEu&_EYYUb@Ip=>EoO4 z&3YY!$A@tGenZ!k0uyWjV`*o!Sv0Srln7*MegcavF3UR*zNSVPIjR8!DmUg%{Y_|?+-bS1vZGS zITc0DH!xn;WemGk$gsEKXer=1CJ*&{i#KLovl+25az_FOm>@9TxyXMc zT+?bWEj2IXZg9Qzj2wFaJ$p851~HA$uYU$$;Oa!kUG}MWb72W z>{=H@qr2L_nB_*bUAX#~PYw;+ko$B*hL9xc;XnG&ad&#^Imhqg!-9796rQQ?SR26N|H^caGDCu@VR4?#;>3!Yn3KQ6Ip~fqSnQVJ(m_pI8OalW0z{ zBZKx(cS16O{Bt{2YzR;a>8>PgkXm{{Fi`o|jl^ z@;Aw4O@u@>XQ|+BccO_d4y2>V4N(IOWF&UDlRzhev_B;Cs1jS@XncSH9mK`16j z$4fb#s0hCubGgkEX={RsA>!$MVpDu4fF_gCB)Ld+s?08>hqm8|9r3oBICHqk3#JsI z^lp73?^`)`k>+B8LB^O9fo^pvvI)?{14*15vyQ2#uehYu(tM6CO!l}8YmUUIBjh@u zwJo}+#24~%`P3ga@E~?d5gSYasU&A5#9d;%Ewp+}2_sbbppWWlhF_)4DpP?-> zFtBk)Ekcdxyg1?%w{udh2iC^bG_xq0tp5T~X)Q^!plP$pSw6F(zV^M<(Hj9fu`r+KZdYT#i;zdO{MESATbBkLu zj}afk=7on4d%N1tnewtAfuJOG=Xx=AdbrnjbX4=2I0Yo}S~{eT%($PmlI!UT{k$2W9DM*vvnKfm$r4f8IRW+8vsT^*dqkfGO_!Y>i05C07gy2 z49z7&3!I|FBf$vXy)W|d-$8N_V|1h>9PW5&qeR>Ik^kgfCwhX8^7*C1t@AwCdd2+N zKNfru`-|~%m)sI%xn_j=CL4<`IO`3s{5<#Sn(EN30I~Cc%FPf6GP^H_9Za;-`kV64V68l8IqGjL$|s9#&5Opw{ll ziyc|9tdJZOG*+0*w@M-ab|z#V!LREdu#oprVYFFwcA{H5Q1MVigO@RG;65)WqlnJb zi-;nGs=S+X?)hy|rLa&xMv`q~&NY4cwcL3jchWx>Z51&8h_cN6)8(xo|uABt)-0w*)w8c@GFMh z+$XT^E!ZkgQ$VoAS|4>c9u>O-NO14vxW3N_`Cj6ha&Q4M^@4(mZa*yZ{DFPUJSB^i zV9c$&EVD~yFJo}{ae7X;0Jn-uYwx$uhb+K(%5m%$CSd{4=^hZw)8%-T>Tt|>wZp9@ zwRmFafDb;%p5?jNc1R4q8q_o?K6#2oiC@+yY-*LwqoD{~SdeOU8eL5!|M{S~5J2wN zr-O-4&4SmWtQi-9VlQx~4H6b_01Y|h1c>&Ay>Y)@I#*rfIcP|;H1ZoAKQ1BLIZ(vf zb(=bqBec&`A``3HM|%*EE@vzw)vM5SWC28>C!%D}K`Q5*eIG5wLjW_WEx`>C#L}zL zWf8UFfPiIU_obc2$Y9)dsd|e70#I*D>bO~q?l3^byf&Ew9+L5)_@ierI=E$`YxXJo z=!xY7nB`P=SWlB2l7BnS9KGvHbnSubtZG012Jd%te;P3KXqwX1eQm`R82B&b1>oIH zC&wP)g?{u(v0{%!NRbZh@xwE%;o1mwm0bF0r%THCcl$GO4F zA>v9cHib+Sk~T0I4d3+Jf*B3Z^=DVoYvDfpPdmux96F?B{Cd%~^W=7ps;-o@@usG= zjr{wc>JI!nqWg&4Z;{&sld@Na!|}-coTcgahuiV;V)Xy?d~pvJ=Td;@|u)(P%~^e5+|;9jkwM=nBQ8sH4{z_p5bL=J62XaoP7jwn4tz1eu9t zVZXg8{sxE^)X`pQaCKA~-Tij|0r?8`BDa&pu4GwY2c?$xy-Yazc~XQ+fJ&h!j&!mx z|8R~t0--7~=>=VX@;xalY_$j(30(w!KmVbgb&Ty%KDa;NFCg#FxPi*r!5UQm{h&7P zaP(4ZX+Gk4-2G6iZSh3}LB@xm#u$P6ZyfLo)8IrjOT1X@YyqtCpJMsof2|HeYPc1D z5I7CvyMEri%`BlBPy{Fe!Jg#4hRV#e=)|ld?(T6zn7kJu%6r}~k^zj731>K47cp$) zgNWi0xIjXjEz_460u}pDuzoa7Pz2W3HG=2s<6qX7VON=Sk-9Jl2vok5)e)Y5*TZYp z&F%Zw#@567lr|wJ1vE>tI0!1wb>cpJ9+%av_$(iCJn^G!*_}5(H|#=8JjaamjFA*1 zQ`IxqKMA2+DK)D269_1HxVM8DTYMio)!)dVd;iFNWhG&9KCq0sAF@GZ9#y_mnQA4- zxTjjKZ?n2ZUd>(JbzNS#kE?$Di&0tn%72-Aol$aIiw^GDb;SQ$Dbxy=-o;3Nkt3YP zy!%#S*ti*BMBMWbG!T{gO`PmeQoK6Z6KCSG3Mb{PE6f6WZdrTfbxva`G$cXgAuwwYMzS|x@!0d5npTkZ{DVV<*!7I{bfI+P2t7< zwyqyRL6~>0xrpFVc?_+e^nG(m`0IB*F~G(F+`PwW9C{C_tHIJu***362m(&Vjo+l# z5KPBZ5;4rp=hw9UHggnG(%I?rO*2mxjpXYa7X-rpATa zpjj6+yYq{5a;$99>SCj}6K(Gf|-A(8dfA^=w`5)U!rSLCDWmC(!U#t44iM#=klgXp8m!$8aDo4cNUw4HC0 zN}JsVmHt;j6_Dd)5#UBi1Mi21iTFBoxnO`;_5G2API;@BmRT5nY9&{}0G8JmMyqbU zjvt$ImnD%iCff=vjt-trbtv=|(>7lc(Vz;ltH0-$y4tSQbrpUy^DWGp3xz5STO5b0^+@mk&Y5hBRmaV>+IhEe` z1tF6p5ZYA0jZov^V^YxvzSsZ(O;m6i57PD%KSV0JG>~a9w+vx5Ivg$0LMWByM2zosRT70FrDa!t&re_Y zO(@c)jb*BDJ3<)xxGSRQevW4PFF)@s1jE&FC(A#dR<&&W9hN?$)8hFuW+3AO(K*SS zpo6&)=4)sXu9$Xf@7B1W-uYb1GC@(|H;5ni)L-Ja$QKlUN55DdVdsWNx0eV&Sv&zz|g4N16zohy2n}J>&e$SZQNq{ zbSiN(57E($yl+ktznjAEf)ehv@lP|ifC|e^N}%m86cq24MiPN0fWCNlH)ex|f9!xO zd42MaZ<20G9WH5YNC3gAb;Vf+wsmJ8C!_Fn2q>27Llj zL6-OwnZ}n2?(Zq3kDJ%w|FXcM$`m+OMgns3aSzaDvtsIUg$YeU8BH(f>`AXbzGgle zbpY$tygX0STi$+>we5Y_;?GR?(`M;``p+Vg8~7rDG~pJ0=?;(?7al?Pj0|)>Iq3J- z)=~gk2T@U~w8yGCE>?tvjdXyQUF#jMP$~yOCf&=_;XvzlE4N6y)c)Km(CN)n+?ss zN}3XmWw@Y)N6kLl{fNx73=B_|`gDkS&}MxOXJPGNFnRdnCbX!8SRmlYuhREUoy+_j zJ>n3P5N*v0JrpCr}Zf{BhbjzU=(w$3tI}Ntg^=&5Shd5f(eC*#)My8Vq2e%zt?g@bc7jdsf(`IP zHN`kg1uAMs)a|7)!Kulx7l@+YRQFo7KFkt{M_Uqy?K6~|xH3*8D z_|wTf`a!&&0LAnGO`@baxKNtfitR;yYpJ4?)T}(zOrWk?BjL}0D6Q6);zJZviU5%p z_*LTP_X!tKZh+;Hwmfy^w2dg#uvDO%Bv&{zG}a~mo9?YMSll33PLXed33~}NYE~V3 zq7WqA&u&DVALCmv!o$OZVFkYWB^EgJHN3ZxMFJhGfkL6oOfUaelY4@u%7CI{je{B6 z{Ot)>!$ymc)7$bnSp|oSzW$>u2z_VxnVAR}i;Kx*R3|#A11*U#vgYD}$v6BpptT~1 zk{7p%*`O14IT(_0-L{{oT@V0*Po0$yjb9-$&YAQN^F6P*HoN_>V#pI<2?P-L+#TO(T#{;K$t&Gb9-QY=K*^`=;X5h1bENJG%FJW_;)i|so%98KZl2f5;v+Oyp zb+`K8%bEr>S@`}Qm))IXq z0Tdfs$Z6CCovwz8Nkq8H-#VrfdFd*zDvp2O=FOdsA^T$Uw2WY35f%zUryMV$hlV6y zM&`tH^(9CqqP?=@;N=^Cr8=;rY|jfAZCHPt<9Pk%**O*R)eutk`Poma_RAeXD2r;3 z7UywS@oCLwnU*vruvre-i;_CAE_3kKRN%)8lV5_%GJa};l~K-hqv#hlH)3-euYQ)9 zAAwTh?icblP3Sz3$p^RT2|8D)(RktoO|KZg^FIJlSawPP5RN>cOno81V8pX3{Z8Ee zczJ@6MdBazw@>^fqZRIm*;=x!aMWa5&1_)0r*e8LOrZ+lc49gmcdW7K40zab7~`dC z;*ezTUka4hA!@nUh$obV3y@?!ik+Z|^X+4Jv~zw>?=EgJA$i;mT;?ay;O}0@a6`jc z^mLkV*{*LlYWdtP!o|1y&+tvbkj$PQeL~x8046faRs3-iCnEPYpkNQ(Q?k9I7U~Ok zGeOPccPwDsD9#(e>h}y{x9Y{m!fgE(yd)(yne=wSAkof%&n)1kcDm-izsfWHmp96% z($Usd(>KT;%JH}^{Mumpy3w@)G;z+p59sCv($4-Kv9AOV`@h-F2aWE~{*uAL)IXo~ zYxvQ!DSb!VlC69&4deNF>T5hKVpM54iu2nuNb9^L&f?Y5@1%I))$gPU`h1v|cjWTW zlE5VOOik*nnG<@#cA4b|SFb(}v8`y>{L!;?e1gl3da7XlySh8+hOBR?l1FUgMWyIN zX5D9Bet1w_>wq(P047GB(>jD=*7^O5Oz?1%%xAF1D}tM{pW%H#4rxR!-K!lGcWLui zx`z6agNl)bkFG^PfLC}FRP&S}HAfd1YeViY_e>h_=|*3e;}4SsgQr;zFqQ9y zov*UJ3arl_1ccM?&xM7{7bfi2{ab^)H(npEODW5GroqLKJhz`ZtA-gi0rc#?>%J)fSgE-~)mED>GFEw?56CY{gp72v;3n-DEog>ts8 ze9UEmE@9N^ZkM4Qgav!a_m!Pt@*;-lbLeslSJz_O!Z z?myjtK%Lj}111}zbKUImZ(GlwoyKGCA6FYUJ-~py z0BWj#vZuv0`GmXoLXJcK(X6| z36BSZ*L54=fXnN;8=Lz|U7v(Y-|H^gJ8hR3H_vbd^G3Q3_`acNe`SxV)y;r{+T#|z z$Chx(_rJ!CPze6I@XU8J?gPmAp9-OdHn^srl}tj{E&0GTE<-b-bN;@qE?j|>n!wGv zV0wH}&qI*n1Dqj?i>N#K(@5$!pt^oqNFbk_k;pfi4Q=~*Wn!VxjWxjj>$KQW4fB`t zx|%1zHksd&O@nVRVzztdC3 z0wVZTA+JPJ4~c1HI(mF>io_7VCrJ{>`<+sE4oAdGi~rN(Hss&>oA-U|pMiJ2w^yft z4^aQLxv?`6Z-|+>3;S;}!x5$RSKb1X`kN~@``U{J2$6!LsyIPwOG(e>F4j~B*w?3o z{UTcq)$%fv2;KM6X8wD+@-j42(f(*gvsrlsDkJ|OT@arxt^9uKKiPxob!4Jqg8 zW#jMn)9k4-me-np)1+T4{nkCsA!dj#)4yM*k0JPfTy|8x} zE|D_ZxNNeWqZF*x88zHqcc&%uNlEjJzvT##v_hR;X_s!xi}A?; zIc^BUC}U*oN1HTJuQhXxt>^duBpS|ab&Lybv1a02!=0W{fosa007+j>PVQ~t7XZ5B zy*^w6!qZRhc1Qnv*fxyn4?lgD_&TU0Iim#wb5pbf%h1p2`5+2ppV%O-l!%{00gDi) zw;_q}fHP%VO2C~>@o}BDKv%$r^N7#)Tf}u$1CM0a&220`OU=n){YWAD0sSblbY->c>M;i`hhvd8&G*d@GZ9ZghY^GDUi~vnR-| zD;4foC`1ea%H-SQDGM2G{$e z_)x1=x8;Y5sxjIAhnDc;syih1w-lqEScp@P1guIb5_7_y0qrT#ce}YMGoEJb6X|({ z{~Q1f_z~ngL4Gv{3e+qPr-m<kv$r4Gx4dfZHx1$wcL+z@6*3cMVa z;gNZjJNWo!mO5Qe{~s$k{{;XuBKhIHve*D)*-Ealc?i7s!S$3L%)**fmISpZ6~{lyIRM3@tc0jW@)FQoG%P(#_#ee5$PvY>qaHr7 zFRyq&RZ8gXj&DDychgqK2+FD|4`@k*HLL$}g#|f%YMib?SVLUw=Ia|L<*ZV(?aB@LIzL>X4<8-B+_0 zDY6DU21|oW*y>NY``-=lw>jzFQIDEpKJ@PVYfp>{2`n(y6~jr?Zl{vuoddvSEx@|q zI^~|hn7gsm39bomAS#6$b^j&*064fJ1qQZy{&`^v?nP|){KCWnOO1w04*m|bC+Oc? ztH$U~6!3pP4(a|AerIvtBmGNQ_g$Q7`Iis@7yA+z_4-uF7_L=7pE$B`CmQ55%37G( zy??p9Iq=TXk7x?WgbHh5P&Ikb{MaOA!W$TCiy<@5kTn%wBv4gH!vqI%7ys8~9C?9C zIRK}UmDWW}^}N?@bXqcmzMswn;mZ(s|19_Ssh!b@2IgvjK@M~p7u1yWzFWf7WB-+K z<$+IP+1RqI<7>S42rX>rfeoxkPAf)RVm+_-5D07;xI}FU2o16sLcQ98;4+9DhodP6 zx5{G)eMAeU5`BT7!h*>tB?DilN0L%D0*u`X1hg9+kNwX1>iGh%5DWUm9_dh3~7n`$f_{Z=b zJpXezG@u~^D2EpY;EHNer4IdOO;4mmvr94Y7IvN4+OTb2Cy$WDZe>!qNFAVZf+r+u zivyDBKC=LnF#HA7{<`Yn;-c-X_{;FfPmlA-Jl3@@5(XXyOLPkxB(vmcPX!P5x4^EH zfc`OyGoHzB9fpNSP(6vpftig?LQ&&47mypNgT;RH5$M@aSvlj~Ip4lcQL|AMHza1+IN0FAlww=4e(>oyz||XWL=}Qmy%0 z|0|D_T^hC~4xhW{1iy92%VUPS4`>m55Mv?W6$Mj;U#z;W0MU}UUXds(RzVoE{gWUJ zDud#^DgoF@Ru%nMoTw$x8Xb&@ae;|_{Y8d@(W7m4Im{%s@dfiOSE+-S`nNM9N-@5VRZka5gF&-Hi>Rllzr(*MJ|BGFn%ov`8 zSb>Cgu`cg->N>Uz$Rs%}LT@u)L?~)A?7n)bF`N1b2W4xD6@=FIS%)hD>`+L0*I9II z)_n|!SnQ?z8qXQn|FeQDz;_2zzyWS)9 zgY9z6`oF;SpVzOB5R@SY5U{TN+Ob}*i1XR>0UxeqbeP`Xv)+`}4ghmbxp|MU+<{q# z_*1m;8nl5cIg@i6mb_BO7_4mbx;zrPW_)Jd=;cgw(r>s01U zDpB73fl!y_AxRZ3!>ec_)|Rim-J>cA$H7Mg#LNI7-Ex2-6)LGB(C~1FH2W-8r&i@B&KZi-81`Ij09sOxYQ8G739?rWb=E z9zQs^*fTNgpWNVIsy@=DGGHwsZc7A!J8VE`p5oJs%ZV6&+&h5qeN^g4GVBO z2zq*2Z8}rxxqNti_eF~mSrGIn+20;b|0kSxCTV(|po+;D{DwDr3c)iChF76n{yrM? z;S~c816~btQq}6u-M!OW`oH zFRY^tW8W{nvmzX0BO523HNkhXu2nbm?jwgL7=tssHgbX=KB}sJVKF|l2pNS#oxo-t z%^)O|G3s%XH5m(9Fl#Ow>^+0~^(plGgt4TW0!vZW&nu7xl}ZE+fyj84qYTf>nQ-E$ zFlw~w4@QBLwr4t-cRPK?{jOqB-)xtUQtYUQcq9J24KJbpzB^9>Z_lifKcf; zTotJl#{w)oSh$V2VaoThNr{V#^m>8OHqdGiy1P!55Lua6lPhTSwtgRwk`mG3RBcoe_UnI*{P!w;if*N0 z16*x~3xfYoJJJ=dCZo^y7^#uDKm zSWP08`JG_mvcHVl+3`^{s1$ z=IH$aeZ=}5sKJcRKrW5H|Ey*b&^g2=qPMucCZHi&l2T}YNB!{2{mKJ0!eu!fDI`%L z7SFSqCLfohBn4W;o!#Pm^b*Dl4WQ%KsL}MFizS3&rwcMNch2eeJQeRw$H0twVmgeO z-Hv-lp+*g0Qjcf+pMp;&PHSfI>T*=TlW>#QES zJz6}F&pMd1`2_`?EYzeGsC)d(ON69qCMt8mZ`|{dvP!spDfR7ErHw#l&hh>)aKP;o z^1j~pBRCy(ioz%$;>3xeEhp=-V2E_ow=*otN^ZxH?1lD*EO1Szw6~o8$cJktu6QZt znj$>u%Ly2FhXreE^rs?{#93g0<1G6i$H@M*!nuQJTM)YkawfbE6%%h7Kkt$V7|7yk zC43)k`U5xRFi^SNDb}b*+`K;_YY`m-6b5&O-Tupn-nDR64T)g*{7s%Dnvh(gQrWO7Y7NjM(vI3-~i!>@&VyUjr znagngxjj4!1!DAHo!4QiWj9|9R`QplDzB!g)i%mLP+bQ#8X>-%71EXrN(%~RxylK+ z{}OuLNxLfT(Zf)) z6ly1txIU@=2^u0qCorNQ=gesGO;#E++QetQt~TFg)q5<>HBRp|X3UN-{>jaG8MFZR zYe6svu=h*M%SYpOoXalhR)NJevH|i`Z zd8*0Z?y($swd5_*NV_cJy0r6TZfqg#d4|ny1j8qXS^~t?PPYil+tIV)8ZMc&2gr(r zp1DqXN92o5f0gZywLRt3vRKCNVVbRWx8zcI)Czjm{=)_l+)8Y7zR7iqX`N8hyGi>f z(`2js`P*h=Z3g$ask+Bwd8uJyev9`Xo`Rv<-Yxb7^9vgFFT=3q(9vw)=UkkMb+O-( zArUUx-3Abh$Wxc-S`)`Dpm@OloA#lW<8ct#J3{f|Z*Jn-FXrwH3p$x$G{3Xb$KL`s zky_PiOl>&!e8lhuHpxL?@N%xW^Z?>pCOpgOv|?G`8ATdDys%R|9^28x`M%vmw2}{7 zb0gd5hfV*gTMUz&`WrBNZ4pb4$-)mdxjXy4(G!%ng<8+9bTHoz>tON9y08iUgR(yru@EjX18|Dg z3CX&!g;|#e<>3+^~#OUdc;v(nasI zdAbH{RXWJ=?`cA1{NB<(ijpKw#j{*vV@UV^SRSX4MW_$>WKO&>YT`U+J)h-uxW!kq zXuNe86HnGGVu+Z}zRRZ~{wB4IuFSsaA!oxsIW7`cI!Tq}1h+CILYQ1H`>8`xiGelJ z)m?sr%p+~=8~G7EK7+A6s?6_7q{r{1$FzA=V}^@eU-XRUTS*BioEg|R&n6bmMg7gE zGAv;k7r-Rzpq>!8wd{mo##t(kr8ImOpeHh%Df zaPLJ#YPZnsQyQ|tdnvZ?WzH&Kb;tPV5G2qaz{q%o#^yJsg*iuVk^7%vSx#2c($xfA zx!c(}dRrd(FO0Y|?q0%4&GKI|h3D6*YXMcuG)L94x~ecBDT%DjM>B{%e%wsukEkR zPW}`LnACQs*p|7k2D_|j1FCJL2hk5->f%ml1*w9IU`U<>W|3&Rk?;|f$y6Ob02RBsiFUTTa)kFy2SF-gAM+P?9Uor)GRoC<`UF>t$w4VJ+>kflE2V z1}Ycd@br9}#@=&6O5KOhoSq!M(ETf+taD@$+Sa?T~)(Ui7Xlwa?|c~RRc(tC=71y!q0Du!9qhVl+b}b zgJsvIAHM?42JM<312gd>a+#zfH`%YT&+OW|g*&?MuihQ?T-$$0Pdrg2m3$j5Aw@gS&h>d|FP!(}`Qf z|B$-sV2W)ikRKi>=sSkr-aaJDD3#iHI6*YO6wGP;M>~@{wMjR00dlor8|hQJgu)ZA(*RKt4cV@z&Lz&i@I_5^HBJi5fhO|PB83~-`E5U?p$*ttBHzl2x| z$59d_fUFDol`B5`4hg9uu(a|ZW&`T16yN#tOulw?;WW{MAnvwrbi9~WF+<-KcFPRC zc}b>FmrJ+N?HU4_-$@SSi&Q_MK6h17&S533Ee%ZtIP`UzPFBXCf%V|Czl+CjicdbS zMS3p=h=4i}9S17w=0vV}cCccve>BG+=tIb}NqD{x2IhWU1T-5NqHwWXF70Mcg8J0l z$(16t+Px$lPZ5K_BFPODh9mMm`S5Y%zI}&|q&{z^F_tY5SKesTJQ_hEv=$Rp>;J~S zn-A4gf2vu<)x$JE;Ze3ux)J3h%;5toSqejiDCY< z;s8lH#i1F?F&Y!1_+_3_<&a)f5qsp(2gz0-ovoY4IB!O8HLHZ?3f_#B%kUaGU5B$5 zr*Bk#xjOHt^LdGS&+s3We#AUdj>pZl20m@+Qoi<@L<=X>p>*t@koVW{d7cnfNj9WiHNqEC^H9OMheW@ zijSIMjiIyDM8k^Ugbyr50s+JJk%xs{Lx&CW8r4P6&yL>%XAh=`6m^Bgs7MI+(>hN# z^Hh$pd&54{Qn-5;9i3+L3D`BY2lMCx$cN;tFG3Ig@c@{>=wo1_4;W+Bpx6BqJ^FR{ z=j5cvYO;e9X+N`CgL%N~^(?9d`wl>5CCNE-$z<}{G>Gqn=6KdIe|;##|7m3Y)I^!r z;liQEif5+qX_{zg+%BMX(}oiolwNtGBPY67c_6y)qlV|fV!gS@5fWyd6iz7q{Yv2X zCP@wp(jk^zuG2%-PX4?j$r9DI|21EAG^=XTVQ^8Ftfiv^ zvn~V7S2&B|7o%BqGtk+OG#YPq6Z=ls6HIANQAp1L${v^9p{^-MzER>K5Vi>QQ*Wle zB)VgzihX_Z`p5o-Jr)G{ItO49e9ai^3xCAVB^vP-(>n6`XyPb40j7--?vN+}gLY@)qmaO(T}rTLEm;OgsJ!?xn-UjJBydd|%h^cxPTrGC_u5ol(SlGncYM~- zf>&F(Loa{%C%1)+;Lgdc)K3{+8kn!Eod@+q3E|~-G-2yg=m}HU)-`a=NRLHf%KoBx zp%>xe*A_`x+u41$)_MAga*7+ia$Fwf1dcm@AkHl+j&j7 z&?Lh~<+!fsXcbL@D50s^QpcSx8hCIrENo)vUj^Jf3PHYL1R$%^;49t;bhQGg&XJM0^0084W-{dBR{vkjoP{-h1Sl91!) zKF3S9Y%oiILG#kov%u;}K@Qwi?L$+>iUP7{VzB{-_3z(Q|GN+vt3d4BlvA-M4@F{0RDK>OZvIKoO))W+Dc8nyxa4HCHj74(6 z#*c^7S(TLv|8e3;URtDB$s=B~0nu>Jc*>?3s4uMJ6Lfkj6N1CT%pF2s<|H&fbnu;F zgijBg)ZhDo!iy%jb)!a2P$uJ#SpVI^_IxyRd^{*V+Xs**OBV!Jf6}QY)cj>Ht?UfU z$-9B~IdZqVJVd?Xvo)lG;9z$egmuH#t;@6NqK${jW;A|WoGT|=(x`okOgOYB4yb!5 z3TTlaQ$`~?|8&Vl0a)XXB4EPsql<6;CU-inEG51xV!Kk=p#G+rPUP-@4s(69SGIj= zZ}S-7059s$WKeQblQzVeLRRvBGJb4d-d&(+JWQaE0Fy#)|6MX>yizKV;6Xx*0UOfd zG3aL6_&Am$?8r)6Q**-5bfuCXFJ+PamO0Wzh;)THzyS zI(=ob)j33t47E&m~_w$plG>R&Fh3uZIatTwXUky$Z*ZK|qEun~WuPZdWp zB};RIz!2C37oR|lKXXCA8TIiu@rT&`C#sf9)g{gKuKUf`zYsYJWp^l%n%TP}XI{)rEc?(cXb1i_Nf9tO0uzLh2Um)KYOfj{7PXXYj(Q4E z--ML2)aQr|26-sY|+Xeu@iyVdvH>!V~F3=1b3;-}={#Rt2k`@U709&)UvB8}P z*mfC1i2Yp2=&`N@of;*^2$7IRuK8Co+rhuN$#{#hnR6DHEY!XI3Rn`P*?qll=>;e> zr115`PpgF!JgVJ2KRq<0So5_A&vfR!R5nhqEIv(JjP;t(_n@7{{qw45BigsZEc~-8 z``)Br+@g2YyW_>xH|SAa?qB5~HYIM@7LTwIo0NWvC?tW=v>w2lZAPZVpGWSgE<*Jo z(3n1VEsaA6`yU6{KZAE)KECqdN$qo$KOxnA3h!_IOIsyyU`ECoBbT~^*}>{cQ_!sG z4OLaso@4WAt0F=y$yoadflL>4{54(55oBC7luTn29oTy+f@=}A6N&(gUMiNphqB?? zfCDK9kF2EC!;B_b-vqz~->)&BFcqV^L|F%)oKR4rRb+n(i!cOUe5xTAI^k!IC%a-k za)bi=$8N6zS=!6-{;paS#{I(ueq56>wW#N zUGSZ7Om)xnn~`PfElC2%`LJsOO>?Ep=?7O-D+s_bLhO3NYuxu;P;o~)VV7$uLNv0( zxE^r-ecA3Vq0aZ3-Zhxm3uTT#9>)dv(I}$lye9}z94{~&~JbNG2Gk;?CTFqO+aC@$t+9pw= zqSId$;B(BkcGfu)YO=^p@ z9QwmFEgiV-VjNlJy}-W@g$X;m$y+;$8=vbFA!z}jS^;x~jvu4Dojm_cZ8z^yRmSFF zliNeT{%MK2@_N}F)|Xt>e=0>Ox-hZ;E}j}5t$Q(F&V**#f$Je4)KDtAbLj{*uVbv% znhT~A`xd!6vRA}Em9q9lYndjEhOVzBYQvvap;Fq9Ms|euMExTCM51{;tUBxc**Cs< zWr_8w3$YbCaKelJ_sZ7Yn9rzTL2hNPVW-t3Zlm@yzos;U#U=k;oiBryp1(|z!{ic@ zRAcT1>O45hn>`fLr1*>ehjG6$5;MFD{}$bw_iR=%d$`U% zKnEvqX5<$@dOSCo3WvAt9P3M&iX}D4D@oGv8TgG|XsM=Ig|XKnMX$g3l=LC_#tp_p zLfX)G#r3Hoi5(YhV%gSWlmVB=^Thq8+B0RG{jv?u@$v=(ruVvgd&%&slkhEmH()S@ zGd1U+Ov;SIyJQz?my~E%f!K0P@g;H}v1<>%wGcp6oeex;LdKh?Rs;g4-j()S)wa@u zot+=HkjMmTA-N!=!3Oc6Dn%y>!zI2$F&>%&7|+iFSzW=YSx9>V%} z{aru}Qlr7RqfL7nTMvbTCu?MtUkym#M)rYCzv#V1`H5aLG}~Xvx0sV@N7=RdG`DKG zkED%N^MaEfxA>%vh4%3nQ{-nuy;B2qilg6ZXQ=bmDQY!2mi_V?Whti4=}MfPFe3A7 znpxltS2`{Wa8(_Ol_`8>zY=EF2}qy&lL9Oohk3tRttY7{2+VWLgJ`n-J&qc($a(=K zXW7Z}9D~_MESkfQ(0Vdo%QFWXu#2?o^c{^u?8$+OrVfpK6zK8%k`HrLd+=fHD2;v~ z%%-9>Vk{3Kh8jq=DXCp!u+3x_zn2~%=E=ToMHwX*dT!O*f!riH-_W);Y?#cyqx11y z8DiQS<9=q(j%vF1AWZz&lPSg3`o_UTPtFKpwbtgwSHEpx>zh2IMue{C(GdD3^_5h(K?S$dI@v! z-uAR^+y@@=6VNby&9WQ9ly&iqL!E&xx{qbUtQ?49l_Oi~CKwZ|-$f;eAuB(<2(rUY zef(XzbFTDVkp(BAbU&23w~~2ed5#Bwz82Rg54nFFjdQ79q3$V*dmW7QoeO7y)?OjB zel&8|#|Ga#J|9#A*A~1wR`OV;L4SD1d$-k%u@X6%-GCzm(i75`)T#l$_88BZRx*G6 z!Gga2^rmP_@-y;X%_@&At6K@8B*uRHTJEbQhwy+Tz@Qp`KuM#N-kh1CFJvc&UL?^O z25(1}s}7m+9$b@=*}N)Elyg74lxutcTSRis?qaWPFUbW=H21$x#iadFUv+<(GWi7h zXJXPBP!=&z?z-moY^EnU3XPA9T?W378Qack_+(iv662-Aa+c@>f$Cn-d0f!gj?+-A zk|1zYMHVn)Bm}a*f;s>dU)E=q@hy0Rd$t$(K@quj^Zx>k(e@%_EhNMUxtjw ze=9rhPSZNUEe~t58V)t&&gbkixXqzfUZ)uK*86!KBCt|L@1eaw9-D`2FDh^hXNwIy zansTPOD0B2WuiUDP@HMdK*@elEZ=X~f3sF4%hySk?&$cmEO5#M|cF$-9prX8w#*}1W~5g=K648X3^7RaUicuiiOyAVIYof6w|l$qEV z4Tbr0eRo>T1}c1p1&*Jd(;R9fj{TAP_wJ5C?ISfUWx@a-$akKJBoRmA8(U-%b!^1@ z&vdzblOYozCo={un+$6vo9I8VPL;rdB7HQsCpjXI?q#0@HIC(?wF{npN0g7ij2=|` zZgbF;eJdNg&P+&oO(Pd#kovr3os7vL5&x)Z@4)S0c`u1yt+XfAJ%kUUX}ez&^jG@A z60h`bI*P=VxCA z&q&t}@zCCsOzpxpUi!{ZmVV9?p#_=|ysp6P5mBy5AA)uQKUy|K^YpLCDx%e*5nDi( zA*Y8V!e;)F(HfC=dq|SOPFj`BT9x(D`^I}|6H`@ zbiHvJeOK{1>rs5LWU>q18LI_EYKGF;v*>ujB0`1|i(SwwprIL#0;s>9E9$l?3|?T_ z$sg4B!<3-($v^x01fpWOlrNeB-x9Ex(54BnceDswEHif=`zHtyXlY!KPK{V~%D zy)=CP%Y~)oBa5pQoEy|rHvd}MRNmu-msAHeANsQXa^U3b%PiOm(!10#B+BU}V_K

            2@gc{?7BUxU;ESAvoGbR*F1!`n^{^lth_lU? z7UfQ)_v&{hK@W)9X;8SrTJ+K&(C~iykBsL^EOy>1u}YN+ptr$Zr~L~WeprX#8e{<1 z)DIE?gS>TFTIbHOjh18*sMIW?0++VQZs=|`;{w1tdo(9FyPor9eab_L{7_;93g^tVHj!S z<%#VXfk=jrrsmfLPwF^wsB4)J1IhiHTzLaFOT74}@Fg0v??nE5 z9pmp-RAy)ml8ec^L{@|xWJp4pq4H7p`H~TcYT%J{scWy^>&L{VX<%E{uY-2-BLdMTO>aS~nd{9%>=l&GcQCJJxhd zk~ETnbK>ciV$0%+6e+8MPk-*ay0%BdIWKPz(?wrtK@D9bpY)V=+jPz{8bIkR_{{F{ zw4+<6iBSLV5W<_*8s{RMXJbSjH8s@Zu2oRu)v^sAi2FN{x{<6 zPFr+(^dsU~uFB&La?0dJ?&+}23NV|8rVrm*Uvc1esv!B4w7_&{LUxGg&D_qj=$>5f zul0`&KT{z;$15Zlus27ON_?0C<;fQ(BimmtNin~14H!)z9dYcjn|7w; zb@6Y?F6wY9Y#vchV~}pN6gY_+Unt%XPHtxfaZi8}8@*}rhCeh~0-}h1OPXM)qTb-J zqH&Q;349UgtlyJrfWKvC#<+$lwtyDGwdj}-3*4xRJBLze;pD0J_Y2AT(yjfPtO z(kxlsS^KSEHp`8!{`+Y@+OBcsA@E$~+?csi41O3>c6ZN=J6^f=m3+y%xrSLH_QwEk zAIe0kRYq-SSIY7;qUDJ?tg(Z8ehvggyFaCLY^kD+w|K&%c_)FZnwDOj0DIm!0bB-<6V(DmoF@mj}-N_gnGiO;{ZXtRuab0)DX;qLp?mN z`951*at=*}v_1oCtwUE#AB6LCGP_z3zU6cX)qcq#@a=sFpAyviG(@cNOoV%lXS$ie zjAj`Q&-z+ZODfD_L2+8hKQj73Z{3^K(UY)SWcc?P?$BdbMMj#-a4|BYPx#1ZP1_K>z@;j|==^1poj532;bRa{vGizyJUazyWI3i3tDz0{%%vK~y+Tg_K)J z6j2z*|L4qJrd*TUH8rCwDhVXSvL1p6vNDN6a|3-5qbR~GOrio6p`J>*7%19PL#w@ua)9>W>-DeBbv!|2cEcnM1G!CErSR`8D4K zyD7TvURw2lNJnHvGbeLOa+{@`f|hYr6c}b@lUz}kR{w+$q6%3U5zUIe7UgS1y$i4% zdTgd<9JOa6%W)Dil{-~cy<@Z4-WlQ$mdqGP`S_dKH0c?^@ z2mwvg)Q;JX4^5*@z^3ZjRDD6yB~aO@FKvRFdbXq$KfBqAZxehgO~*RgI$0iE%S z3Sbhg0p)8nJ>f;~`~Z^T6EGc^z{`$Wj7O=2AX}I$!P4tP zn4R;YXP^&{K2~6O+QmCC47hvn>~l4S#zru&_=GZ?h-P6>f?zcN0KPJ7v8q{so6K#o z!sjp>Z7@m_mB_4WcHD6e@unm$qDYo^Au};oR3Z~*rZElP;FO4fO-R6Ll7|9IA#!9V z66j`80X)hdV=hBkW~QQb@HzTtIuX#8mV6_zizmRR&Y|1ghBtlnBC~`s3F&9jx@9vB z@R1z~vH%_Q{=_eDH*BUDY_QlNNs@8*dOGpm)yUf)P+5@oBz%LAn?c3$qOG~p7q&!K zUY$Ki7`erVf0~~R#;CVOrC^Ue16}S<7@F-jbR0kL_?rKc4{DrE9U>R>BPx#1ZP1_K>z@;j|==^1poj532;bRa{vGizyJUazyWI3i3tDz25?D4K~z{r#h7_) z6jdC@zi(#tY`0};DHN1)RRoL>%Mlekg11spE)T315WvuYC}^T7MF}3!#y>oY#HxX4 zs01VmB#1x}h!lbX7B!`%rKK#rmQr?ScV=h&&GsQ(_UvK&B%9gaciz1D&b#LQ2EE0K zV=KliI=W~S4|@#b$8J+nT{7T6%l>&1q##qqMwV0Sm zmYBHflX1m!sEkZMou5jGE*Z-|p5Nc&Z(pK9&DWtjxEul*!chBAJeDydcqH@9Brmtw zY}?3OYe%X0By242=-eVvlg4T+a5tC2NH?eB@%}R~I(ZDNf|aWskinf~YzrA&$EBFW zHMZc$3)2-n@V>^hArwj-YB;YCdjlzw15T5ZE8&p2OLTBqt=7qcAhL zhpU{~_Tk%4%cpawl*mtoATkM)os*H9@hFnSB(6qB)m6v=FIJykt(uv+;*!#SM`lju zr9xJy@gn~cW-RYm-XJ@y(`8LwMNgQ{^A5o+8|CAA=`si|rAVE%Ora7#)~!ln!!?l%qN zQz!5!oIZ`>gHp}K2Y47H#25maz}jS_(t}BUifQGs2o|K7((vxc_b_w7EZ9YRN7*ir zBBfwjMlKdzzZm_@{b&)U+fvA$~e50y#}{i?|{Xv!rb5i`~hAfl!(TzU~gj>;2DIv^9|IPVG}2W zlJX*KIr$ZjBBQ7ZT+NM`B;5ux8H+_sV+M+QxvXV<#6pjy#3QsRJe}e zP|Y5!-j$CF?cuLTg|4k_IEOasHk$2RjZR!+21Z3{AP_WHbFL1u-xs|34;9~H)A99i z%gr=obQ&fBwE0@`-rkkieBw*AcpBj+L)GAY{t-+!$lf%mUXGp(rYdDgzZJ7nEFx$;Z;y#g1*)aOmocSN_={)#YDRK9N`(<#qPmi zmK8K;q3!<=aTuOUnvZAg^Qlb4ZCpfpb&MHgvm5as%f;R7UOZ&U#pAZwNM(Ka+3pk5 zm`{^&yyX`j#e!i38;N1kh~UdQ9zUPm5`0s{BBn82*Ko4+Aj-~fLA%nU{55E##plA- zs?SmB{*9~AiQAP%g=a7SjqhuVak}kyH2co;Gl_Gi?G!4S%TfCG$8cRf8?5tMt{wa# zqjSRS(I+KQx9q(>BD&y7`$7%qCjDI?*aO;!wj*9BV8Knu~^s zNh<@;z9=s}Rn4XF0a37Rf!zmval8Lw0d-|EmqRedk(IKdi5d6dI(s%(fn@vDOsSfT zl+|y8PxVA>Ap_c;*NLKOoShpk3cXZ1W4uW;FH{1` zlN3hX@Q+Ko6B<)+qUlgnLzIU$2#oCzOpcWw=B{hvazx_KZK7mPiM8CdV`6%8+E>lq zMk6EdGJPz4>;0NKee~EVC!Zhsyv*gOBxLLgYkzpn>GIVqQZ@B$YL$epWjfOX8k;mY zIj!>bM?UTSk1Cznv}u;O7y3St3E7lYXK*egJx@~`K{|KyVpz(0#2WiznfT)hAQ002ovPDHLkV1nVCUD^Nu literal 0 HcmV?d00001 diff --git a/safari-extension/spectorjs-green-48.png b/safari-extension/spectorjs-green-48.png new file mode 100644 index 0000000000000000000000000000000000000000..0f5579f6701acaebe03e30736dd9c73596efd770 GIT binary patch literal 1378 zcmV-o1)chdP)Px#1ZP1_K>z@;j|==^1poj532;bRa{vGizyJUazyWI3i3tDz1oufqK~!i%?U{W{ z8+91RpM&z!QaZ;VybOXkHzLeA;{yA`__ECTipI#?WI>`%W`I?3%N&WDx-7(P#0|6) zj6;XIEUPn`4dV+YI1@7y9aGB4C@+c-z{T=1#J_T7;|5I7G>B(+(6mSr5uK$tX;G&qco><1SK^QGayxXAV*hy#9&B;>IRJGD!-ZZ zOx=f4lB%q&u-tGfD(K>`w;W?xsAgcVWlw?CZv6?RB$;uU@aoOGQ3Y`qf88H24v8uT zXxpVR|2>RC!(UsntrQv9^2=toopVH?l*E+R2+@q}!+mgk4fB2|ECUC+-aKnzy9!ZC zV$6OC^7MJA=y{>598zP`Cibs5un<#Mp)%0Y-?HR8+qbv__a+loU@O=Xff; z1l9Z`k7yveZ#-y#ijH=t+X4Ck78Xv$Va6YF(GBSvQ7Px{q5caA9t8AJ3npK&xK&iX4HWc-rC=SNbFm_J%DnqA9gvYZhQ2C?RC1B)_xyJ-H#~3PUQgn-#z5Z~$RdQo%?$+Y2)0NFO zcI+9Hk`$z@gQbSsQF#e8&^Kv;w!ssqq|wJ3zTWp(^8+Zu+uW@*7n7YX*^_w5O*?>L zyoX;kz;V!IdCeQkgEOuFG^oYHGT?(ZLiM}ArX{Zk298+vfQxfsR+{^Bi*%2!DDy82 zQDlH%K7Ta7-FnJ@HLnt@v)4RVT2Rr9QWV7oeAKnobPSAJSE5uznm*IE>%l{dP=-V` z13s!xmbjcAXEaJG7+|<})|;uO^1yn-{vPmg@QGuZJ9E~?pp?yR>4ovM#fzc%4$P&Y z{f)AVmpVU0DawNQ + + + + + + + + + + + + + + + + + + + + + + + + + + + From b8ff5f14ce9da713c75eded9b55039d4ad43a8bb Mon Sep 17 00:00:00 2001 From: Cory Boyle Date: Tue, 17 Mar 2026 17:12:27 -0400 Subject: [PATCH 2/2] chore: remove .github changes from Safari PR Co-authored-by: Copilot <223556219+Copilot@users.noreply.github.com> --- .github/copilot-instructions.md | 78 ----------------------------- .github/workflows/githubActions.yml | 26 ---------- 2 files changed, 104 deletions(-) delete mode 100644 .github/copilot-instructions.md diff --git a/.github/copilot-instructions.md b/.github/copilot-instructions.md deleted file mode 100644 index 3f338547..00000000 --- a/.github/copilot-instructions.md +++ /dev/null @@ -1,78 +0,0 @@ -# Copilot Instructions for Spector.js - -## Build & Development Commands - -```bash -npm start # Compile + live reload dev server + watch (localhost:1337/sample/) -npm run build # Production build (lint → bundle → copy → extension wrap) -npm run build:tslint # Lint only (run before PRs) -npm run build:bundle # Webpack bundle only -npm run clean # Remove generated files -``` - -There is no test suite — `npm test` is a no-op. Validation is done via the sample pages at `http://localhost:1337/sample/index.html?sample=` (e.g., `?sample=simple`, `?sample=lights`). Append `&noSpy=1` to test without the full spy enabled. - -## Architecture - -Spector.js is a **WebGL debugging inspector** that intercepts WebGL API calls at runtime via function wrapping, captures frame data, and renders results in a built-in UI. It ships as both an npm module (UMD bundle exported as `SPECTOR`) and a browser extension. - -### Core Subsystems (in `src/`) - -- **`backend/`** — Runtime interception engine - - **`spies/`** — The interception layer. `ContextSpy` orchestrates capture by wrapping all WebGL methods. `CommandSpy` wraps individual functions. `StateSpy` tracks state changes. `TimeSpy` hooks `requestAnimationFrame`. `RecorderSpy` records resource data (textures, buffers, programs). - - **`commands/`** — 38 command classes (one per WebGL function), all extending `BaseCommand`. Handle argument serialization and stack traces. - - **`states/`** — 13+ state implementations extending `BaseState`. Each state type (blend, depth, stencil, visual, etc.) registers callbacks for the WebGL commands that affect it, then reads from the context on capture. - - **`recorders/`** — Generic `BaseRecorder` with concrete implementations for buffers, textures, programs, render buffers. - - **`analysers/`** — Post-capture analysis (`CaptureAnalyser`, `CommandsAnalyser`, `PrimitivesAnalyser`). - - **`webGlObjects/`** — Tagging system that attaches metadata to WebGL objects. - -- **`embeddedFrontend/`** — Built-in UI - - **`mvx/`** — Custom MVX (Model-View-Extension) UI framework (~5 core files). All UI components extend this framework. - - **`resultView/`** — ~20 components for displaying capture results. - - **`captureMenu/`** — Capture control UI. - - **`styles/`** — SCSS stylesheets (bundled via sass-loader). - -- **`shared/`** — Cross-cutting utilities - - `Observable` — Lightweight event system used throughout (`onCapture`, `onError`, etc.). - - `Logger` — Logging utility. - - `ICapture` / capture types — Capture data structures. - -- **`polyfill/`** — XR Session polyfill. - -### Entry Point & Data Flow - -`src/spector.ts` is the main entry point exporting the `Spector` class. Capture flow: -1. `Spector` creates `ContextSpy` for a WebGL context -2. `ContextSpy.spy()` wraps all WebGL functions via `CommandSpy` instances -3. On each wrapped call, registered `BaseState` subclasses read relevant state -4. `RecorderSpy` captures resource data (textures, buffers) -5. `CaptureAnalyser` aggregates everything into an `ICapture` object -6. Results fire via `Observable` to the UI or consumer - -### Browser Extension (`extensions/`) - -The extension wraps the core library for Chrome/Firefox. Key files: -- `background.js` — Service worker managing tab state -- `contentScript.js` / `contentScriptProxy.js` — Injected into pages, communicate via browser messaging -- `spector.bundle.js` — Auto-copied from `dist/` during build -- `spector.bundle.func.js` — Bundle wrapped with header/footer for extension injection - -### Vendor Dependencies (`vendors/`) - -Ace editor files (editor, GLSL mode, Monokai theme, search) are bundled as webpack entry points for the shader editor UI. - -## Code Conventions - -- **TypeScript** targeting ES2015, ES6 modules, bundled to UMD via webpack. -- **File naming**: `camelCase.ts` — one class per file (e.g., `contextSpy.ts`, `baseCommand.ts`). -- **Class naming**: `PascalCase`. Spy classes use `*Spy` suffix, recorders use `*Recorder`, components use `*Component`. -- **Interfaces**: Prefixed with `I` (e.g., `IContextInformation`, `ICapture`, `IFunctionInformation`). -- **Member access**: Always explicit (`public`/`private`/`protected` required by linter). -- **Strings**: Double quotes (enforced by tslint). -- **Semicolons**: Always required. -- **Max line length**: 200 characters. -- **Bitwise operators**: Allowed (needed for WebGL constants). -- **Strict mode**: `noImplicitAny`, `noImplicitReturns`, `noImplicitThis` enabled. -- **Extending the command system**: Add a new class extending `BaseCommand` in `src/backend/commands/`. -- **Extending state tracking**: Add a new class extending `BaseState` in `src/backend/states/`, implementing `getConsumeCommands()` and `readFromContext()`. -- **Adding samples**: Create a JS file in `sample/js/`, access via `?sample=fileName` (without `.js`). diff --git a/.github/workflows/githubActions.yml b/.github/workflows/githubActions.yml index 804461b3..3ffed18f 100644 --- a/.github/workflows/githubActions.yml +++ b/.github/workflows/githubActions.yml @@ -23,29 +23,3 @@ jobs: npm run build --if-present env: CI: true - - build-safari: - - runs-on: macos-latest - - steps: - - uses: actions/checkout@v1 - - name: Use Node.js 18.x - uses: actions/setup-node@v1 - with: - node-version: 18.x - - name: npm install, build - run: | - npm install - npm run build --if-present - env: - CI: true - - name: Validate Safari extension - run: | - xcrun safari-web-extension-converter safari-extension/ \ - --project-location safari-xcode \ - --app-name "Spector.js" \ - --bundle-identifier com.babylonjs.spectorjs \ - --macos-only \ - --no-open \ - --no-prompt